GCC Code Coverage Report
Directory: . Exec Total Coverage
File: build-coverage/src/options/options_public.cpp Lines: 1821 2407 75.7 %
Date: 2021-09-17 Branches: 2613 9614 27.2 %

Line Exec Source
1
/******************************************************************************
2
 * Top contributors (to current version):
3
 *   Tim King, Gereon Kremer, Andrew Reynolds
4
 *
5
 * This file is part of the cvc5 project.
6
 *
7
 * Copyright (c) 2009-2021 by the authors listed in the file AUTHORS
8
 * in the top-level source directory and their institutional affiliations.
9
 * All rights reserved.  See the file COPYING in the top-level source
10
 * directory for licensing information.
11
 * ****************************************************************************
12
 *
13
 * Global (command-line, set-option, ...) parameters for SMT.
14
 */
15
16
#include "base/check.h"
17
#include "base/output.h"
18
#include "options/options.h"
19
#include "options/options_handler.h"
20
#include "options/options_listener.h"
21
#include "options/options_public.h"
22
#include "options/uf_options.h"
23
24
// clang-format off
25
#include "options/arith_options.h"
26
#include "options/arrays_options.h"
27
#include "options/base_options.h"
28
#include "options/booleans_options.h"
29
#include "options/builtin_options.h"
30
#include "options/bv_options.h"
31
#include "options/datatypes_options.h"
32
#include "options/decision_options.h"
33
#include "options/expr_options.h"
34
#include "options/fp_options.h"
35
#include "options/main_options.h"
36
#include "options/parser_options.h"
37
#include "options/printer_options.h"
38
#include "options/proof_options.h"
39
#include "options/prop_options.h"
40
#include "options/quantifiers_options.h"
41
#include "options/sep_options.h"
42
#include "options/sets_options.h"
43
#include "options/smt_options.h"
44
#include "options/strings_options.h"
45
#include "options/theory_options.h"
46
#include "options/uf_options.h"
47
#include <bitset>
48
#include <iostream>
49
#include "options/decision_weight.h"
50
#include "options/language.h"
51
#include "options/managed_streams.h"
52
// clang-format on
53
54
#include <cstring>
55
#include <iostream>
56
#include <limits>
57
58
namespace cvc5::options
59
{
60
  // Contains the default option handlers (i.e. parsers)
61
  namespace handlers {
62
63
  /**
64
   * Utility function for handling numeric options. Takes care of checking for
65
   * unsignedness, parsing and handling parsing exceptions. Expects `conv` to be
66
   * a conversion function like `std::stod`, accepting a `std::string` and a
67
   * `size_t*`. The argument `type` is only used to generate proper error
68
   * messages and should be the string representation of `T`. If `T` is
69
   * unsigned, checks that `optionarg` contains no minus. Then `conv` is called
70
   * and the error conditions are handled: `conv` may throw an exception or
71
   * `pos` may be smaller than the size of `optionarg`, indicating that not the
72
   * entirety of `optionarg` was parsed.
73
   */
74
  template <typename T, typename FF>
75
136
  T parseNumber(const std::string& flag,
76
                const std::string& optionarg,
77
                FF&& conv,
78
                const std::string& type)
79
  {
80
103
    if (!std::numeric_limits<T>::is_signed
81
103
        && (optionarg.find('-') != std::string::npos))
82
    {
83
      std::stringstream ss;
84
      ss << "Argument '" << optionarg << "' for " << type << " option " << flag
85
         << " is negative";
86
      throw OptionException(ss.str());
87
    }
88
136
    size_t pos = 0;
89
    T res;
90
    try
91
    {
92
136
      res = conv(optionarg, &pos);
93
    }
94
    catch (const std::exception& e)
95
    {
96
      std::stringstream ss;
97
      ss << "Argument '" << optionarg << "' for " << type << " option " << flag
98
         << " did not parse as " << type;
99
      throw OptionException(ss.str());
100
    }
101
136
    if (pos < optionarg.size())
102
    {
103
      std::stringstream ss;
104
      ss << "Argument '" << optionarg << "' for " << type << " option " << flag
105
         << " did parse only partially as " << type << ", leaving '"
106
         << optionarg.substr(pos) << "'";
107
      throw OptionException(ss.str());
108
    }
109
136
    return res;
110
  }
111
112
  /** Default handler that triggers a compiler error */
113
  template <typename T>
114
  T handleOption(const std::string& option,
115
                 const std::string& flag,
116
                 const std::string& optionarg)
117
  {
118
    T::unsupported_handleOption_specialization;
119
    return *static_cast<T*>(nullptr);
120
  }
121
122
  /** Handle a string option by returning it as is. */
123
  template <>
124
11
  std::string handleOption<std::string>(const std::string& option,
125
                                        const std::string& flag,
126
                                        const std::string& optionarg)
127
  {
128
11
    return optionarg;
129
  }
130
  /** Handle a bool option, recognizing "true" or "false". */
131
  template <>
132
21959
  bool handleOption<bool>(const std::string& option,
133
                          const std::string& flag,
134
                          const std::string& optionarg)
135
  {
136
21959
    if (optionarg == "true")
137
    {
138
8547
      return true;
139
    }
140
13412
    if (optionarg == "false")
141
    {
142
13412
      return false;
143
    }
144
    throw OptionException("Argument '" + optionarg + "' for bool option " + flag
145
                          + " is not a bool constant");
146
  }
147
148
  /** Handle a double option, using `parseNumber` with `std::stod`. */
149
  template <>
150
  double handleOption<double>(const std::string& option,
151
                              const std::string& flag,
152
                              const std::string& optionarg)
153
  {
154
    return parseNumber<double>(
155
        flag,
156
        optionarg,
157
        [](const auto& s, auto p) { return std::stod(s, p); },
158
        "double");
159
  }
160
161
  /** Handle a int64_t option, using `parseNumber` with `std::stoll`. */
162
  template <>
163
33
  int64_t handleOption<int64_t>(const std::string& option,
164
                                const std::string& flag,
165
                                const std::string& optionarg)
166
  {
167
66
    return parseNumber<int64_t>(
168
        flag,
169
        optionarg,
170
33
        [](const auto& s, auto p) { return std::stoll(s, p); },
171
66
        "int64_t");
172
  }
173
174
  /** Handle a uint64_t option, using `parseNumber` with `std::stoull`. */
175
  template <>
176
103
  uint64_t handleOption<uint64_t>(const std::string& option,
177
                                  const std::string& flag,
178
                                  const std::string& optionarg)
179
  {
180
206
    return parseNumber<uint64_t>(
181
        flag,
182
        optionarg,
183
103
        [](const auto& s, auto p) { return std::stoull(s, p); },
184
206
        "uint64_t");
185
  }
186
187
  /** Handle a ManagedIn option. */
188
  template <>
189
  ManagedIn handleOption<ManagedIn>(const std::string& option,
190
                                    const std::string& flag,
191
                                    const std::string& optionarg)
192
  {
193
    ManagedIn res;
194
    res.open(optionarg);
195
    return res;
196
  }
197
198
  /** Handle a ManagedErr option. */
199
  template <>
200
  ManagedErr handleOption<ManagedErr>(const std::string& option,
201
                                      const std::string& flag,
202
                                      const std::string& optionarg)
203
  {
204
    ManagedErr res;
205
    res.open(optionarg);
206
    return res;
207
  }
208
209
  /** Handle a ManagedOut option. */
210
  template <>
211
  ManagedOut handleOption<ManagedOut>(const std::string& option,
212
                                      const std::string& flag,
213
                                      const std::string& optionarg)
214
  {
215
    ManagedOut res;
216
    res.open(optionarg);
217
    return res;
218
  }
219
  }
220
221
2
  std::vector<std::string> getNames()
222
  {
223
    return {
224
        // clang-format off
225
    "abstract-values", "ackermann", "ag-miniscope-quant", "approx-branch-depth",
226
    "arith-brab", "arith-cong-man", "arith-eq-solver", "arith-no-partial-fun",
227
    "arith-prop", "arith-prop-clauses", "arith-rewrite-equalities",
228
    "arrays-eager-index", "arrays-eager-lemmas", "arrays-exp",
229
    "arrays-optimize-linear", "arrays-prop", "arrays-reduce-sharing",
230
    "arrays-weak-equiv", "assign-function-values", "bitblast", "bitblast-aig",
231
    "bitwise-eq", "block-models", "bool-to-bv", "bv-abstraction", "bv-aig-simp",
232
    "bv-algebraic-budget", "bv-algebraic-solver", "bv-assert-input",
233
    "bv-eager-explanations", "bv-eq-solver", "bv-extract-arith",
234
    "bv-gauss-elim", "bv-inequality-solver", "bv-intro-pow2", "bv-num-func",
235
    "bv-print-consts-as-indexed-symbols", "bv-propagate", "bv-quick-xplain",
236
    "bv-sat-solver", "bv-skolemize", "bv-solver", "bv-to-bool",
237
    "bvand-integer-granularity", "cdt-bisimilar", "cegis-sample", "cegqi",
238
    "cegqi-all", "cegqi-bv", "cegqi-bv-concat-inv", "cegqi-bv-ineq",
239
    "cegqi-bv-interleave-value", "cegqi-bv-linear", "cegqi-bv-rm-extract",
240
    "cegqi-bv-solve-nl", "cegqi-full", "cegqi-innermost", "cegqi-midpoint",
241
    "cegqi-min-bounds", "cegqi-model", "cegqi-multi-inst", "cegqi-nested-qe",
242
    "cegqi-nopt", "cegqi-repeat-lit", "cegqi-round-up-lia", "cegqi-sat",
243
    "cegqi-use-inf-int", "cegqi-use-inf-real", "check-abducts",
244
    "check-interpols", "check-models", "check-proofs", "check-synth-sol",
245
    "check-unsat-cores", "collect-pivot-stats", "cond-var-split-agg-quant",
246
    "cond-var-split-quant", "condense-function-values",
247
    "conjecture-filter-active-terms", "conjecture-filter-canonical",
248
    "conjecture-filter-model", "conjecture-gen", "conjecture-gen-gt-enum",
249
    "conjecture-gen-max-depth", "conjecture-gen-per-round",
250
    "conjecture-gen-uee-intro", "conjecture-no-filter", "copyright",
251
    "cut-all-bounded", "dag-thresh", "debug", "debug-check-models", "decision",
252
    "decision-mode", "decision-random-weight", "decision-threshold",
253
    "decision-use-weight", "decision-weight-internal",
254
    "diagnostic-output-channel", "difficulty-mode", "dio-decomps", "dio-solver",
255
    "dio-turns", "dt-binary-split", "dt-blast-splits", "dt-cyclic",
256
    "dt-force-assignment", "dt-infer-as-lemmas", "dt-nested-rec",
257
    "dt-polite-optimize", "dt-rewrite-error-sel", "dt-share-sel", "dt-stc-ind",
258
    "dt-var-exp-quant", "dump", "dump-difficulty", "dump-instantiations",
259
    "dump-instantiations-debug", "dump-models", "dump-proofs", "dump-to",
260
    "dump-unsat-cores", "dump-unsat-cores-full", "e-matching", "early-exit",
261
    "early-ite-removal", "ee-mode", "elim-taut-quant", "err",
262
    "error-selection-rule", "expand-definitions", "expr-depth", "ext-rew-prep",
263
    "ext-rew-prep-agg", "ext-rewrite-quant", "fc-penalties", "filename",
264
    "filesystem-access", "finite-model-find", "flatten-ho-chains", "fmf-bound",
265
    "fmf-bound-int", "fmf-bound-lazy", "fmf-fmc-simple", "fmf-fresh-dc",
266
    "fmf-fun", "fmf-fun-rlv", "fmf-inst-engine", "fmf-type-completion-thresh",
267
    "force-logic", "force-no-limit-cpu-while-dump", "foreign-theory-rewrite",
268
    "fp-exp", "fp-lazy-wb", "fs-interleave", "fs-stratify", "fs-sum",
269
    "full-saturate-quant", "full-saturate-quant-limit",
270
    "full-saturate-quant-rd", "global-declarations", "global-negate", "help",
271
    "heuristic-pivots", "ho-elim", "ho-elim-store-ax", "ho-matching",
272
    "ho-matching-var-priority", "ho-merge-term-db", "iand-mode", "in",
273
    "increment-triggers", "incremental", "input-language",
274
    "inst-level-input-only", "inst-max-level", "inst-max-rounds",
275
    "inst-no-entail", "inst-when", "inst-when-phase",
276
    "inst-when-strict-interleave", "inst-when-tc-first", "int-wf-ind",
277
    "interactive", "interactive-mode", "ite-dtt-split-quant", "ite-lift-quant",
278
    "ite-simp", "jh-rlv-order", "jh-skolem", "jh-skolem-rlv", "lang",
279
    "language-help", "learned-rewrite", "lemmas-on-replay-failure",
280
    "literal-matching", "macros-quant", "macros-quant-mode", "maxCutsInContext",
281
    "mbqi", "mbqi-interleave", "mbqi-one-inst-per-round", "minimal-unsat-cores",
282
    "minisat-dump-dimacs", "minisat-elimination", "miniscope-quant",
283
    "miniscope-quant-fv", "miplib-trick", "miplib-trick-subs", "mmap",
284
    "model-cores", "model-u-print", "model-uninterp-print",
285
    "model-witness-value", "multi-trigger-cache", "multi-trigger-linear",
286
    "multi-trigger-priority", "multi-trigger-when-single", "new-prop", "nl-cad",
287
    "nl-cad-initial", "nl-cad-lift", "nl-cad-proj", "nl-ext", "nl-ext-ent-conf",
288
    "nl-ext-factor", "nl-ext-inc-prec", "nl-ext-purify", "nl-ext-rbound",
289
    "nl-ext-rewrite", "nl-ext-split-zero", "nl-ext-tf-taylor-deg",
290
    "nl-ext-tf-tplanes", "nl-ext-tplanes", "nl-ext-tplanes-interleave",
291
    "nl-icp", "nl-rlv", "nl-rlv-assert-bounds", "on-repeat-ite-simp", "out",
292
    "output", "output-lang", "output-language", "parse-only",
293
    "partial-triggers", "pb-rewrites", "pivot-threshold", "pool-inst",
294
    "pp-assert-max-sub-size", "pre-skolem-quant", "pre-skolem-quant-agg",
295
    "pre-skolem-quant-nested", "prenex-quant", "prenex-quant-user",
296
    "preprocess-only", "print-inst", "print-inst-full", "print-success",
297
    "produce-abducts", "produce-assertions", "produce-assignments",
298
    "produce-difficulty", "produce-interpols", "produce-models",
299
    "produce-proofs", "produce-unsat-assumptions", "produce-unsat-cores",
300
    "proof-check", "proof-format-mode", "proof-granularity", "proof-pedantic",
301
    "proof-pp-merge", "proof-print-conclusion", "prop-row-length",
302
    "purify-triggers", "qcf-all-conflict", "qcf-eager-check-rd",
303
    "qcf-eager-test", "qcf-nested-conflict", "qcf-skip-rd", "qcf-tconstraint",
304
    "qcf-vo-exp", "quant-alpha-equiv", "quant-cf", "quant-cf-mode",
305
    "quant-cf-when", "quant-dsplit-mode", "quant-fun-wd", "quant-ind",
306
    "quant-rep-mode", "quant-split", "quiet", "random-freq", "random-frequency",
307
    "random-seed", "re-elim", "re-elim-agg", "re-inter-mode",
308
    "refine-conflicts", "register-quant-body-terms", "regular-output-channel",
309
    "relational-triggers", "relevance-filter", "relevant-triggers",
310
    "repeat-simp", "replay-early-close-depth", "replay-lemma-reject-cut",
311
    "replay-num-err-penalty", "replay-reject-cut",
312
    "reproducible-resource-limit", "restart-int-base", "restart-int-inc",
313
    "restrict-pivots", "revert-arith-models-on-unsat", "rlimit", "rlimit-per",
314
    "rr-turns", "rweight", "se-solve-int", "seed", "segv-spin",
315
    "semantic-checks", "sep-check-neg", "sep-child-refine", "sep-deq-c",
316
    "sep-min-refine", "sep-pre-skolem-emp", "sets-ext", "sets-infer-as-lemmas",
317
    "sets-proxy-lemmas", "show-config", "show-debug-tags", "show-trace-tags",
318
    "simp-ite-compress", "simp-ite-hunt-zombies", "simp-with-care",
319
    "simplex-check-period", "simplification", "simplification-mode", "soi-qe",
320
    "solve-bv-as-int", "solve-int-as-bv", "solve-real-as-int", "sort-inference",
321
    "standard-effort-variable-order-pivots", "static-learning", "stats",
322
    "stats-all", "stats-every-query", "stats-expert", "strict-parsing",
323
    "strings-check-entail-len", "strings-eager", "strings-eager-eval",
324
    "strings-eager-len", "strings-exp", "strings-ff", "strings-fmf",
325
    "strings-guess-model", "strings-infer-as-lemmas", "strings-infer-sym",
326
    "strings-lazy-pp", "strings-len-norm", "strings-min-prefix-explain",
327
    "strings-process-loop-mode", "strings-rexplain-lemmas",
328
    "strings-unified-vspt", "sygus", "sygus-abort-size", "sygus-active-gen",
329
    "sygus-active-gen-cfactor", "sygus-add-const-grammar", "sygus-arg-relevant",
330
    "sygus-auto-unfold", "sygus-bool-ite-return-const", "sygus-core-connective",
331
    "sygus-crepair-abort", "sygus-eval-opt", "sygus-eval-unfold",
332
    "sygus-eval-unfold-bool", "sygus-expr-miner-check-timeout", "sygus-ext-rew",
333
    "sygus-fair", "sygus-fair-max", "sygus-filter-sol", "sygus-filter-sol-rev",
334
    "sygus-grammar-cons", "sygus-grammar-norm", "sygus-inference", "sygus-inst",
335
    "sygus-inst-mode", "sygus-inst-scope", "sygus-inst-term-sel",
336
    "sygus-inv-templ", "sygus-inv-templ-when-sg", "sygus-min-grammar",
337
    "sygus-out", "sygus-pbe", "sygus-pbe-multi-fair",
338
    "sygus-pbe-multi-fair-diff", "sygus-qe-preproc", "sygus-query-gen",
339
    "sygus-query-gen-check", "sygus-query-gen-dump-files",
340
    "sygus-query-gen-thresh", "sygus-rec-fun", "sygus-rec-fun-eval-limit",
341
    "sygus-repair-const", "sygus-repair-const-timeout", "sygus-rr",
342
    "sygus-rr-synth", "sygus-rr-synth-accel", "sygus-rr-synth-check",
343
    "sygus-rr-synth-filter-cong", "sygus-rr-synth-filter-match",
344
    "sygus-rr-synth-filter-nl", "sygus-rr-synth-filter-order",
345
    "sygus-rr-synth-input", "sygus-rr-synth-input-nvars",
346
    "sygus-rr-synth-input-use-bool", "sygus-rr-synth-rec", "sygus-rr-verify",
347
    "sygus-rr-verify-abort", "sygus-sample-fp-uniform", "sygus-sample-grammar",
348
    "sygus-samples", "sygus-si", "sygus-si-abort", "sygus-si-rcons",
349
    "sygus-si-rcons-limit", "sygus-stream", "sygus-sym-break",
350
    "sygus-sym-break-agg", "sygus-sym-break-dynamic", "sygus-sym-break-lazy",
351
    "sygus-sym-break-pbe", "sygus-sym-break-rlv", "sygus-templ-embed-grammar",
352
    "sygus-unif-cond-independent-no-repeat-sol", "sygus-unif-pi",
353
    "sygus-unif-shuffle-cond", "sygus-verify-inst-max-rounds",
354
    "symmetry-breaker", "tc-mode", "term-db-cd", "term-db-mode",
355
    "theoryof-mode", "tlimit", "tlimit-per", "trace", "trigger-active-sel",
356
    "trigger-sel", "type-checking", "uf-ho", "uf-ho-ext", "uf-ss",
357
    "uf-ss-abort-card", "uf-ss-fair", "uf-ss-fair-monotone",
358
    "uf-symmetry-breaker", "unate-lemmas", "unconstrained-simp",
359
    "unsat-cores-mode", "use-approx", "use-fcsimplex", "use-soi", "user-pat",
360
    "var-elim-quant", "var-ineq-elim-quant", "verbose", "verbosity", "version"
361
        // clang-format on
362
2
    };
363
  }
364
365
821956
  std::string get(const Options& options, const std::string& name)
366
  {
367
821956
    Trace("options") << "Options::getOption(" << name << ")" << std::endl;
368
    // clang-format off
369
821956
  if (name == "abstract-values") return options.smt.abstractValues ? "true" : "false";
370
821956
  if (name == "ackermann") return options.smt.ackermann ? "true" : "false";
371
821956
  if (name == "ag-miniscope-quant") return options.quantifiers.aggressiveMiniscopeQuant ? "true" : "false";
372
821956
  if (name == "approx-branch-depth") return std::to_string(options.arith.maxApproxDepth);
373
821956
  if (name == "arith-brab") return options.arith.brabTest ? "true" : "false";
374
821956
  if (name == "arith-cong-man") return options.arith.arithCongMan ? "true" : "false";
375
821956
  if (name == "arith-eq-solver") return options.arith.arithEqSolver ? "true" : "false";
376
821956
  if (name == "arith-no-partial-fun") return options.arith.arithNoPartialFun ? "true" : "false";
377
821956
  if (name == "arith-prop") { std::stringstream s; s << options.arith.arithPropagationMode; return s.str(); }
378
821956
  if (name == "arith-prop-clauses") return std::to_string(options.arith.arithPropAsLemmaLength);
379
821956
  if (name == "arith-rewrite-equalities") return options.arith.arithRewriteEq ? "true" : "false";
380
821956
  if (name == "arrays-eager-index") return options.arrays.arraysEagerIndexSplitting ? "true" : "false";
381
821956
  if (name == "arrays-eager-lemmas") return options.arrays.arraysEagerLemmas ? "true" : "false";
382
821956
  if (name == "arrays-exp") return options.arrays.arraysExp ? "true" : "false";
383
821939
  if (name == "arrays-optimize-linear") return options.arrays.arraysOptimizeLinear ? "true" : "false";
384
821939
  if (name == "arrays-prop") return std::to_string(options.arrays.arraysPropagate);
385
821939
  if (name == "arrays-reduce-sharing") return options.arrays.arraysReduceSharing ? "true" : "false";
386
821939
  if (name == "arrays-weak-equiv") return options.arrays.arraysWeakEquivalence ? "true" : "false";
387
821939
  if (name == "assign-function-values") return options.theory.assignFunctionValues ? "true" : "false";
388
821939
  if (name == "bitblast") { std::stringstream s; s << options.bv.bitblastMode; return s.str(); }
389
821939
  if (name == "bitblast-aig") return options.bv.bitvectorAig ? "true" : "false";
390
821939
  if (name == "bitwise-eq") return options.bv.bitwiseEq ? "true" : "false";
391
821939
  if (name == "block-models") { std::stringstream s; s << options.smt.blockModelsMode; return s.str(); }
392
821939
  if (name == "bool-to-bv") { std::stringstream s; s << options.bv.boolToBitvector; return s.str(); }
393
821939
  if (name == "bv-abstraction") return options.bv.bvAbstraction ? "true" : "false";
394
821939
  if (name == "bv-aig-simp") return options.bv.bitvectorAigSimplifications;
395
821939
  if (name == "bv-algebraic-budget") return std::to_string(options.bv.bitvectorAlgebraicBudget);
396
821939
  if (name == "bv-algebraic-solver") return options.bv.bitvectorAlgebraicSolver ? "true" : "false";
397
821939
  if (name == "bv-assert-input") return options.bv.bvAssertInput ? "true" : "false";
398
821939
  if (name == "bv-eager-explanations") return options.bv.bvEagerExplanations ? "true" : "false";
399
821939
  if (name == "bv-eq-solver") return options.bv.bitvectorEqualitySolver ? "true" : "false";
400
821939
  if (name == "bv-extract-arith") return options.bv.bvExtractArithRewrite ? "true" : "false";
401
821939
  if (name == "bv-gauss-elim") return options.bv.bvGaussElim ? "true" : "false";
402
821939
  if (name == "bv-inequality-solver") return options.bv.bitvectorInequalitySolver ? "true" : "false";
403
821939
  if (name == "bv-intro-pow2") return options.bv.bvIntroducePow2 ? "true" : "false";
404
821939
  if (name == "bv-num-func") return std::to_string(options.bv.bvNumFunc);
405
821939
  if (name == "bv-print-consts-as-indexed-symbols") return options.bv.bvPrintConstsAsIndexedSymbols ? "true" : "false";
406
821939
  if (name == "bv-propagate") return options.bv.bitvectorPropagate ? "true" : "false";
407
821939
  if (name == "bv-quick-xplain") return options.bv.bitvectorQuickXplain ? "true" : "false";
408
821939
  if (name == "bv-sat-solver") { std::stringstream s; s << options.bv.bvSatSolver; return s.str(); }
409
821939
  if (name == "bv-skolemize") return options.bv.skolemizeArguments ? "true" : "false";
410
821939
  if (name == "bv-solver") { std::stringstream s; s << options.bv.bvSolver; return s.str(); }
411
821939
  if (name == "bv-to-bool") return options.bv.bitvectorToBool ? "true" : "false";
412
821939
  if (name == "bvand-integer-granularity") return std::to_string(options.smt.BVAndIntegerGranularity);
413
821939
  if (name == "cdt-bisimilar") return options.datatypes.cdtBisimilar ? "true" : "false";
414
821939
  if (name == "cegis-sample") { std::stringstream s; s << options.quantifiers.cegisSample; return s.str(); }
415
821939
  if (name == "cegqi") return options.quantifiers.cegqi ? "true" : "false";
416
821939
  if (name == "cegqi-all") return options.quantifiers.cegqiAll ? "true" : "false";
417
821939
  if (name == "cegqi-bv") return options.quantifiers.cegqiBv ? "true" : "false";
418
821939
  if (name == "cegqi-bv-concat-inv") return options.quantifiers.cegqiBvConcInv ? "true" : "false";
419
821939
  if (name == "cegqi-bv-ineq") { std::stringstream s; s << options.quantifiers.cegqiBvIneqMode; return s.str(); }
420
821939
  if (name == "cegqi-bv-interleave-value") return options.quantifiers.cegqiBvInterleaveValue ? "true" : "false";
421
821939
  if (name == "cegqi-bv-linear") return options.quantifiers.cegqiBvLinearize ? "true" : "false";
422
821939
  if (name == "cegqi-bv-rm-extract") return options.quantifiers.cegqiBvRmExtract ? "true" : "false";
423
821939
  if (name == "cegqi-bv-solve-nl") return options.quantifiers.cegqiBvSolveNl ? "true" : "false";
424
821939
  if (name == "cegqi-full") return options.quantifiers.cegqiFullEffort ? "true" : "false";
425
821939
  if (name == "cegqi-innermost") return options.quantifiers.cegqiInnermost ? "true" : "false";
426
821939
  if (name == "cegqi-midpoint") return options.quantifiers.cegqiMidpoint ? "true" : "false";
427
821939
  if (name == "cegqi-min-bounds") return options.quantifiers.cegqiMinBounds ? "true" : "false";
428
821939
  if (name == "cegqi-model") return options.quantifiers.cegqiModel ? "true" : "false";
429
821939
  if (name == "cegqi-multi-inst") return options.quantifiers.cegqiMultiInst ? "true" : "false";
430
821939
  if (name == "cegqi-nested-qe") return options.quantifiers.cegqiNestedQE ? "true" : "false";
431
821939
  if (name == "cegqi-nopt") return options.quantifiers.cegqiNopt ? "true" : "false";
432
821939
  if (name == "cegqi-repeat-lit") return options.quantifiers.cegqiRepeatLit ? "true" : "false";
433
821939
  if (name == "cegqi-round-up-lia") return options.quantifiers.cegqiRoundUpLowerLia ? "true" : "false";
434
821939
  if (name == "cegqi-sat") return options.quantifiers.cegqiSat ? "true" : "false";
435
821939
  if (name == "cegqi-use-inf-int") return options.quantifiers.cegqiUseInfInt ? "true" : "false";
436
821939
  if (name == "cegqi-use-inf-real") return options.quantifiers.cegqiUseInfReal ? "true" : "false";
437
821939
  if (name == "check-abducts") return options.smt.checkAbducts ? "true" : "false";
438
821939
  if (name == "check-interpols") return options.smt.checkInterpols ? "true" : "false";
439
821939
  if (name == "check-models") return options.smt.checkModels ? "true" : "false";
440
821937
  if (name == "check-proofs") return options.smt.checkProofs ? "true" : "false";
441
821937
  if (name == "check-synth-sol") return options.smt.checkSynthSol ? "true" : "false";
442
821937
  if (name == "check-unsat-cores") return options.smt.checkUnsatCores ? "true" : "false";
443
821937
  if (name == "collect-pivot-stats") return options.arith.collectPivots ? "true" : "false";
444
821937
  if (name == "cond-var-split-agg-quant") return options.quantifiers.condVarSplitQuantAgg ? "true" : "false";
445
821937
  if (name == "cond-var-split-quant") return options.quantifiers.condVarSplitQuant ? "true" : "false";
446
821937
  if (name == "condense-function-values") return options.theory.condenseFunctionValues ? "true" : "false";
447
821937
  if (name == "conjecture-filter-active-terms") return options.quantifiers.conjectureFilterActiveTerms ? "true" : "false";
448
821937
  if (name == "conjecture-filter-canonical") return options.quantifiers.conjectureFilterCanonical ? "true" : "false";
449
821937
  if (name == "conjecture-filter-model") return options.quantifiers.conjectureFilterModel ? "true" : "false";
450
821937
  if (name == "conjecture-gen") return options.quantifiers.conjectureGen ? "true" : "false";
451
821937
  if (name == "conjecture-gen-gt-enum") return std::to_string(options.quantifiers.conjectureGenGtEnum);
452
821937
  if (name == "conjecture-gen-max-depth") return std::to_string(options.quantifiers.conjectureGenMaxDepth);
453
821937
  if (name == "conjecture-gen-per-round") return std::to_string(options.quantifiers.conjectureGenPerRound);
454
821937
  if (name == "conjecture-gen-uee-intro") return options.quantifiers.conjectureUeeIntro ? "true" : "false";
455
821937
  if (name == "conjecture-no-filter") return options.quantifiers.conjectureNoFilter ? "true" : "false";
456
821937
  if (name == "cut-all-bounded") return options.arith.doCutAllBounded ? "true" : "false";
457
821937
  if (name == "dag-thresh") return std::to_string(options.expr.defaultDagThresh);
458
821936
  if (name == "debug-check-models") return options.smt.debugCheckModels ? "true" : "false";
459
821936
  if (name == "decision-mode" || name == "decision") { std::stringstream s; s << options.decision.decisionMode; return s.str(); }
460
821936
  if (name == "decision-random-weight") return std::to_string(options.decision.decisionRandomWeight);
461
821936
  if (name == "decision-threshold") { std::stringstream s; s << options.decision.decisionThreshold; return s.str(); }
462
821936
  if (name == "decision-use-weight") return options.decision.decisionUseWeight ? "true" : "false";
463
821936
  if (name == "decision-weight-internal") { std::stringstream s; s << options.decision.decisionWeightInternal; return s.str(); }
464
821936
  if (name == "difficulty-mode") { std::stringstream s; s << options.smt.difficultyMode; return s.str(); }
465
821936
  if (name == "dio-decomps") return options.arith.exportDioDecompositions ? "true" : "false";
466
821936
  if (name == "dio-solver") return options.arith.arithDioSolver ? "true" : "false";
467
821936
  if (name == "dio-turns") return std::to_string(options.arith.dioSolverTurns);
468
821936
  if (name == "dt-binary-split") return options.datatypes.dtBinarySplit ? "true" : "false";
469
821936
  if (name == "dt-blast-splits") return options.datatypes.dtBlastSplits ? "true" : "false";
470
821936
  if (name == "dt-cyclic") return options.datatypes.dtCyclic ? "true" : "false";
471
821936
  if (name == "dt-force-assignment") return options.datatypes.dtForceAssignment ? "true" : "false";
472
821936
  if (name == "dt-infer-as-lemmas") return options.datatypes.dtInferAsLemmas ? "true" : "false";
473
821936
  if (name == "dt-nested-rec") return options.datatypes.dtNestedRec ? "true" : "false";
474
821936
  if (name == "dt-polite-optimize") return options.datatypes.dtPoliteOptimize ? "true" : "false";
475
821936
  if (name == "dt-rewrite-error-sel") return options.datatypes.dtRewriteErrorSel ? "true" : "false";
476
821936
  if (name == "dt-share-sel") return options.datatypes.dtSharedSelectors ? "true" : "false";
477
821936
  if (name == "dt-stc-ind") return options.quantifiers.dtStcInduction ? "true" : "false";
478
821936
  if (name == "dt-var-exp-quant") return options.quantifiers.dtVarExpandQuant ? "true" : "false";
479
821936
  if (name == "dump") return options.smt.dumpModeString;
480
821936
  if (name == "dump-difficulty") return options.driver.dumpDifficulty ? "true" : "false";
481
821936
  if (name == "dump-instantiations") return options.driver.dumpInstantiations ? "true" : "false";
482
821936
  if (name == "dump-instantiations-debug") return options.driver.dumpInstantiationsDebug ? "true" : "false";
483
821936
  if (name == "dump-models") return options.driver.dumpModels ? "true" : "false";
484
821936
  if (name == "dump-proofs") return options.driver.dumpProofs ? "true" : "false";
485
821936
  if (name == "dump-to") { std::stringstream s; s << options.smt.dumpToFileName; return s.str(); }
486
821936
  if (name == "dump-unsat-cores") return options.driver.dumpUnsatCores ? "true" : "false";
487
821936
  if (name == "dump-unsat-cores-full") return options.driver.dumpUnsatCoresFull ? "true" : "false";
488
821936
  if (name == "e-matching") return options.quantifiers.eMatching ? "true" : "false";
489
821936
  if (name == "early-exit") return options.driver.earlyExit ? "true" : "false";
490
821936
  if (name == "early-ite-removal") return options.smt.earlyIteRemoval ? "true" : "false";
491
821936
  if (name == "ee-mode") { std::stringstream s; s << options.theory.eeMode; return s.str(); }
492
821936
  if (name == "elim-taut-quant") return options.quantifiers.elimTautQuant ? "true" : "false";
493
821936
  if (name == "err" || name == "diagnostic-output-channel") { std::stringstream s; s << options.base.err; return s.str(); }
494
821936
  if (name == "error-selection-rule") { std::stringstream s; s << options.arith.arithErrorSelectionRule; return s.str(); }
495
821936
  if (name == "expand-definitions") return options.smt.expandDefinitions ? "true" : "false";
496
821936
  if (name == "expr-depth") return std::to_string(options.expr.defaultExprDepth);
497
821936
  if (name == "ext-rew-prep") return options.smt.extRewPrep ? "true" : "false";
498
821936
  if (name == "ext-rew-prep-agg") return options.smt.extRewPrepAgg ? "true" : "false";
499
821936
  if (name == "ext-rewrite-quant") return options.quantifiers.extRewriteQuant ? "true" : "false";
500
821936
  if (name == "fc-penalties") return options.arith.havePenalties ? "true" : "false";
501
821936
  if (name == "filename") return options.driver.filename;
502
821936
  if (name == "filesystem-access") return options.parser.filesystemAccess ? "true" : "false";
503
821936
  if (name == "finite-model-find") return options.quantifiers.finiteModelFind ? "true" : "false";
504
821936
  if (name == "flatten-ho-chains") return options.printer.flattenHOChains ? "true" : "false";
505
821936
  if (name == "fmf-bound") return options.quantifiers.fmfBound ? "true" : "false";
506
821936
  if (name == "fmf-bound-int") return options.quantifiers.fmfBoundInt ? "true" : "false";
507
821936
  if (name == "fmf-bound-lazy") return options.quantifiers.fmfBoundLazy ? "true" : "false";
508
821936
  if (name == "fmf-fmc-simple") return options.quantifiers.fmfFmcSimple ? "true" : "false";
509
821936
  if (name == "fmf-fresh-dc") return options.quantifiers.fmfFreshDistConst ? "true" : "false";
510
821936
  if (name == "fmf-fun") return options.quantifiers.fmfFunWellDefined ? "true" : "false";
511
821936
  if (name == "fmf-fun-rlv") return options.quantifiers.fmfFunWellDefinedRelevant ? "true" : "false";
512
821936
  if (name == "fmf-inst-engine") return options.quantifiers.fmfInstEngine ? "true" : "false";
513
821936
  if (name == "fmf-type-completion-thresh") return std::to_string(options.quantifiers.fmfTypeCompletionThresh);
514
821936
  if (name == "force-logic") return options.parser.forceLogicString;
515
821936
  if (name == "force-no-limit-cpu-while-dump") return options.driver.forceNoLimitCpuWhileDump ? "true" : "false";
516
821936
  if (name == "foreign-theory-rewrite") return options.smt.foreignTheoryRewrite ? "true" : "false";
517
821936
  if (name == "fp-exp") return options.fp.fpExp ? "true" : "false";
518
821936
  if (name == "fp-lazy-wb") return options.fp.fpLazyWb ? "true" : "false";
519
821936
  if (name == "fs-interleave") return options.quantifiers.fullSaturateInterleave ? "true" : "false";
520
821936
  if (name == "fs-stratify") return options.quantifiers.fullSaturateStratify ? "true" : "false";
521
821936
  if (name == "fs-sum") return options.quantifiers.fullSaturateSum ? "true" : "false";
522
821936
  if (name == "full-saturate-quant") return options.quantifiers.fullSaturateQuant ? "true" : "false";
523
821936
  if (name == "full-saturate-quant-limit") return std::to_string(options.quantifiers.fullSaturateLimit);
524
821936
  if (name == "full-saturate-quant-rd") return options.quantifiers.fullSaturateQuantRd ? "true" : "false";
525
821936
  if (name == "global-declarations") return options.parser.globalDeclarations ? "true" : "false";
526
821936
  if (name == "global-negate") return options.quantifiers.globalNegate ? "true" : "false";
527
821936
  if (name == "help") return options.driver.help ? "true" : "false";
528
821936
  if (name == "heuristic-pivots") return std::to_string(options.arith.arithHeuristicPivots);
529
821936
  if (name == "ho-elim") return options.quantifiers.hoElim ? "true" : "false";
530
821936
  if (name == "ho-elim-store-ax") return options.quantifiers.hoElimStoreAx ? "true" : "false";
531
821936
  if (name == "ho-matching") return options.quantifiers.hoMatching ? "true" : "false";
532
821936
  if (name == "ho-matching-var-priority") return options.quantifiers.hoMatchingVarArgPriority ? "true" : "false";
533
821936
  if (name == "ho-merge-term-db") return options.quantifiers.hoMergeTermDb ? "true" : "false";
534
821936
  if (name == "iand-mode") { std::stringstream s; s << options.smt.iandMode; return s.str(); }
535
821936
  if (name == "in") { std::stringstream s; s << options.base.in; return s.str(); }
536
821936
  if (name == "increment-triggers") return options.quantifiers.incrementTriggers ? "true" : "false";
537
821936
  if (name == "incremental") return options.base.incrementalSolving ? "true" : "false";
538
821934
  if (name == "inst-level-input-only") return options.quantifiers.instLevelInputOnly ? "true" : "false";
539
821934
  if (name == "inst-max-level") return std::to_string(options.quantifiers.instMaxLevel);
540
821934
  if (name == "inst-max-rounds") return std::to_string(options.quantifiers.instMaxRounds);
541
821934
  if (name == "inst-no-entail") return options.quantifiers.instNoEntail ? "true" : "false";
542
821934
  if (name == "inst-when") { std::stringstream s; s << options.quantifiers.instWhenMode; return s.str(); }
543
821934
  if (name == "inst-when-phase") return std::to_string(options.quantifiers.instWhenPhase);
544
821934
  if (name == "inst-when-strict-interleave") return options.quantifiers.instWhenStrictInterleave ? "true" : "false";
545
821934
  if (name == "inst-when-tc-first") return options.quantifiers.instWhenTcFirst ? "true" : "false";
546
821934
  if (name == "int-wf-ind") return options.quantifiers.intWfInduction ? "true" : "false";
547
821934
  if (name == "interactive") return options.driver.interactive ? "true" : "false";
548
821934
  if (name == "interactive-mode") return options.smt.interactiveMode ? "true" : "false";
549
821934
  if (name == "ite-dtt-split-quant") return options.quantifiers.iteDtTesterSplitQuant ? "true" : "false";
550
821934
  if (name == "ite-lift-quant") { std::stringstream s; s << options.quantifiers.iteLiftQuant; return s.str(); }
551
821934
  if (name == "ite-simp") return options.smt.doITESimp ? "true" : "false";
552
821934
  if (name == "jh-rlv-order") return options.decision.jhRlvOrder ? "true" : "false";
553
821934
  if (name == "jh-skolem") { std::stringstream s; s << options.decision.jhSkolemMode; return s.str(); }
554
821934
  if (name == "jh-skolem-rlv") { std::stringstream s; s << options.decision.jhSkolemRlvMode; return s.str(); }
555
821934
  if (name == "lang" || name == "input-language") { std::stringstream s; s << options.base.inputLanguage; return s.str(); }
556
6227
  if (name == "language-help") return options.base.languageHelp ? "true" : "false";
557
6227
  if (name == "learned-rewrite") return options.smt.learnedRewrite ? "true" : "false";
558
6227
  if (name == "lemmas-on-replay-failure") return options.arith.replayFailureLemma ? "true" : "false";
559
6227
  if (name == "literal-matching") { std::stringstream s; s << options.quantifiers.literalMatchMode; return s.str(); }
560
6227
  if (name == "macros-quant") return options.quantifiers.macrosQuant ? "true" : "false";
561
6227
  if (name == "macros-quant-mode") { std::stringstream s; s << options.quantifiers.macrosQuantMode; return s.str(); }
562
6227
  if (name == "maxCutsInContext") return std::to_string(options.arith.maxCutsInContext);
563
6227
  if (name == "mbqi") { std::stringstream s; s << options.quantifiers.mbqiMode; return s.str(); }
564
6227
  if (name == "mbqi-interleave") return options.quantifiers.mbqiInterleave ? "true" : "false";
565
6227
  if (name == "mbqi-one-inst-per-round") return options.quantifiers.fmfOneInstPerRound ? "true" : "false";
566
6227
  if (name == "minimal-unsat-cores") return options.smt.minimalUnsatCores ? "true" : "false";
567
6227
  if (name == "minisat-dump-dimacs") return options.prop.minisatDumpDimacs ? "true" : "false";
568
6227
  if (name == "minisat-elimination") return options.prop.minisatUseElim ? "true" : "false";
569
6227
  if (name == "miniscope-quant") return options.quantifiers.miniscopeQuant ? "true" : "false";
570
6227
  if (name == "miniscope-quant-fv") return options.quantifiers.miniscopeQuantFreeVar ? "true" : "false";
571
6227
  if (name == "miplib-trick") return options.arith.arithMLTrick ? "true" : "false";
572
6227
  if (name == "miplib-trick-subs") return std::to_string(options.arith.arithMLTrickSubstitutions);
573
6227
  if (name == "mmap") return options.parser.memoryMap ? "true" : "false";
574
6227
  if (name == "model-cores") { std::stringstream s; s << options.smt.modelCoresMode; return s.str(); }
575
6227
  if (name == "model-uninterp-print" || name == "model-u-print") { std::stringstream s; s << options.smt.modelUninterpPrint; return s.str(); }
576
6227
  if (name == "model-witness-value") return options.smt.modelWitnessValue ? "true" : "false";
577
6227
  if (name == "multi-trigger-cache") return options.quantifiers.multiTriggerCache ? "true" : "false";
578
6227
  if (name == "multi-trigger-linear") return options.quantifiers.multiTriggerLinear ? "true" : "false";
579
6227
  if (name == "multi-trigger-priority") return options.quantifiers.multiTriggerPriority ? "true" : "false";
580
6227
  if (name == "multi-trigger-when-single") return options.quantifiers.multiTriggerWhenSingle ? "true" : "false";
581
6227
  if (name == "new-prop") return options.arith.newProp ? "true" : "false";
582
6227
  if (name == "nl-cad") return options.arith.nlCad ? "true" : "false";
583
6227
  if (name == "nl-cad-initial") return options.arith.nlCadUseInitial ? "true" : "false";
584
6227
  if (name == "nl-cad-lift") { std::stringstream s; s << options.arith.nlCadLifting; return s.str(); }
585
6227
  if (name == "nl-cad-proj") { std::stringstream s; s << options.arith.nlCadProjection; return s.str(); }
586
6227
  if (name == "nl-ext") { std::stringstream s; s << options.arith.nlExt; return s.str(); }
587
6227
  if (name == "nl-ext-ent-conf") return options.arith.nlExtEntailConflicts ? "true" : "false";
588
6227
  if (name == "nl-ext-factor") return options.arith.nlExtFactor ? "true" : "false";
589
6227
  if (name == "nl-ext-inc-prec") return options.arith.nlExtIncPrecision ? "true" : "false";
590
6227
  if (name == "nl-ext-purify") return options.arith.nlExtPurify ? "true" : "false";
591
6227
  if (name == "nl-ext-rbound") return options.arith.nlExtResBound ? "true" : "false";
592
6227
  if (name == "nl-ext-rewrite") return options.arith.nlExtRewrites ? "true" : "false";
593
6227
  if (name == "nl-ext-split-zero") return options.arith.nlExtSplitZero ? "true" : "false";
594
6227
  if (name == "nl-ext-tf-taylor-deg") return std::to_string(options.arith.nlExtTfTaylorDegree);
595
6227
  if (name == "nl-ext-tf-tplanes") return options.arith.nlExtTfTangentPlanes ? "true" : "false";
596
6227
  if (name == "nl-ext-tplanes") return options.arith.nlExtTangentPlanes ? "true" : "false";
597
6227
  if (name == "nl-ext-tplanes-interleave") return options.arith.nlExtTangentPlanesInterleave ? "true" : "false";
598
6227
  if (name == "nl-icp") return options.arith.nlICP ? "true" : "false";
599
6227
  if (name == "nl-rlv") { std::stringstream s; s << options.arith.nlRlvMode; return s.str(); }
600
6227
  if (name == "nl-rlv-assert-bounds") return options.arith.nlRlvAssertBounds ? "true" : "false";
601
6227
  if (name == "on-repeat-ite-simp") return options.smt.doITESimpOnRepeat ? "true" : "false";
602
6227
  if (name == "regular-output-channel" || name == "out") { std::stringstream s; s << options.base.out; return s.str(); }
603
6227
  if (name == "output") { std::stringstream s; s << options.base.outputTag; return s.str(); }
604
6227
  if (name == "output-lang" || name == "output-language") { std::stringstream s; s << options.base.outputLanguage; return s.str(); }
605
36
  if (name == "parse-only") return options.base.parseOnly ? "true" : "false";
606
36
  if (name == "partial-triggers") return options.quantifiers.partialTriggers ? "true" : "false";
607
36
  if (name == "pb-rewrites") return options.arith.pbRewrites ? "true" : "false";
608
36
  if (name == "pivot-threshold") return std::to_string(options.arith.arithPivotThreshold);
609
36
  if (name == "pool-inst") return options.quantifiers.poolInst ? "true" : "false";
610
36
  if (name == "pp-assert-max-sub-size") return std::to_string(options.arith.ppAssertMaxSubSize);
611
36
  if (name == "pre-skolem-quant") return options.quantifiers.preSkolemQuant ? "true" : "false";
612
36
  if (name == "pre-skolem-quant-agg") return options.quantifiers.preSkolemQuantAgg ? "true" : "false";
613
36
  if (name == "pre-skolem-quant-nested") return options.quantifiers.preSkolemQuantNested ? "true" : "false";
614
36
  if (name == "prenex-quant") { std::stringstream s; s << options.quantifiers.prenexQuant; return s.str(); }
615
36
  if (name == "prenex-quant-user") return options.quantifiers.prenexQuantUser ? "true" : "false";
616
36
  if (name == "preprocess-only") return options.base.preprocessOnly ? "true" : "false";
617
36
  if (name == "print-inst") { std::stringstream s; s << options.printer.printInstMode; return s.str(); }
618
36
  if (name == "print-inst-full") return options.printer.printInstFull ? "true" : "false";
619
36
  if (name == "print-success") return options.base.printSuccess ? "true" : "false";
620
36
  if (name == "produce-abducts") return options.smt.produceAbducts ? "true" : "false";
621
36
  if (name == "produce-assertions") return options.smt.produceAssertions ? "true" : "false";
622
36
  if (name == "produce-assignments") return options.smt.produceAssignments ? "true" : "false";
623
36
  if (name == "produce-difficulty") return options.smt.produceDifficulty ? "true" : "false";
624
36
  if (name == "produce-interpols") { std::stringstream s; s << options.smt.produceInterpols; return s.str(); }
625
36
  if (name == "produce-models") return options.smt.produceModels ? "true" : "false";
626
33
  if (name == "produce-proofs") return options.smt.produceProofs ? "true" : "false";
627
33
  if (name == "produce-unsat-assumptions") return options.smt.unsatAssumptions ? "true" : "false";
628
33
  if (name == "produce-unsat-cores") return options.smt.unsatCores ? "true" : "false";
629
33
  if (name == "proof-check") { std::stringstream s; s << options.proof.proofCheck; return s.str(); }
630
33
  if (name == "proof-format-mode") { std::stringstream s; s << options.proof.proofFormatMode; return s.str(); }
631
33
  if (name == "proof-granularity") { std::stringstream s; s << options.proof.proofGranularityMode; return s.str(); }
632
33
  if (name == "proof-pedantic") return std::to_string(options.proof.proofPedantic);
633
33
  if (name == "proof-pp-merge") return options.proof.proofPpMerge ? "true" : "false";
634
33
  if (name == "proof-print-conclusion") return options.proof.proofPrintConclusion ? "true" : "false";
635
33
  if (name == "prop-row-length") return std::to_string(options.arith.arithPropagateMaxLength);
636
33
  if (name == "purify-triggers") return options.quantifiers.purifyTriggers ? "true" : "false";
637
33
  if (name == "qcf-all-conflict") return options.quantifiers.qcfAllConflict ? "true" : "false";
638
33
  if (name == "qcf-eager-check-rd") return options.quantifiers.qcfEagerCheckRd ? "true" : "false";
639
33
  if (name == "qcf-eager-test") return options.quantifiers.qcfEagerTest ? "true" : "false";
640
33
  if (name == "qcf-nested-conflict") return options.quantifiers.qcfNestedConflict ? "true" : "false";
641
33
  if (name == "qcf-skip-rd") return options.quantifiers.qcfSkipRd ? "true" : "false";
642
33
  if (name == "qcf-tconstraint") return options.quantifiers.qcfTConstraint ? "true" : "false";
643
33
  if (name == "qcf-vo-exp") return options.quantifiers.qcfVoExp ? "true" : "false";
644
33
  if (name == "quant-alpha-equiv") return options.quantifiers.quantAlphaEquiv ? "true" : "false";
645
33
  if (name == "quant-cf") return options.quantifiers.quantConflictFind ? "true" : "false";
646
33
  if (name == "quant-cf-mode") { std::stringstream s; s << options.quantifiers.qcfMode; return s.str(); }
647
33
  if (name == "quant-cf-when") { std::stringstream s; s << options.quantifiers.qcfWhenMode; return s.str(); }
648
33
  if (name == "quant-dsplit-mode") { std::stringstream s; s << options.quantifiers.quantDynamicSplit; return s.str(); }
649
33
  if (name == "quant-fun-wd") return options.quantifiers.quantFunWellDefined ? "true" : "false";
650
33
  if (name == "quant-ind") return options.quantifiers.quantInduction ? "true" : "false";
651
33
  if (name == "quant-rep-mode") { std::stringstream s; s << options.quantifiers.quantRepMode; return s.str(); }
652
33
  if (name == "quant-split") return options.quantifiers.quantSplit ? "true" : "false";
653
33
  if (name == "random-frequency" || name == "random-freq") return std::to_string(options.prop.satRandomFreq);
654
33
  if (name == "random-seed") return std::to_string(options.prop.satRandomSeed);
655
29
  if (name == "re-elim") return options.strings.regExpElim ? "true" : "false";
656
29
  if (name == "re-elim-agg") return options.strings.regExpElimAgg ? "true" : "false";
657
29
  if (name == "re-inter-mode") { std::stringstream s; s << options.strings.stringRegExpInterMode; return s.str(); }
658
29
  if (name == "refine-conflicts") return options.prop.sat_refine_conflicts ? "true" : "false";
659
29
  if (name == "register-quant-body-terms") return options.quantifiers.registerQuantBodyTerms ? "true" : "false";
660
29
  if (name == "relational-triggers") return options.quantifiers.relationalTriggers ? "true" : "false";
661
29
  if (name == "relevance-filter") return options.theory.relevanceFilter ? "true" : "false";
662
29
  if (name == "relevant-triggers") return options.quantifiers.relevantTriggers ? "true" : "false";
663
29
  if (name == "repeat-simp") return options.smt.repeatSimp ? "true" : "false";
664
29
  if (name == "replay-early-close-depth") return std::to_string(options.arith.replayEarlyCloseDepths);
665
29
  if (name == "replay-lemma-reject-cut") return std::to_string(options.arith.lemmaRejectCutSize);
666
29
  if (name == "replay-num-err-penalty") return std::to_string(options.arith.replayNumericFailurePenalty);
667
29
  if (name == "replay-reject-cut") return std::to_string(options.arith.replayRejectCutSize);
668
29
  if (name == "restart-int-base") return std::to_string(options.prop.satRestartFirst);
669
29
  if (name == "restart-int-inc") return std::to_string(options.prop.satRestartInc);
670
29
  if (name == "restrict-pivots") return options.arith.restrictedPivots ? "true" : "false";
671
29
  if (name == "revert-arith-models-on-unsat") return options.arith.revertArithModels ? "true" : "false";
672
29
  if (name == "rlimit") return std::to_string(options.base.cumulativeResourceLimit);
673
29
  if (name == "rlimit-per" || name == "reproducible-resource-limit") return std::to_string(options.base.perCallResourceLimit);
674
29
  if (name == "rr-turns") return std::to_string(options.arith.rrTurns);
675
29
  if (name == "se-solve-int") return options.arith.trySolveIntStandardEffort ? "true" : "false";
676
29
  if (name == "seed") return std::to_string(options.driver.seed);
677
29
  if (name == "segv-spin") return options.driver.segvSpin ? "true" : "false";
678
29
  if (name == "semantic-checks") return options.parser.semanticChecks ? "true" : "false";
679
29
  if (name == "sep-check-neg") return options.sep.sepCheckNeg ? "true" : "false";
680
29
  if (name == "sep-child-refine") return options.sep.sepChildRefine ? "true" : "false";
681
29
  if (name == "sep-deq-c") return options.sep.sepDisequalC ? "true" : "false";
682
29
  if (name == "sep-min-refine") return options.sep.sepMinimalRefine ? "true" : "false";
683
29
  if (name == "sep-pre-skolem-emp") return options.sep.sepPreSkolemEmp ? "true" : "false";
684
29
  if (name == "sets-ext") return options.sets.setsExt ? "true" : "false";
685
29
  if (name == "sets-infer-as-lemmas") return options.sets.setsInferAsLemmas ? "true" : "false";
686
29
  if (name == "sets-proxy-lemmas") return options.sets.setsProxyLemmas ? "true" : "false";
687
29
  if (name == "simp-ite-compress") return options.smt.compressItes ? "true" : "false";
688
29
  if (name == "simp-ite-hunt-zombies") return std::to_string(options.smt.zombieHuntThreshold);
689
29
  if (name == "simp-with-care") return options.smt.simplifyWithCareEnabled ? "true" : "false";
690
29
  if (name == "simplex-check-period") return std::to_string(options.arith.arithSimplexCheckPeriod);
691
29
  if (name == "simplification-mode" || name == "simplification") { std::stringstream s; s << options.smt.simplificationMode; return s.str(); }
692
28
  if (name == "soi-qe") return options.arith.soiQuickExplain ? "true" : "false";
693
28
  if (name == "solve-bv-as-int") { std::stringstream s; s << options.smt.solveBVAsInt; return s.str(); }
694
28
  if (name == "solve-int-as-bv") return std::to_string(options.smt.solveIntAsBV);
695
28
  if (name == "solve-real-as-int") return options.smt.solveRealAsInt ? "true" : "false";
696
28
  if (name == "sort-inference") return options.smt.sortInference ? "true" : "false";
697
28
  if (name == "standard-effort-variable-order-pivots") return std::to_string(options.arith.arithStandardCheckVarOrderPivots);
698
28
  if (name == "static-learning") return options.smt.doStaticLearning ? "true" : "false";
699
28
  if (name == "stats") return options.base.statistics ? "true" : "false";
700
23
  if (name == "stats-all") return options.base.statisticsAll ? "true" : "false";
701
18
  if (name == "stats-every-query") return options.base.statisticsEveryQuery ? "true" : "false";
702
13
  if (name == "stats-expert") return options.base.statisticsExpert ? "true" : "false";
703
8
  if (name == "strict-parsing") return options.parser.strictParsing ? "true" : "false";
704
8
  if (name == "strings-check-entail-len") return options.strings.stringCheckEntailLen ? "true" : "false";
705
8
  if (name == "strings-eager") return options.strings.stringEager ? "true" : "false";
706
8
  if (name == "strings-eager-eval") return options.strings.stringEagerEval ? "true" : "false";
707
8
  if (name == "strings-eager-len") return options.strings.stringEagerLen ? "true" : "false";
708
8
  if (name == "strings-exp") return options.strings.stringExp ? "true" : "false";
709
8
  if (name == "strings-ff") return options.strings.stringFlatForms ? "true" : "false";
710
8
  if (name == "strings-fmf") return options.strings.stringFMF ? "true" : "false";
711
8
  if (name == "strings-guess-model") return options.strings.stringGuessModel ? "true" : "false";
712
8
  if (name == "strings-infer-as-lemmas") return options.strings.stringInferAsLemmas ? "true" : "false";
713
8
  if (name == "strings-infer-sym") return options.strings.stringInferSym ? "true" : "false";
714
8
  if (name == "strings-lazy-pp") return options.strings.stringLazyPreproc ? "true" : "false";
715
8
  if (name == "strings-len-norm") return options.strings.stringLenNorm ? "true" : "false";
716
8
  if (name == "strings-min-prefix-explain") return options.strings.stringMinPrefixExplain ? "true" : "false";
717
8
  if (name == "strings-process-loop-mode") { std::stringstream s; s << options.strings.stringProcessLoopMode; return s.str(); }
718
8
  if (name == "strings-rexplain-lemmas") return options.strings.stringRExplainLemmas ? "true" : "false";
719
8
  if (name == "strings-unified-vspt") return options.strings.stringUnifiedVSpt ? "true" : "false";
720
8
  if (name == "sygus") return options.quantifiers.sygus ? "true" : "false";
721
8
  if (name == "sygus-abort-size") return std::to_string(options.datatypes.sygusAbortSize);
722
8
  if (name == "sygus-active-gen") { std::stringstream s; s << options.quantifiers.sygusActiveGenMode; return s.str(); }
723
8
  if (name == "sygus-active-gen-cfactor") return std::to_string(options.quantifiers.sygusActiveGenEnumConsts);
724
8
  if (name == "sygus-add-const-grammar") return options.quantifiers.sygusAddConstGrammar ? "true" : "false";
725
8
  if (name == "sygus-arg-relevant") return options.quantifiers.sygusArgRelevant ? "true" : "false";
726
8
  if (name == "sygus-auto-unfold") return options.quantifiers.sygusInvAutoUnfold ? "true" : "false";
727
8
  if (name == "sygus-bool-ite-return-const") return options.quantifiers.sygusBoolIteReturnConst ? "true" : "false";
728
8
  if (name == "sygus-core-connective") return options.quantifiers.sygusCoreConnective ? "true" : "false";
729
8
  if (name == "sygus-crepair-abort") return options.quantifiers.sygusConstRepairAbort ? "true" : "false";
730
8
  if (name == "sygus-eval-opt") return options.quantifiers.sygusEvalOpt ? "true" : "false";
731
8
  if (name == "sygus-eval-unfold") return options.quantifiers.sygusEvalUnfold ? "true" : "false";
732
8
  if (name == "sygus-eval-unfold-bool") return options.quantifiers.sygusEvalUnfoldBool ? "true" : "false";
733
8
  if (name == "sygus-expr-miner-check-timeout") return std::to_string(options.quantifiers.sygusExprMinerCheckTimeout);
734
8
  if (name == "sygus-ext-rew") return options.quantifiers.sygusExtRew ? "true" : "false";
735
8
  if (name == "sygus-fair") { std::stringstream s; s << options.datatypes.sygusFair; return s.str(); }
736
8
  if (name == "sygus-fair-max") return options.datatypes.sygusFairMax ? "true" : "false";
737
8
  if (name == "sygus-filter-sol") { std::stringstream s; s << options.quantifiers.sygusFilterSolMode; return s.str(); }
738
8
  if (name == "sygus-filter-sol-rev") return options.quantifiers.sygusFilterSolRevSubsume ? "true" : "false";
739
8
  if (name == "sygus-grammar-cons") { std::stringstream s; s << options.quantifiers.sygusGrammarConsMode; return s.str(); }
740
8
  if (name == "sygus-grammar-norm") return options.quantifiers.sygusGrammarNorm ? "true" : "false";
741
8
  if (name == "sygus-inference") return options.quantifiers.sygusInference ? "true" : "false";
742
8
  if (name == "sygus-inst") return options.quantifiers.sygusInst ? "true" : "false";
743
8
  if (name == "sygus-inst-mode") { std::stringstream s; s << options.quantifiers.sygusInstMode; return s.str(); }
744
8
  if (name == "sygus-inst-scope") { std::stringstream s; s << options.quantifiers.sygusInstScope; return s.str(); }
745
8
  if (name == "sygus-inst-term-sel") { std::stringstream s; s << options.quantifiers.sygusInstTermSel; return s.str(); }
746
8
  if (name == "sygus-inv-templ") { std::stringstream s; s << options.quantifiers.sygusInvTemplMode; return s.str(); }
747
8
  if (name == "sygus-inv-templ-when-sg") return options.quantifiers.sygusInvTemplWhenSyntax ? "true" : "false";
748
8
  if (name == "sygus-min-grammar") return options.quantifiers.sygusMinGrammar ? "true" : "false";
749
8
  if (name == "sygus-out") { std::stringstream s; s << options.smt.sygusOut; return s.str(); }
750
8
  if (name == "sygus-pbe") return options.quantifiers.sygusUnifPbe ? "true" : "false";
751
8
  if (name == "sygus-pbe-multi-fair") return options.quantifiers.sygusPbeMultiFair ? "true" : "false";
752
8
  if (name == "sygus-pbe-multi-fair-diff") return std::to_string(options.quantifiers.sygusPbeMultiFairDiff);
753
8
  if (name == "sygus-qe-preproc") return options.quantifiers.sygusQePreproc ? "true" : "false";
754
8
  if (name == "sygus-query-gen") return options.quantifiers.sygusQueryGen ? "true" : "false";
755
8
  if (name == "sygus-query-gen-check") return options.quantifiers.sygusQueryGenCheck ? "true" : "false";
756
8
  if (name == "sygus-query-gen-dump-files") { std::stringstream s; s << options.quantifiers.sygusQueryGenDumpFiles; return s.str(); }
757
8
  if (name == "sygus-query-gen-thresh") return std::to_string(options.quantifiers.sygusQueryGenThresh);
758
8
  if (name == "sygus-rec-fun") return options.quantifiers.sygusRecFun ? "true" : "false";
759
8
  if (name == "sygus-rec-fun-eval-limit") return std::to_string(options.quantifiers.sygusRecFunEvalLimit);
760
8
  if (name == "sygus-repair-const") return options.quantifiers.sygusRepairConst ? "true" : "false";
761
8
  if (name == "sygus-repair-const-timeout") return std::to_string(options.quantifiers.sygusRepairConstTimeout);
762
8
  if (name == "sygus-rr") return options.quantifiers.sygusRew ? "true" : "false";
763
8
  if (name == "sygus-rr-synth") return options.quantifiers.sygusRewSynth ? "true" : "false";
764
8
  if (name == "sygus-rr-synth-accel") return options.quantifiers.sygusRewSynthAccel ? "true" : "false";
765
8
  if (name == "sygus-rr-synth-check") return options.quantifiers.sygusRewSynthCheck ? "true" : "false";
766
8
  if (name == "sygus-rr-synth-filter-cong") return options.quantifiers.sygusRewSynthFilterCong ? "true" : "false";
767
8
  if (name == "sygus-rr-synth-filter-match") return options.quantifiers.sygusRewSynthFilterMatch ? "true" : "false";
768
8
  if (name == "sygus-rr-synth-filter-nl") return options.quantifiers.sygusRewSynthFilterNonLinear ? "true" : "false";
769
8
  if (name == "sygus-rr-synth-filter-order") return options.quantifiers.sygusRewSynthFilterOrder ? "true" : "false";
770
8
  if (name == "sygus-rr-synth-input") return options.quantifiers.sygusRewSynthInput ? "true" : "false";
771
8
  if (name == "sygus-rr-synth-input-nvars") return std::to_string(options.quantifiers.sygusRewSynthInputNVars);
772
8
  if (name == "sygus-rr-synth-input-use-bool") return options.quantifiers.sygusRewSynthInputUseBool ? "true" : "false";
773
8
  if (name == "sygus-rr-synth-rec") return options.quantifiers.sygusRewSynthRec ? "true" : "false";
774
8
  if (name == "sygus-rr-verify") return options.quantifiers.sygusRewVerify ? "true" : "false";
775
8
  if (name == "sygus-rr-verify-abort") return options.quantifiers.sygusRewVerifyAbort ? "true" : "false";
776
8
  if (name == "sygus-sample-fp-uniform") return options.quantifiers.sygusSampleFpUniform ? "true" : "false";
777
8
  if (name == "sygus-sample-grammar") return options.quantifiers.sygusSampleGrammar ? "true" : "false";
778
8
  if (name == "sygus-samples") return std::to_string(options.quantifiers.sygusSamples);
779
8
  if (name == "sygus-si") { std::stringstream s; s << options.quantifiers.cegqiSingleInvMode; return s.str(); }
780
8
  if (name == "sygus-si-abort") return options.quantifiers.cegqiSingleInvAbort ? "true" : "false";
781
8
  if (name == "sygus-si-rcons") { std::stringstream s; s << options.quantifiers.cegqiSingleInvReconstruct; return s.str(); }
782
8
  if (name == "sygus-si-rcons-limit") return std::to_string(options.quantifiers.cegqiSingleInvReconstructLimit);
783
8
  if (name == "sygus-stream") return options.quantifiers.sygusStream ? "true" : "false";
784
8
  if (name == "sygus-sym-break") return options.datatypes.sygusSymBreak ? "true" : "false";
785
8
  if (name == "sygus-sym-break-agg") return options.datatypes.sygusSymBreakAgg ? "true" : "false";
786
8
  if (name == "sygus-sym-break-dynamic") return options.datatypes.sygusSymBreakDynamic ? "true" : "false";
787
8
  if (name == "sygus-sym-break-lazy") return options.datatypes.sygusSymBreakLazy ? "true" : "false";
788
8
  if (name == "sygus-sym-break-pbe") return options.datatypes.sygusSymBreakPbe ? "true" : "false";
789
8
  if (name == "sygus-sym-break-rlv") return options.datatypes.sygusSymBreakRlv ? "true" : "false";
790
8
  if (name == "sygus-templ-embed-grammar") return options.quantifiers.sygusTemplEmbedGrammar ? "true" : "false";
791
8
  if (name == "sygus-unif-cond-independent-no-repeat-sol") return options.quantifiers.sygusUnifCondIndNoRepeatSol ? "true" : "false";
792
8
  if (name == "sygus-unif-pi") { std::stringstream s; s << options.quantifiers.sygusUnifPi; return s.str(); }
793
8
  if (name == "sygus-unif-shuffle-cond") return options.quantifiers.sygusUnifShuffleCond ? "true" : "false";
794
8
  if (name == "sygus-verify-inst-max-rounds") return std::to_string(options.quantifiers.sygusVerifyInstMaxRounds);
795
8
  if (name == "uf-symmetry-breaker" || name == "symmetry-breaker") return options.uf.ufSymmetryBreaker ? "true" : "false";
796
8
  if (name == "tc-mode") { std::stringstream s; s << options.theory.tcMode; return s.str(); }
797
8
  if (name == "term-db-cd") return options.quantifiers.termDbCd ? "true" : "false";
798
8
  if (name == "term-db-mode") { std::stringstream s; s << options.quantifiers.termDbMode; return s.str(); }
799
8
  if (name == "theoryof-mode") { std::stringstream s; s << options.theory.theoryOfMode; return s.str(); }
800
8
  if (name == "tlimit") return std::to_string(options.base.cumulativeMillisecondLimit);
801
8
  if (name == "tlimit-per") return std::to_string(options.base.perCallMillisecondLimit);
802
8
  if (name == "trigger-active-sel") { std::stringstream s; s << options.quantifiers.triggerActiveSelMode; return s.str(); }
803
8
  if (name == "trigger-sel") { std::stringstream s; s << options.quantifiers.triggerSelMode; return s.str(); }
804
8
  if (name == "type-checking") return options.expr.typeChecking ? "true" : "false";
805
8
  if (name == "uf-ho") return options.uf.ufHo ? "true" : "false";
806
8
  if (name == "uf-ho-ext") return options.uf.ufHoExt ? "true" : "false";
807
8
  if (name == "uf-ss") { std::stringstream s; s << options.uf.ufssMode; return s.str(); }
808
8
  if (name == "uf-ss-abort-card") return std::to_string(options.uf.ufssAbortCardinality);
809
8
  if (name == "uf-ss-fair") return options.uf.ufssFairness ? "true" : "false";
810
8
  if (name == "uf-ss-fair-monotone") return options.uf.ufssFairnessMonotone ? "true" : "false";
811
8
  if (name == "unate-lemmas") { std::stringstream s; s << options.arith.arithUnateLemmaMode; return s.str(); }
812
8
  if (name == "unconstrained-simp") return options.smt.unconstrainedSimp ? "true" : "false";
813
8
  if (name == "unsat-cores-mode") { std::stringstream s; s << options.smt.unsatCoresMode; return s.str(); }
814
8
  if (name == "use-approx") return options.arith.useApprox ? "true" : "false";
815
8
  if (name == "use-fcsimplex") return options.arith.useFC ? "true" : "false";
816
8
  if (name == "use-soi") return options.arith.useSOI ? "true" : "false";
817
8
  if (name == "user-pat") { std::stringstream s; s << options.quantifiers.userPatternsQuant; return s.str(); }
818
8
  if (name == "var-elim-quant") return options.quantifiers.varElimQuant ? "true" : "false";
819
8
  if (name == "var-ineq-elim-quant") return options.quantifiers.varIneqElimQuant ? "true" : "false";
820
8
  if (name == "verbosity") return std::to_string(options.base.verbosity);
821
2
  if (name == "version") return options.driver.version ? "true" : "false";
822
    // clang-format on
823
2
    throw OptionException("Unrecognized option key or setting: " + name);
824
  }
825
826
38668
  void set(
827
      Options & opts, const std::string& name, const std::string& optionarg)
828
  {
829
77336
    Trace("options") << "set option " << name << " = " << optionarg
830
38668
                     << std::endl;
831
    // clang-format off
832
38668
  if (name == "abstract-values") {
833
4
    opts.smt.abstractValues = handlers::handleOption<bool>("abstract-values", name, optionarg);
834
4
    opts.smt.abstractValuesWasSetByUser = true;
835
38664
  } else if (name == "ackermann") {
836
31
    opts.smt.ackermann = handlers::handleOption<bool>("ackermann", name, optionarg);
837
31
    opts.smt.ackermannWasSetByUser = true;
838
38633
  } else if (name == "ag-miniscope-quant") {
839
4
    opts.quantifiers.aggressiveMiniscopeQuant = handlers::handleOption<bool>("ag-miniscope-quant", name, optionarg);
840
4
    opts.quantifiers.aggressiveMiniscopeQuantWasSetByUser = true;
841
38629
  } else if (name == "approx-branch-depth") {
842
    opts.arith.maxApproxDepth = handlers::handleOption<int64_t>("approx-branch-depth", name, optionarg);
843
    opts.arith.maxApproxDepthWasSetByUser = true;
844
38629
  } else if (name == "arith-brab") {
845
4
    opts.arith.brabTest = handlers::handleOption<bool>("arith-brab", name, optionarg);
846
4
    opts.arith.brabTestWasSetByUser = true;
847
38625
  } else if (name == "arith-cong-man") {
848
    opts.arith.arithCongMan = handlers::handleOption<bool>("arith-cong-man", name, optionarg);
849
    opts.arith.arithCongManWasSetByUser = true;
850
38625
  } else if (name == "arith-eq-solver") {
851
6
    opts.arith.arithEqSolver = handlers::handleOption<bool>("arith-eq-solver", name, optionarg);
852
6
    opts.arith.arithEqSolverWasSetByUser = true;
853
38619
  } else if (name == "arith-no-partial-fun") {
854
3
    opts.arith.arithNoPartialFun = handlers::handleOption<bool>("arith-no-partial-fun", name, optionarg);
855
3
    opts.arith.arithNoPartialFunWasSetByUser = true;
856
38616
  } else if (name == "arith-prop") {
857
    opts.arith.arithPropagationMode = stringToArithPropagationMode(optionarg);
858
    opts.arith.arithPropagationModeWasSetByUser = true;
859
38616
  } else if (name == "arith-prop-clauses") {
860
    opts.arith.arithPropAsLemmaLength = handlers::handleOption<uint64_t>("arith-prop-clauses", name, optionarg);
861
    opts.arith.arithPropAsLemmaLengthWasSetByUser = true;
862
38616
  } else if (name == "arith-rewrite-equalities") {
863
9
    opts.arith.arithRewriteEq = handlers::handleOption<bool>("arith-rewrite-equalities", name, optionarg);
864
9
    opts.arith.arithRewriteEqWasSetByUser = true;
865
38607
  } else if (name == "arrays-eager-index") {
866
    opts.arrays.arraysEagerIndexSplitting = handlers::handleOption<bool>("arrays-eager-index", name, optionarg);
867
    opts.arrays.arraysEagerIndexSplittingWasSetByUser = true;
868
38607
  } else if (name == "arrays-eager-lemmas") {
869
    opts.arrays.arraysEagerLemmas = handlers::handleOption<bool>("arrays-eager-lemmas", name, optionarg);
870
    opts.arrays.arraysEagerLemmasWasSetByUser = true;
871
38607
  } else if (name == "arrays-exp") {
872
10
    opts.arrays.arraysExp = handlers::handleOption<bool>("arrays-exp", name, optionarg);
873
10
    opts.arrays.arraysExpWasSetByUser = true;
874
38597
  } else if (name == "arrays-optimize-linear") {
875
    opts.arrays.arraysOptimizeLinear = handlers::handleOption<bool>("arrays-optimize-linear", name, optionarg);
876
    opts.arrays.arraysOptimizeLinearWasSetByUser = true;
877
38597
  } else if (name == "arrays-prop") {
878
    opts.arrays.arraysPropagate = handlers::handleOption<int64_t>("arrays-prop", name, optionarg);
879
    opts.arrays.arraysPropagateWasSetByUser = true;
880
38597
  } else if (name == "arrays-reduce-sharing") {
881
    opts.arrays.arraysReduceSharing = handlers::handleOption<bool>("arrays-reduce-sharing", name, optionarg);
882
    opts.arrays.arraysReduceSharingWasSetByUser = true;
883
38597
  } else if (name == "arrays-weak-equiv") {
884
    opts.arrays.arraysWeakEquivalence = handlers::handleOption<bool>("arrays-weak-equiv", name, optionarg);
885
    opts.arrays.arraysWeakEquivalenceWasSetByUser = true;
886
38597
  } else if (name == "assign-function-values") {
887
2
    opts.theory.assignFunctionValues = handlers::handleOption<bool>("assign-function-values", name, optionarg);
888
2
    opts.theory.assignFunctionValuesWasSetByUser = true;
889
38595
  } else if (name == "bitblast") {
890
43
    opts.bv.bitblastMode = stringToBitblastMode(optionarg);
891
43
    opts.bv.bitblastModeWasSetByUser = true;
892
38552
  } else if (name == "bitblast-aig") {
893
    auto value = handlers::handleOption<bool>("bitblast-aig", name, optionarg);
894
    opts.handler().abcEnabledBuild("bitblast-aig", name, value);
895
    opts.handler().setBitblastAig("bitblast-aig", name, value);
896
    opts.bv.bitvectorAig = value;
897
    opts.bv.bitvectorAigWasSetByUser = true;
898
38552
  } else if (name == "bitwise-eq") {
899
    opts.bv.bitwiseEq = handlers::handleOption<bool>("bitwise-eq", name, optionarg);
900
    opts.bv.bitwiseEqWasSetByUser = true;
901
38552
  } else if (name == "block-models") {
902
21
    opts.smt.blockModelsMode = stringToBlockModelsMode(optionarg);
903
21
    opts.smt.blockModelsModeWasSetByUser = true;
904
38531
  } else if (name == "bool-to-bv") {
905
12
    opts.bv.boolToBitvector = stringToBoolToBVMode(optionarg);
906
12
    opts.bv.boolToBitvectorWasSetByUser = true;
907
38519
  } else if (name == "bv-abstraction") {
908
4
    opts.bv.bvAbstraction = handlers::handleOption<bool>("bv-abstraction", name, optionarg);
909
4
    opts.bv.bvAbstractionWasSetByUser = true;
910
38515
  } else if (name == "bv-aig-simp") {
911
    auto value = handlers::handleOption<std::string>("bv-aig-simp", name, optionarg);
912
    opts.handler().abcEnabledBuild("bv-aig-simp", name, value);
913
    opts.bv.bitvectorAigSimplifications = value;
914
    opts.bv.bitvectorAigSimplificationsWasSetByUser = true;
915
38515
  } else if (name == "bv-algebraic-budget") {
916
    opts.bv.bitvectorAlgebraicBudget = handlers::handleOption<uint64_t>("bv-algebraic-budget", name, optionarg);
917
    opts.bv.bitvectorAlgebraicBudgetWasSetByUser = true;
918
38515
  } else if (name == "bv-algebraic-solver") {
919
    opts.bv.bitvectorAlgebraicSolver = handlers::handleOption<bool>("bv-algebraic-solver", name, optionarg);
920
    opts.bv.bitvectorAlgebraicSolverWasSetByUser = true;
921
38515
  } else if (name == "bv-assert-input") {
922
6
    opts.bv.bvAssertInput = handlers::handleOption<bool>("bv-assert-input", name, optionarg);
923
6
    opts.bv.bvAssertInputWasSetByUser = true;
924
38509
  } else if (name == "bv-eager-explanations") {
925
    opts.bv.bvEagerExplanations = handlers::handleOption<bool>("bv-eager-explanations", name, optionarg);
926
    opts.bv.bvEagerExplanationsWasSetByUser = true;
927
38509
  } else if (name == "bv-eq-solver") {
928
2
    opts.bv.bitvectorEqualitySolver = handlers::handleOption<bool>("bv-eq-solver", name, optionarg);
929
2
    opts.bv.bitvectorEqualitySolverWasSetByUser = true;
930
38507
  } else if (name == "bv-extract-arith") {
931
    opts.bv.bvExtractArithRewrite = handlers::handleOption<bool>("bv-extract-arith", name, optionarg);
932
    opts.bv.bvExtractArithRewriteWasSetByUser = true;
933
38507
  } else if (name == "bv-gauss-elim") {
934
    opts.bv.bvGaussElim = handlers::handleOption<bool>("bv-gauss-elim", name, optionarg);
935
    opts.bv.bvGaussElimWasSetByUser = true;
936
38507
  } else if (name == "bv-inequality-solver") {
937
    opts.bv.bitvectorInequalitySolver = handlers::handleOption<bool>("bv-inequality-solver", name, optionarg);
938
    opts.bv.bitvectorInequalitySolverWasSetByUser = true;
939
38507
  } else if (name == "bv-intro-pow2") {
940
2
    opts.bv.bvIntroducePow2 = handlers::handleOption<bool>("bv-intro-pow2", name, optionarg);
941
2
    opts.bv.bvIntroducePow2WasSetByUser = true;
942
38505
  } else if (name == "bv-num-func") {
943
    opts.bv.bvNumFunc = handlers::handleOption<uint64_t>("bv-num-func", name, optionarg);
944
    opts.bv.bvNumFuncWasSetByUser = true;
945
38505
  } else if (name == "bv-print-consts-as-indexed-symbols") {
946
2
    opts.bv.bvPrintConstsAsIndexedSymbols = handlers::handleOption<bool>("bv-print-consts-as-indexed-symbols", name, optionarg);
947
2
    opts.bv.bvPrintConstsAsIndexedSymbolsWasSetByUser = true;
948
38503
  } else if (name == "bv-propagate") {
949
    opts.bv.bitvectorPropagate = handlers::handleOption<bool>("bv-propagate", name, optionarg);
950
    opts.bv.bitvectorPropagateWasSetByUser = true;
951
38503
  } else if (name == "bv-quick-xplain") {
952
    opts.bv.bitvectorQuickXplain = handlers::handleOption<bool>("bv-quick-xplain", name, optionarg);
953
    opts.bv.bitvectorQuickXplainWasSetByUser = true;
954
38503
  } else if (name == "bv-sat-solver") {
955
18
    auto value = stringToSatSolverMode(optionarg);
956
16
    opts.handler().checkBvSatSolver("bv-sat-solver", name, value);
957
16
    opts.bv.bvSatSolver = value;
958
16
    opts.bv.bvSatSolverWasSetByUser = true;
959
38485
  } else if (name == "bv-skolemize") {
960
    opts.bv.skolemizeArguments = handlers::handleOption<bool>("bv-skolemize", name, optionarg);
961
    opts.bv.skolemizeArgumentsWasSetByUser = true;
962
38485
  } else if (name == "bv-solver") {
963
48
    opts.bv.bvSolver = stringToBVSolver(optionarg);
964
48
    opts.bv.bvSolverWasSetByUser = true;
965
38437
  } else if (name == "bv-to-bool") {
966
10
    opts.bv.bitvectorToBool = handlers::handleOption<bool>("bv-to-bool", name, optionarg);
967
10
    opts.bv.bitvectorToBoolWasSetByUser = true;
968
38427
  } else if (name == "bvand-integer-granularity") {
969
78
    opts.smt.BVAndIntegerGranularity = handlers::handleOption<uint64_t>("bvand-integer-granularity", name, optionarg);
970
78
    opts.smt.BVAndIntegerGranularityWasSetByUser = true;
971
38349
  } else if (name == "cdt-bisimilar") {
972
    opts.datatypes.cdtBisimilar = handlers::handleOption<bool>("cdt-bisimilar", name, optionarg);
973
    opts.datatypes.cdtBisimilarWasSetByUser = true;
974
38349
  } else if (name == "cegis-sample") {
975
3
    opts.quantifiers.cegisSample = stringToCegisSampleMode(optionarg);
976
3
    opts.quantifiers.cegisSampleWasSetByUser = true;
977
38346
  } else if (name == "cegqi") {
978
19
    opts.quantifiers.cegqi = handlers::handleOption<bool>("cegqi", name, optionarg);
979
19
    opts.quantifiers.cegqiWasSetByUser = true;
980
38327
  } else if (name == "cegqi-all") {
981
18
    opts.quantifiers.cegqiAll = handlers::handleOption<bool>("cegqi-all", name, optionarg);
982
18
    opts.quantifiers.cegqiAllWasSetByUser = true;
983
38309
  } else if (name == "cegqi-bv") {
984
106
    opts.quantifiers.cegqiBv = handlers::handleOption<bool>("cegqi-bv", name, optionarg);
985
106
    opts.quantifiers.cegqiBvWasSetByUser = true;
986
38203
  } else if (name == "cegqi-bv-concat-inv") {
987
    opts.quantifiers.cegqiBvConcInv = handlers::handleOption<bool>("cegqi-bv-concat-inv", name, optionarg);
988
    opts.quantifiers.cegqiBvConcInvWasSetByUser = true;
989
38203
  } else if (name == "cegqi-bv-ineq") {
990
82
    opts.quantifiers.cegqiBvIneqMode = stringToCegqiBvIneqMode(optionarg);
991
82
    opts.quantifiers.cegqiBvIneqModeWasSetByUser = true;
992
38121
  } else if (name == "cegqi-bv-interleave-value") {
993
    opts.quantifiers.cegqiBvInterleaveValue = handlers::handleOption<bool>("cegqi-bv-interleave-value", name, optionarg);
994
    opts.quantifiers.cegqiBvInterleaveValueWasSetByUser = true;
995
38121
  } else if (name == "cegqi-bv-linear") {
996
    opts.quantifiers.cegqiBvLinearize = handlers::handleOption<bool>("cegqi-bv-linear", name, optionarg);
997
    opts.quantifiers.cegqiBvLinearizeWasSetByUser = true;
998
38121
  } else if (name == "cegqi-bv-rm-extract") {
999
2
    opts.quantifiers.cegqiBvRmExtract = handlers::handleOption<bool>("cegqi-bv-rm-extract", name, optionarg);
1000
2
    opts.quantifiers.cegqiBvRmExtractWasSetByUser = true;
1001
38119
  } else if (name == "cegqi-bv-solve-nl") {
1002
    opts.quantifiers.cegqiBvSolveNl = handlers::handleOption<bool>("cegqi-bv-solve-nl", name, optionarg);
1003
    opts.quantifiers.cegqiBvSolveNlWasSetByUser = true;
1004
38119
  } else if (name == "cegqi-full") {
1005
599
    opts.quantifiers.cegqiFullEffort = handlers::handleOption<bool>("cegqi-full", name, optionarg);
1006
599
    opts.quantifiers.cegqiFullEffortWasSetByUser = true;
1007
37520
  } else if (name == "cegqi-innermost") {
1008
    opts.quantifiers.cegqiInnermost = handlers::handleOption<bool>("cegqi-innermost", name, optionarg);
1009
    opts.quantifiers.cegqiInnermostWasSetByUser = true;
1010
37520
  } else if (name == "cegqi-midpoint") {
1011
    opts.quantifiers.cegqiMidpoint = handlers::handleOption<bool>("cegqi-midpoint", name, optionarg);
1012
    opts.quantifiers.cegqiMidpointWasSetByUser = true;
1013
37520
  } else if (name == "cegqi-min-bounds") {
1014
    opts.quantifiers.cegqiMinBounds = handlers::handleOption<bool>("cegqi-min-bounds", name, optionarg);
1015
    opts.quantifiers.cegqiMinBoundsWasSetByUser = true;
1016
37520
  } else if (name == "cegqi-model") {
1017
    opts.quantifiers.cegqiModel = handlers::handleOption<bool>("cegqi-model", name, optionarg);
1018
    opts.quantifiers.cegqiModelWasSetByUser = true;
1019
37520
  } else if (name == "cegqi-multi-inst") {
1020
3
    opts.quantifiers.cegqiMultiInst = handlers::handleOption<bool>("cegqi-multi-inst", name, optionarg);
1021
3
    opts.quantifiers.cegqiMultiInstWasSetByUser = true;
1022
37517
  } else if (name == "cegqi-nested-qe") {
1023
19
    opts.quantifiers.cegqiNestedQE = handlers::handleOption<bool>("cegqi-nested-qe", name, optionarg);
1024
19
    opts.quantifiers.cegqiNestedQEWasSetByUser = true;
1025
37498
  } else if (name == "cegqi-nopt") {
1026
    opts.quantifiers.cegqiNopt = handlers::handleOption<bool>("cegqi-nopt", name, optionarg);
1027
    opts.quantifiers.cegqiNoptWasSetByUser = true;
1028
37498
  } else if (name == "cegqi-repeat-lit") {
1029
    opts.quantifiers.cegqiRepeatLit = handlers::handleOption<bool>("cegqi-repeat-lit", name, optionarg);
1030
    opts.quantifiers.cegqiRepeatLitWasSetByUser = true;
1031
37498
  } else if (name == "cegqi-round-up-lia") {
1032
    opts.quantifiers.cegqiRoundUpLowerLia = handlers::handleOption<bool>("cegqi-round-up-lia", name, optionarg);
1033
    opts.quantifiers.cegqiRoundUpLowerLiaWasSetByUser = true;
1034
37498
  } else if (name == "cegqi-sat") {
1035
    opts.quantifiers.cegqiSat = handlers::handleOption<bool>("cegqi-sat", name, optionarg);
1036
    opts.quantifiers.cegqiSatWasSetByUser = true;
1037
37498
  } else if (name == "cegqi-use-inf-int") {
1038
6
    opts.quantifiers.cegqiUseInfInt = handlers::handleOption<bool>("cegqi-use-inf-int", name, optionarg);
1039
6
    opts.quantifiers.cegqiUseInfIntWasSetByUser = true;
1040
37492
  } else if (name == "cegqi-use-inf-real") {
1041
6
    opts.quantifiers.cegqiUseInfReal = handlers::handleOption<bool>("cegqi-use-inf-real", name, optionarg);
1042
6
    opts.quantifiers.cegqiUseInfRealWasSetByUser = true;
1043
37486
  } else if (name == "check-abducts") {
1044
13
    opts.smt.checkAbducts = handlers::handleOption<bool>("check-abducts", name, optionarg);
1045
13
    opts.smt.checkAbductsWasSetByUser = true;
1046
37473
  } else if (name == "check-interpols") {
1047
8
    opts.smt.checkInterpols = handlers::handleOption<bool>("check-interpols", name, optionarg);
1048
8
    opts.smt.checkInterpolsWasSetByUser = true;
1049
37465
  } else if (name == "check-models") {
1050
121
    opts.smt.checkModels = handlers::handleOption<bool>("check-models", name, optionarg);
1051
121
    opts.smt.checkModelsWasSetByUser = true;
1052
37344
  } else if (name == "check-proofs") {
1053
1169
    opts.smt.checkProofs = handlers::handleOption<bool>("check-proofs", name, optionarg);
1054
1169
    opts.smt.checkProofsWasSetByUser = true;
1055
36175
  } else if (name == "check-synth-sol") {
1056
192
    opts.smt.checkSynthSol = handlers::handleOption<bool>("check-synth-sol", name, optionarg);
1057
192
    opts.smt.checkSynthSolWasSetByUser = true;
1058
35983
  } else if (name == "check-unsat-cores") {
1059
1195
    opts.smt.checkUnsatCores = handlers::handleOption<bool>("check-unsat-cores", name, optionarg);
1060
1195
    opts.smt.checkUnsatCoresWasSetByUser = true;
1061
34788
  } else if (name == "collect-pivot-stats") {
1062
    opts.arith.collectPivots = handlers::handleOption<bool>("collect-pivot-stats", name, optionarg);
1063
    opts.arith.collectPivotsWasSetByUser = true;
1064
34788
  } else if (name == "cond-var-split-agg-quant") {
1065
    opts.quantifiers.condVarSplitQuantAgg = handlers::handleOption<bool>("cond-var-split-agg-quant", name, optionarg);
1066
    opts.quantifiers.condVarSplitQuantAggWasSetByUser = true;
1067
34788
  } else if (name == "cond-var-split-quant") {
1068
    opts.quantifiers.condVarSplitQuant = handlers::handleOption<bool>("cond-var-split-quant", name, optionarg);
1069
    opts.quantifiers.condVarSplitQuantWasSetByUser = true;
1070
34788
  } else if (name == "condense-function-values") {
1071
    opts.theory.condenseFunctionValues = handlers::handleOption<bool>("condense-function-values", name, optionarg);
1072
    opts.theory.condenseFunctionValuesWasSetByUser = true;
1073
34788
  } else if (name == "conjecture-filter-active-terms") {
1074
    opts.quantifiers.conjectureFilterActiveTerms = handlers::handleOption<bool>("conjecture-filter-active-terms", name, optionarg);
1075
    opts.quantifiers.conjectureFilterActiveTermsWasSetByUser = true;
1076
34788
  } else if (name == "conjecture-filter-canonical") {
1077
    opts.quantifiers.conjectureFilterCanonical = handlers::handleOption<bool>("conjecture-filter-canonical", name, optionarg);
1078
    opts.quantifiers.conjectureFilterCanonicalWasSetByUser = true;
1079
34788
  } else if (name == "conjecture-filter-model") {
1080
2
    opts.quantifiers.conjectureFilterModel = handlers::handleOption<bool>("conjecture-filter-model", name, optionarg);
1081
2
    opts.quantifiers.conjectureFilterModelWasSetByUser = true;
1082
34786
  } else if (name == "conjecture-gen") {
1083
7
    opts.quantifiers.conjectureGen = handlers::handleOption<bool>("conjecture-gen", name, optionarg);
1084
7
    opts.quantifiers.conjectureGenWasSetByUser = true;
1085
34779
  } else if (name == "conjecture-gen-gt-enum") {
1086
    opts.quantifiers.conjectureGenGtEnum = handlers::handleOption<int64_t>("conjecture-gen-gt-enum", name, optionarg);
1087
    opts.quantifiers.conjectureGenGtEnumWasSetByUser = true;
1088
34779
  } else if (name == "conjecture-gen-max-depth") {
1089
    opts.quantifiers.conjectureGenMaxDepth = handlers::handleOption<int64_t>("conjecture-gen-max-depth", name, optionarg);
1090
    opts.quantifiers.conjectureGenMaxDepthWasSetByUser = true;
1091
34779
  } else if (name == "conjecture-gen-per-round") {
1092
    opts.quantifiers.conjectureGenPerRound = handlers::handleOption<int64_t>("conjecture-gen-per-round", name, optionarg);
1093
    opts.quantifiers.conjectureGenPerRoundWasSetByUser = true;
1094
34779
  } else if (name == "conjecture-gen-uee-intro") {
1095
    opts.quantifiers.conjectureUeeIntro = handlers::handleOption<bool>("conjecture-gen-uee-intro", name, optionarg);
1096
    opts.quantifiers.conjectureUeeIntroWasSetByUser = true;
1097
34779
  } else if (name == "conjecture-no-filter") {
1098
2
    opts.quantifiers.conjectureNoFilter = handlers::handleOption<bool>("conjecture-no-filter", name, optionarg);
1099
2
    opts.quantifiers.conjectureNoFilterWasSetByUser = true;
1100
34777
  } else if (name == "copyright") {
1101
  opts.handler().copyright("copyright", name);
1102
34777
  } else if (name == "cut-all-bounded") {
1103
    opts.arith.doCutAllBounded = handlers::handleOption<bool>("cut-all-bounded", name, optionarg);
1104
    opts.arith.doCutAllBoundedWasSetByUser = true;
1105
34777
  } else if (name == "dag-thresh") {
1106
2
    auto value = handlers::handleOption<int64_t>("dag-thresh", name, optionarg);
1107
2
    opts.handler().checkMinimum("dag-thresh", name, value, static_cast<int64_t>(0));
1108
2
    opts.handler().setDefaultDagThresh("dag-thresh", name, value);
1109
2
    opts.expr.defaultDagThresh = value;
1110
2
    opts.expr.defaultDagThreshWasSetByUser = true;
1111
34775
  } else if (name == "debug") {
1112
  opts.handler().enableDebugTag("debug", name, optionarg);
1113
34775
  } else if (name == "debug-check-models") {
1114
1229
    opts.smt.debugCheckModels = handlers::handleOption<bool>("debug-check-models", name, optionarg);
1115
1229
    opts.smt.debugCheckModelsWasSetByUser = true;
1116
33546
  } else if (name == "decision-mode" || name == "decision") {
1117
94
    opts.decision.decisionMode = stringToDecisionMode(optionarg);
1118
94
    opts.decision.decisionModeWasSetByUser = true;
1119
33452
  } else if (name == "decision-random-weight") {
1120
    opts.decision.decisionRandomWeight = handlers::handleOption<int64_t>("decision-random-weight", name, optionarg);
1121
    opts.decision.decisionRandomWeightWasSetByUser = true;
1122
33452
  } else if (name == "decision-threshold") {
1123
    opts.decision.decisionThreshold = handlers::handleOption<cvc5::decision::DecisionWeight>("decision-threshold", name, optionarg);
1124
    opts.decision.decisionThresholdWasSetByUser = true;
1125
33452
  } else if (name == "decision-use-weight") {
1126
    opts.decision.decisionUseWeight = handlers::handleOption<bool>("decision-use-weight", name, optionarg);
1127
    opts.decision.decisionUseWeightWasSetByUser = true;
1128
33452
  } else if (name == "decision-weight-internal") {
1129
    opts.decision.decisionWeightInternal = stringToDecisionWeightInternal(optionarg);
1130
    opts.decision.decisionWeightInternalWasSetByUser = true;
1131
33452
  } else if (name == "difficulty-mode") {
1132
    opts.smt.difficultyMode = stringToDifficultyMode(optionarg);
1133
    opts.smt.difficultyModeWasSetByUser = true;
1134
33452
  } else if (name == "dio-decomps") {
1135
    opts.arith.exportDioDecompositions = handlers::handleOption<bool>("dio-decomps", name, optionarg);
1136
    opts.arith.exportDioDecompositionsWasSetByUser = true;
1137
33452
  } else if (name == "dio-solver") {
1138
    opts.arith.arithDioSolver = handlers::handleOption<bool>("dio-solver", name, optionarg);
1139
    opts.arith.arithDioSolverWasSetByUser = true;
1140
33452
  } else if (name == "dio-turns") {
1141
    opts.arith.dioSolverTurns = handlers::handleOption<int64_t>("dio-turns", name, optionarg);
1142
    opts.arith.dioSolverTurnsWasSetByUser = true;
1143
33452
  } else if (name == "dt-binary-split") {
1144
    opts.datatypes.dtBinarySplit = handlers::handleOption<bool>("dt-binary-split", name, optionarg);
1145
    opts.datatypes.dtBinarySplitWasSetByUser = true;
1146
33452
  } else if (name == "dt-blast-splits") {
1147
    opts.datatypes.dtBlastSplits = handlers::handleOption<bool>("dt-blast-splits", name, optionarg);
1148
    opts.datatypes.dtBlastSplitsWasSetByUser = true;
1149
33452
  } else if (name == "dt-cyclic") {
1150
    opts.datatypes.dtCyclic = handlers::handleOption<bool>("dt-cyclic", name, optionarg);
1151
    opts.datatypes.dtCyclicWasSetByUser = true;
1152
33452
  } else if (name == "dt-force-assignment") {
1153
    opts.datatypes.dtForceAssignment = handlers::handleOption<bool>("dt-force-assignment", name, optionarg);
1154
    opts.datatypes.dtForceAssignmentWasSetByUser = true;
1155
33452
  } else if (name == "dt-infer-as-lemmas") {
1156
    opts.datatypes.dtInferAsLemmas = handlers::handleOption<bool>("dt-infer-as-lemmas", name, optionarg);
1157
    opts.datatypes.dtInferAsLemmasWasSetByUser = true;
1158
33452
  } else if (name == "dt-nested-rec") {
1159
10
    opts.datatypes.dtNestedRec = handlers::handleOption<bool>("dt-nested-rec", name, optionarg);
1160
10
    opts.datatypes.dtNestedRecWasSetByUser = true;
1161
33442
  } else if (name == "dt-polite-optimize") {
1162
    opts.datatypes.dtPoliteOptimize = handlers::handleOption<bool>("dt-polite-optimize", name, optionarg);
1163
    opts.datatypes.dtPoliteOptimizeWasSetByUser = true;
1164
33442
  } else if (name == "dt-rewrite-error-sel") {
1165
5
    opts.datatypes.dtRewriteErrorSel = handlers::handleOption<bool>("dt-rewrite-error-sel", name, optionarg);
1166
5
    opts.datatypes.dtRewriteErrorSelWasSetByUser = true;
1167
33437
  } else if (name == "dt-share-sel") {
1168
56
    opts.datatypes.dtSharedSelectors = handlers::handleOption<bool>("dt-share-sel", name, optionarg);
1169
56
    opts.datatypes.dtSharedSelectorsWasSetByUser = true;
1170
33381
  } else if (name == "dt-stc-ind") {
1171
    opts.quantifiers.dtStcInduction = handlers::handleOption<bool>("dt-stc-ind", name, optionarg);
1172
    opts.quantifiers.dtStcInductionWasSetByUser = true;
1173
33381
  } else if (name == "dt-var-exp-quant") {
1174
    opts.quantifiers.dtVarExpandQuant = handlers::handleOption<bool>("dt-var-exp-quant", name, optionarg);
1175
    opts.quantifiers.dtVarExpandQuantWasSetByUser = true;
1176
33381
  } else if (name == "dump") {
1177
4
    auto value = handlers::handleOption<std::string>("dump", name, optionarg);
1178
3
    opts.handler().setDumpMode("dump", name, value);
1179
1
    opts.smt.dumpModeString = value;
1180
1
    opts.smt.dumpModeStringWasSetByUser = true;
1181
33379
  } else if (name == "dump-difficulty") {
1182
    opts.driver.dumpDifficulty = handlers::handleOption<bool>("dump-difficulty", name, optionarg);
1183
    opts.driver.dumpDifficultyWasSetByUser = true;
1184
33379
  } else if (name == "dump-instantiations") {
1185
12
    opts.driver.dumpInstantiations = handlers::handleOption<bool>("dump-instantiations", name, optionarg);
1186
12
    opts.driver.dumpInstantiationsWasSetByUser = true;
1187
33367
  } else if (name == "dump-instantiations-debug") {
1188
    opts.driver.dumpInstantiationsDebug = handlers::handleOption<bool>("dump-instantiations-debug", name, optionarg);
1189
    opts.driver.dumpInstantiationsDebugWasSetByUser = true;
1190
33367
  } else if (name == "dump-models") {
1191
6
    opts.driver.dumpModels = handlers::handleOption<bool>("dump-models", name, optionarg);
1192
6
    opts.driver.dumpModelsWasSetByUser = true;
1193
33361
  } else if (name == "dump-proofs") {
1194
    opts.driver.dumpProofs = handlers::handleOption<bool>("dump-proofs", name, optionarg);
1195
    opts.driver.dumpProofsWasSetByUser = true;
1196
33361
  } else if (name == "dump-to") {
1197
    auto value = handlers::handleOption<ManagedOut>("dump-to", name, optionarg);
1198
    opts.handler().setDumpStream("dump-to", name, value);
1199
    opts.smt.dumpToFileName = value;
1200
    opts.smt.dumpToFileNameWasSetByUser = true;
1201
33361
  } else if (name == "dump-unsat-cores") {
1202
    opts.driver.dumpUnsatCores = handlers::handleOption<bool>("dump-unsat-cores", name, optionarg);
1203
    opts.driver.dumpUnsatCoresWasSetByUser = true;
1204
33361
  } else if (name == "dump-unsat-cores-full") {
1205
3
    opts.driver.dumpUnsatCoresFull = handlers::handleOption<bool>("dump-unsat-cores-full", name, optionarg);
1206
3
    opts.driver.dumpUnsatCoresFullWasSetByUser = true;
1207
33358
  } else if (name == "e-matching") {
1208
1
    opts.quantifiers.eMatching = handlers::handleOption<bool>("e-matching", name, optionarg);
1209
1
    opts.quantifiers.eMatchingWasSetByUser = true;
1210
33357
  } else if (name == "early-exit") {
1211
    opts.driver.earlyExit = handlers::handleOption<bool>("early-exit", name, optionarg);
1212
    opts.driver.earlyExitWasSetByUser = true;
1213
33357
  } else if (name == "early-ite-removal") {
1214
    opts.smt.earlyIteRemoval = handlers::handleOption<bool>("early-ite-removal", name, optionarg);
1215
    opts.smt.earlyIteRemovalWasSetByUser = true;
1216
33357
  } else if (name == "ee-mode") {
1217
56
    opts.theory.eeMode = stringToEqEngineMode(optionarg);
1218
56
    opts.theory.eeModeWasSetByUser = true;
1219
33301
  } else if (name == "elim-taut-quant") {
1220
    opts.quantifiers.elimTautQuant = handlers::handleOption<bool>("elim-taut-quant", name, optionarg);
1221
    opts.quantifiers.elimTautQuantWasSetByUser = true;
1222
33301
  } else if (name == "err" || name == "diagnostic-output-channel") {
1223
    auto value = handlers::handleOption<ManagedErr>("err", name, optionarg);
1224
    opts.handler().setErrStream("err", name, value);
1225
    opts.base.err = value;
1226
    opts.base.errWasSetByUser = true;
1227
33301
  } else if (name == "error-selection-rule") {
1228
    opts.arith.arithErrorSelectionRule = stringToErrorSelectionRule(optionarg);
1229
    opts.arith.arithErrorSelectionRuleWasSetByUser = true;
1230
33301
  } else if (name == "expand-definitions") {
1231
    opts.smt.expandDefinitions = handlers::handleOption<bool>("expand-definitions", name, optionarg);
1232
    opts.smt.expandDefinitionsWasSetByUser = true;
1233
33301
  } else if (name == "expr-depth") {
1234
    auto value = handlers::handleOption<int64_t>("expr-depth", name, optionarg);
1235
    opts.handler().checkMinimum("expr-depth", name, value, static_cast<int64_t>(-1));
1236
    opts.handler().setDefaultExprDepth("expr-depth", name, value);
1237
    opts.expr.defaultExprDepth = value;
1238
    opts.expr.defaultExprDepthWasSetByUser = true;
1239
33301
  } else if (name == "ext-rew-prep") {
1240
19
    opts.smt.extRewPrep = handlers::handleOption<bool>("ext-rew-prep", name, optionarg);
1241
19
    opts.smt.extRewPrepWasSetByUser = true;
1242
33282
  } else if (name == "ext-rew-prep-agg") {
1243
7
    opts.smt.extRewPrepAgg = handlers::handleOption<bool>("ext-rew-prep-agg", name, optionarg);
1244
7
    opts.smt.extRewPrepAggWasSetByUser = true;
1245
33275
  } else if (name == "ext-rewrite-quant") {
1246
10
    opts.quantifiers.extRewriteQuant = handlers::handleOption<bool>("ext-rewrite-quant", name, optionarg);
1247
10
    opts.quantifiers.extRewriteQuantWasSetByUser = true;
1248
33265
  } else if (name == "fc-penalties") {
1249
    opts.arith.havePenalties = handlers::handleOption<bool>("fc-penalties", name, optionarg);
1250
    opts.arith.havePenaltiesWasSetByUser = true;
1251
33265
  } else if (name == "filename") {
1252
    opts.driver.filename = handlers::handleOption<std::string>("filename", name, optionarg);
1253
    opts.driver.filenameWasSetByUser = true;
1254
33265
  } else if (name == "filesystem-access") {
1255
    opts.parser.filesystemAccess = handlers::handleOption<bool>("filesystem-access", name, optionarg);
1256
    opts.parser.filesystemAccessWasSetByUser = true;
1257
33265
  } else if (name == "finite-model-find") {
1258
178
    opts.quantifiers.finiteModelFind = handlers::handleOption<bool>("finite-model-find", name, optionarg);
1259
178
    opts.quantifiers.finiteModelFindWasSetByUser = true;
1260
33087
  } else if (name == "flatten-ho-chains") {
1261
    opts.printer.flattenHOChains = handlers::handleOption<bool>("flatten-ho-chains", name, optionarg);
1262
    opts.printer.flattenHOChainsWasSetByUser = true;
1263
33087
  } else if (name == "fmf-bound") {
1264
44
    opts.quantifiers.fmfBound = handlers::handleOption<bool>("fmf-bound", name, optionarg);
1265
44
    opts.quantifiers.fmfBoundWasSetByUser = true;
1266
33043
  } else if (name == "fmf-bound-int") {
1267
12
    opts.quantifiers.fmfBoundInt = handlers::handleOption<bool>("fmf-bound-int", name, optionarg);
1268
12
    opts.quantifiers.fmfBoundIntWasSetByUser = true;
1269
33031
  } else if (name == "fmf-bound-lazy") {
1270
3
    opts.quantifiers.fmfBoundLazy = handlers::handleOption<bool>("fmf-bound-lazy", name, optionarg);
1271
3
    opts.quantifiers.fmfBoundLazyWasSetByUser = true;
1272
33028
  } else if (name == "fmf-fmc-simple") {
1273
    opts.quantifiers.fmfFmcSimple = handlers::handleOption<bool>("fmf-fmc-simple", name, optionarg);
1274
    opts.quantifiers.fmfFmcSimpleWasSetByUser = true;
1275
33028
  } else if (name == "fmf-fresh-dc") {
1276
    opts.quantifiers.fmfFreshDistConst = handlers::handleOption<bool>("fmf-fresh-dc", name, optionarg);
1277
    opts.quantifiers.fmfFreshDistConstWasSetByUser = true;
1278
33028
  } else if (name == "fmf-fun") {
1279
51
    opts.quantifiers.fmfFunWellDefined = handlers::handleOption<bool>("fmf-fun", name, optionarg);
1280
51
    opts.quantifiers.fmfFunWellDefinedWasSetByUser = true;
1281
32977
  } else if (name == "fmf-fun-rlv") {
1282
10
    opts.quantifiers.fmfFunWellDefinedRelevant = handlers::handleOption<bool>("fmf-fun-rlv", name, optionarg);
1283
10
    opts.quantifiers.fmfFunWellDefinedRelevantWasSetByUser = true;
1284
32967
  } else if (name == "fmf-inst-engine") {
1285
7
    opts.quantifiers.fmfInstEngine = handlers::handleOption<bool>("fmf-inst-engine", name, optionarg);
1286
7
    opts.quantifiers.fmfInstEngineWasSetByUser = true;
1287
32960
  } else if (name == "fmf-type-completion-thresh") {
1288
    opts.quantifiers.fmfTypeCompletionThresh = handlers::handleOption<int64_t>("fmf-type-completion-thresh", name, optionarg);
1289
    opts.quantifiers.fmfTypeCompletionThreshWasSetByUser = true;
1290
32960
  } else if (name == "force-logic") {
1291
9
    opts.parser.forceLogicString = handlers::handleOption<std::string>("force-logic", name, optionarg);
1292
9
    opts.parser.forceLogicStringWasSetByUser = true;
1293
32951
  } else if (name == "force-no-limit-cpu-while-dump") {
1294
    opts.driver.forceNoLimitCpuWhileDump = handlers::handleOption<bool>("force-no-limit-cpu-while-dump", name, optionarg);
1295
    opts.driver.forceNoLimitCpuWhileDumpWasSetByUser = true;
1296
32951
  } else if (name == "foreign-theory-rewrite") {
1297
2
    opts.smt.foreignTheoryRewrite = handlers::handleOption<bool>("foreign-theory-rewrite", name, optionarg);
1298
2
    opts.smt.foreignTheoryRewriteWasSetByUser = true;
1299
32949
  } else if (name == "fp-exp") {
1300
22
    opts.fp.fpExp = handlers::handleOption<bool>("fp-exp", name, optionarg);
1301
22
    opts.fp.fpExpWasSetByUser = true;
1302
32927
  } else if (name == "fp-lazy-wb") {
1303
3
    opts.fp.fpLazyWb = handlers::handleOption<bool>("fp-lazy-wb", name, optionarg);
1304
3
    opts.fp.fpLazyWbWasSetByUser = true;
1305
32924
  } else if (name == "fs-interleave") {
1306
    opts.quantifiers.fullSaturateInterleave = handlers::handleOption<bool>("fs-interleave", name, optionarg);
1307
    opts.quantifiers.fullSaturateInterleaveWasSetByUser = true;
1308
32924
  } else if (name == "fs-stratify") {
1309
3
    opts.quantifiers.fullSaturateStratify = handlers::handleOption<bool>("fs-stratify", name, optionarg);
1310
3
    opts.quantifiers.fullSaturateStratifyWasSetByUser = true;
1311
32921
  } else if (name == "fs-sum") {
1312
    opts.quantifiers.fullSaturateSum = handlers::handleOption<bool>("fs-sum", name, optionarg);
1313
    opts.quantifiers.fullSaturateSumWasSetByUser = true;
1314
32921
  } else if (name == "full-saturate-quant") {
1315
76
    opts.quantifiers.fullSaturateQuant = handlers::handleOption<bool>("full-saturate-quant", name, optionarg);
1316
76
    opts.quantifiers.fullSaturateQuantWasSetByUser = true;
1317
32845
  } else if (name == "full-saturate-quant-limit") {
1318
3
    opts.quantifiers.fullSaturateLimit = handlers::handleOption<int64_t>("full-saturate-quant-limit", name, optionarg);
1319
3
    opts.quantifiers.fullSaturateLimitWasSetByUser = true;
1320
32842
  } else if (name == "full-saturate-quant-rd") {
1321
    opts.quantifiers.fullSaturateQuantRd = handlers::handleOption<bool>("full-saturate-quant-rd", name, optionarg);
1322
    opts.quantifiers.fullSaturateQuantRdWasSetByUser = true;
1323
32842
  } else if (name == "global-declarations") {
1324
19
    opts.parser.globalDeclarations = handlers::handleOption<bool>("global-declarations", name, optionarg);
1325
19
    opts.parser.globalDeclarationsWasSetByUser = true;
1326
32823
  } else if (name == "global-negate") {
1327
8
    opts.quantifiers.globalNegate = handlers::handleOption<bool>("global-negate", name, optionarg);
1328
8
    opts.quantifiers.globalNegateWasSetByUser = true;
1329
32815
  } else if (name == "help") {
1330
    opts.driver.help = handlers::handleOption<bool>("help", name, optionarg);
1331
    opts.driver.helpWasSetByUser = true;
1332
32815
  } else if (name == "heuristic-pivots") {
1333
    opts.arith.arithHeuristicPivots = handlers::handleOption<int64_t>("heuristic-pivots", name, optionarg);
1334
    opts.arith.arithHeuristicPivotsWasSetByUser = true;
1335
32815
  } else if (name == "ho-elim") {
1336
8
    opts.quantifiers.hoElim = handlers::handleOption<bool>("ho-elim", name, optionarg);
1337
8
    opts.quantifiers.hoElimWasSetByUser = true;
1338
32807
  } else if (name == "ho-elim-store-ax") {
1339
1
    opts.quantifiers.hoElimStoreAx = handlers::handleOption<bool>("ho-elim-store-ax", name, optionarg);
1340
1
    opts.quantifiers.hoElimStoreAxWasSetByUser = true;
1341
32806
  } else if (name == "ho-matching") {
1342
    opts.quantifiers.hoMatching = handlers::handleOption<bool>("ho-matching", name, optionarg);
1343
    opts.quantifiers.hoMatchingWasSetByUser = true;
1344
32806
  } else if (name == "ho-matching-var-priority") {
1345
    opts.quantifiers.hoMatchingVarArgPriority = handlers::handleOption<bool>("ho-matching-var-priority", name, optionarg);
1346
    opts.quantifiers.hoMatchingVarArgPriorityWasSetByUser = true;
1347
32806
  } else if (name == "ho-merge-term-db") {
1348
    opts.quantifiers.hoMergeTermDb = handlers::handleOption<bool>("ho-merge-term-db", name, optionarg);
1349
    opts.quantifiers.hoMergeTermDbWasSetByUser = true;
1350
32806
  } else if (name == "iand-mode") {
1351
67
    opts.smt.iandMode = stringToIandMode(optionarg);
1352
67
    opts.smt.iandModeWasSetByUser = true;
1353
32739
  } else if (name == "in") {
1354
    auto value = handlers::handleOption<ManagedIn>("in", name, optionarg);
1355
    opts.handler().setInStream("in", name, value);
1356
    opts.base.in = value;
1357
    opts.base.inWasSetByUser = true;
1358
32739
  } else if (name == "increment-triggers") {
1359
    opts.quantifiers.incrementTriggers = handlers::handleOption<bool>("increment-triggers", name, optionarg);
1360
    opts.quantifiers.incrementTriggersWasSetByUser = true;
1361
32739
  } else if (name == "incremental") {
1362
7327
    opts.base.incrementalSolving = handlers::handleOption<bool>("incremental", name, optionarg);
1363
7327
    opts.base.incrementalSolvingWasSetByUser = true;
1364
25412
  } else if (name == "inst-level-input-only") {
1365
    opts.quantifiers.instLevelInputOnly = handlers::handleOption<bool>("inst-level-input-only", name, optionarg);
1366
    opts.quantifiers.instLevelInputOnlyWasSetByUser = true;
1367
25412
  } else if (name == "inst-max-level") {
1368
3
    opts.quantifiers.instMaxLevel = handlers::handleOption<int64_t>("inst-max-level", name, optionarg);
1369
3
    opts.quantifiers.instMaxLevelWasSetByUser = true;
1370
25409
  } else if (name == "inst-max-rounds") {
1371
    opts.quantifiers.instMaxRounds = handlers::handleOption<int64_t>("inst-max-rounds", name, optionarg);
1372
    opts.quantifiers.instMaxRoundsWasSetByUser = true;
1373
25409
  } else if (name == "inst-no-entail") {
1374
    opts.quantifiers.instNoEntail = handlers::handleOption<bool>("inst-no-entail", name, optionarg);
1375
    opts.quantifiers.instNoEntailWasSetByUser = true;
1376
25409
  } else if (name == "inst-when") {
1377
3
    auto value = stringToInstWhenMode(optionarg);
1378
3
    opts.handler().checkInstWhenMode("inst-when", name, value);
1379
3
    opts.quantifiers.instWhenMode = value;
1380
3
    opts.quantifiers.instWhenModeWasSetByUser = true;
1381
25406
  } else if (name == "inst-when-phase") {
1382
    opts.quantifiers.instWhenPhase = handlers::handleOption<int64_t>("inst-when-phase", name, optionarg);
1383
    opts.quantifiers.instWhenPhaseWasSetByUser = true;
1384
25406
  } else if (name == "inst-when-strict-interleave") {
1385
    opts.quantifiers.instWhenStrictInterleave = handlers::handleOption<bool>("inst-when-strict-interleave", name, optionarg);
1386
    opts.quantifiers.instWhenStrictInterleaveWasSetByUser = true;
1387
25406
  } else if (name == "inst-when-tc-first") {
1388
    opts.quantifiers.instWhenTcFirst = handlers::handleOption<bool>("inst-when-tc-first", name, optionarg);
1389
    opts.quantifiers.instWhenTcFirstWasSetByUser = true;
1390
25406
  } else if (name == "int-wf-ind") {
1391
5
    opts.quantifiers.intWfInduction = handlers::handleOption<bool>("int-wf-ind", name, optionarg);
1392
5
    opts.quantifiers.intWfInductionWasSetByUser = true;
1393
25401
  } else if (name == "interactive") {
1394
6171
    opts.driver.interactive = handlers::handleOption<bool>("interactive", name, optionarg);
1395
6171
    opts.driver.interactiveWasSetByUser = true;
1396
19230
  } else if (name == "interactive-mode") {
1397
2
    auto value = handlers::handleOption<bool>("interactive-mode", name, optionarg);
1398
2
    opts.handler().setProduceAssertions("interactive-mode", name, value);
1399
2
    opts.smt.interactiveMode = value;
1400
2
    opts.smt.interactiveModeWasSetByUser = true;
1401
19228
  } else if (name == "ite-dtt-split-quant") {
1402
    opts.quantifiers.iteDtTesterSplitQuant = handlers::handleOption<bool>("ite-dtt-split-quant", name, optionarg);
1403
    opts.quantifiers.iteDtTesterSplitQuantWasSetByUser = true;
1404
19228
  } else if (name == "ite-lift-quant") {
1405
    opts.quantifiers.iteLiftQuant = stringToIteLiftQuantMode(optionarg);
1406
    opts.quantifiers.iteLiftQuantWasSetByUser = true;
1407
19228
  } else if (name == "ite-simp") {
1408
2
    opts.smt.doITESimp = handlers::handleOption<bool>("ite-simp", name, optionarg);
1409
2
    opts.smt.doITESimpWasSetByUser = true;
1410
19226
  } else if (name == "jh-rlv-order") {
1411
10
    opts.decision.jhRlvOrder = handlers::handleOption<bool>("jh-rlv-order", name, optionarg);
1412
10
    opts.decision.jhRlvOrderWasSetByUser = true;
1413
19216
  } else if (name == "jh-skolem") {
1414
    opts.decision.jhSkolemMode = stringToJutificationSkolemMode(optionarg);
1415
    opts.decision.jhSkolemModeWasSetByUser = true;
1416
19216
  } else if (name == "jh-skolem-rlv") {
1417
    opts.decision.jhSkolemRlvMode = stringToJutificationSkolemRlvMode(optionarg);
1418
    opts.decision.jhSkolemRlvModeWasSetByUser = true;
1419
19216
  } else if (name == "lang" || name == "input-language") {
1420
6468
    auto value = opts.handler().stringToLanguage("lang", name, optionarg);
1421
6468
    opts.handler().languageIsNotAST("lang", name, value);
1422
6468
    opts.base.inputLanguage = value;
1423
6468
    opts.base.inputLanguageWasSetByUser = true;
1424
12748
  } else if (name == "language-help") {
1425
    opts.base.languageHelp = handlers::handleOption<bool>("language-help", name, optionarg);
1426
    opts.base.languageHelpWasSetByUser = true;
1427
12748
  } else if (name == "learned-rewrite") {
1428
2
    opts.smt.learnedRewrite = handlers::handleOption<bool>("learned-rewrite", name, optionarg);
1429
2
    opts.smt.learnedRewriteWasSetByUser = true;
1430
12746
  } else if (name == "lemmas-on-replay-failure") {
1431
    opts.arith.replayFailureLemma = handlers::handleOption<bool>("lemmas-on-replay-failure", name, optionarg);
1432
    opts.arith.replayFailureLemmaWasSetByUser = true;
1433
12746
  } else if (name == "literal-matching") {
1434
    opts.quantifiers.literalMatchMode = stringToLiteralMatchMode(optionarg);
1435
    opts.quantifiers.literalMatchModeWasSetByUser = true;
1436
12746
  } else if (name == "macros-quant") {
1437
17
    opts.quantifiers.macrosQuant = handlers::handleOption<bool>("macros-quant", name, optionarg);
1438
17
    opts.quantifiers.macrosQuantWasSetByUser = true;
1439
12729
  } else if (name == "macros-quant-mode") {
1440
2
    opts.quantifiers.macrosQuantMode = stringToMacrosQuantMode(optionarg);
1441
2
    opts.quantifiers.macrosQuantModeWasSetByUser = true;
1442
12727
  } else if (name == "maxCutsInContext") {
1443
    opts.arith.maxCutsInContext = handlers::handleOption<uint64_t>("maxCutsInContext", name, optionarg);
1444
    opts.arith.maxCutsInContextWasSetByUser = true;
1445
12727
  } else if (name == "mbqi") {
1446
    opts.quantifiers.mbqiMode = stringToMbqiMode(optionarg);
1447
    opts.quantifiers.mbqiModeWasSetByUser = true;
1448
12727
  } else if (name == "mbqi-interleave") {
1449
    opts.quantifiers.mbqiInterleave = handlers::handleOption<bool>("mbqi-interleave", name, optionarg);
1450
    opts.quantifiers.mbqiInterleaveWasSetByUser = true;
1451
12727
  } else if (name == "mbqi-one-inst-per-round") {
1452
    opts.quantifiers.fmfOneInstPerRound = handlers::handleOption<bool>("mbqi-one-inst-per-round", name, optionarg);
1453
    opts.quantifiers.fmfOneInstPerRoundWasSetByUser = true;
1454
12727
  } else if (name == "minimal-unsat-cores") {
1455
3
    opts.smt.minimalUnsatCores = handlers::handleOption<bool>("minimal-unsat-cores", name, optionarg);
1456
3
    opts.smt.minimalUnsatCoresWasSetByUser = true;
1457
12724
  } else if (name == "minisat-dump-dimacs") {
1458
    opts.prop.minisatDumpDimacs = handlers::handleOption<bool>("minisat-dump-dimacs", name, optionarg);
1459
    opts.prop.minisatDumpDimacsWasSetByUser = true;
1460
12724
  } else if (name == "minisat-elimination") {
1461
    opts.prop.minisatUseElim = handlers::handleOption<bool>("minisat-elimination", name, optionarg);
1462
    opts.prop.minisatUseElimWasSetByUser = true;
1463
12724
  } else if (name == "miniscope-quant") {
1464
152
    opts.quantifiers.miniscopeQuant = handlers::handleOption<bool>("miniscope-quant", name, optionarg);
1465
152
    opts.quantifiers.miniscopeQuantWasSetByUser = true;
1466
12572
  } else if (name == "miniscope-quant-fv") {
1467
150
    opts.quantifiers.miniscopeQuantFreeVar = handlers::handleOption<bool>("miniscope-quant-fv", name, optionarg);
1468
150
    opts.quantifiers.miniscopeQuantFreeVarWasSetByUser = true;
1469
12422
  } else if (name == "miplib-trick") {
1470
8
    opts.arith.arithMLTrick = handlers::handleOption<bool>("miplib-trick", name, optionarg);
1471
8
    opts.arith.arithMLTrickWasSetByUser = true;
1472
12414
  } else if (name == "miplib-trick-subs") {
1473
    opts.arith.arithMLTrickSubstitutions = handlers::handleOption<uint64_t>("miplib-trick-subs", name, optionarg);
1474
    opts.arith.arithMLTrickSubstitutionsWasSetByUser = true;
1475
12414
  } else if (name == "mmap") {
1476
    opts.parser.memoryMap = handlers::handleOption<bool>("mmap", name, optionarg);
1477
    opts.parser.memoryMapWasSetByUser = true;
1478
12414
  } else if (name == "model-cores") {
1479
8
    opts.smt.modelCoresMode = stringToModelCoresMode(optionarg);
1480
8
    opts.smt.modelCoresModeWasSetByUser = true;
1481
12406
  } else if (name == "model-uninterp-print" || name == "model-u-print") {
1482
1
    opts.smt.modelUninterpPrint = stringToModelUninterpPrintMode(optionarg);
1483
1
    opts.smt.modelUninterpPrintWasSetByUser = true;
1484
12405
  } else if (name == "model-witness-value") {
1485
1
    opts.smt.modelWitnessValue = handlers::handleOption<bool>("model-witness-value", name, optionarg);
1486
1
    opts.smt.modelWitnessValueWasSetByUser = true;
1487
12404
  } else if (name == "multi-trigger-cache") {
1488
3
    opts.quantifiers.multiTriggerCache = handlers::handleOption<bool>("multi-trigger-cache", name, optionarg);
1489
3
    opts.quantifiers.multiTriggerCacheWasSetByUser = true;
1490
12401
  } else if (name == "multi-trigger-linear") {
1491
    opts.quantifiers.multiTriggerLinear = handlers::handleOption<bool>("multi-trigger-linear", name, optionarg);
1492
    opts.quantifiers.multiTriggerLinearWasSetByUser = true;
1493
12401
  } else if (name == "multi-trigger-priority") {
1494
    opts.quantifiers.multiTriggerPriority = handlers::handleOption<bool>("multi-trigger-priority", name, optionarg);
1495
    opts.quantifiers.multiTriggerPriorityWasSetByUser = true;
1496
12401
  } else if (name == "multi-trigger-when-single") {
1497
    opts.quantifiers.multiTriggerWhenSingle = handlers::handleOption<bool>("multi-trigger-when-single", name, optionarg);
1498
    opts.quantifiers.multiTriggerWhenSingleWasSetByUser = true;
1499
12401
  } else if (name == "new-prop") {
1500
8
    opts.arith.newProp = handlers::handleOption<bool>("new-prop", name, optionarg);
1501
8
    opts.arith.newPropWasSetByUser = true;
1502
12393
  } else if (name == "nl-cad") {
1503
5
    opts.arith.nlCad = handlers::handleOption<bool>("nl-cad", name, optionarg);
1504
5
    opts.arith.nlCadWasSetByUser = true;
1505
12388
  } else if (name == "nl-cad-initial") {
1506
    opts.arith.nlCadUseInitial = handlers::handleOption<bool>("nl-cad-initial", name, optionarg);
1507
    opts.arith.nlCadUseInitialWasSetByUser = true;
1508
12388
  } else if (name == "nl-cad-lift") {
1509
    opts.arith.nlCadLifting = stringToNlCadLiftingMode(optionarg);
1510
    opts.arith.nlCadLiftingWasSetByUser = true;
1511
12388
  } else if (name == "nl-cad-proj") {
1512
    opts.arith.nlCadProjection = stringToNlCadProjectionMode(optionarg);
1513
    opts.arith.nlCadProjectionWasSetByUser = true;
1514
12388
  } else if (name == "nl-ext") {
1515
126
    opts.arith.nlExt = stringToNlExtMode(optionarg);
1516
126
    opts.arith.nlExtWasSetByUser = true;
1517
12262
  } else if (name == "nl-ext-ent-conf") {
1518
    opts.arith.nlExtEntailConflicts = handlers::handleOption<bool>("nl-ext-ent-conf", name, optionarg);
1519
    opts.arith.nlExtEntailConflictsWasSetByUser = true;
1520
12262
  } else if (name == "nl-ext-factor") {
1521
    opts.arith.nlExtFactor = handlers::handleOption<bool>("nl-ext-factor", name, optionarg);
1522
    opts.arith.nlExtFactorWasSetByUser = true;
1523
12262
  } else if (name == "nl-ext-inc-prec") {
1524
2
    opts.arith.nlExtIncPrecision = handlers::handleOption<bool>("nl-ext-inc-prec", name, optionarg);
1525
2
    opts.arith.nlExtIncPrecisionWasSetByUser = true;
1526
12260
  } else if (name == "nl-ext-purify") {
1527
4
    opts.arith.nlExtPurify = handlers::handleOption<bool>("nl-ext-purify", name, optionarg);
1528
4
    opts.arith.nlExtPurifyWasSetByUser = true;
1529
12256
  } else if (name == "nl-ext-rbound") {
1530
    opts.arith.nlExtResBound = handlers::handleOption<bool>("nl-ext-rbound", name, optionarg);
1531
    opts.arith.nlExtResBoundWasSetByUser = true;
1532
12256
  } else if (name == "nl-ext-rewrite") {
1533
    opts.arith.nlExtRewrites = handlers::handleOption<bool>("nl-ext-rewrite", name, optionarg);
1534
    opts.arith.nlExtRewritesWasSetByUser = true;
1535
12256
  } else if (name == "nl-ext-split-zero") {
1536
    opts.arith.nlExtSplitZero = handlers::handleOption<bool>("nl-ext-split-zero", name, optionarg);
1537
    opts.arith.nlExtSplitZeroWasSetByUser = true;
1538
12256
  } else if (name == "nl-ext-tf-taylor-deg") {
1539
    opts.arith.nlExtTfTaylorDegree = handlers::handleOption<int64_t>("nl-ext-tf-taylor-deg", name, optionarg);
1540
    opts.arith.nlExtTfTaylorDegreeWasSetByUser = true;
1541
12256
  } else if (name == "nl-ext-tf-tplanes") {
1542
41
    opts.arith.nlExtTfTangentPlanes = handlers::handleOption<bool>("nl-ext-tf-tplanes", name, optionarg);
1543
41
    opts.arith.nlExtTfTangentPlanesWasSetByUser = true;
1544
12215
  } else if (name == "nl-ext-tplanes") {
1545
42
    opts.arith.nlExtTangentPlanes = handlers::handleOption<bool>("nl-ext-tplanes", name, optionarg);
1546
42
    opts.arith.nlExtTangentPlanesWasSetByUser = true;
1547
12173
  } else if (name == "nl-ext-tplanes-interleave") {
1548
    opts.arith.nlExtTangentPlanesInterleave = handlers::handleOption<bool>("nl-ext-tplanes-interleave", name, optionarg);
1549
    opts.arith.nlExtTangentPlanesInterleaveWasSetByUser = true;
1550
12173
  } else if (name == "nl-icp") {
1551
2
    opts.arith.nlICP = handlers::handleOption<bool>("nl-icp", name, optionarg);
1552
2
    opts.arith.nlICPWasSetByUser = true;
1553
12171
  } else if (name == "nl-rlv") {
1554
6
    opts.arith.nlRlvMode = stringToNlRlvMode(optionarg);
1555
6
    opts.arith.nlRlvModeWasSetByUser = true;
1556
12165
  } else if (name == "nl-rlv-assert-bounds") {
1557
    opts.arith.nlRlvAssertBounds = handlers::handleOption<bool>("nl-rlv-assert-bounds", name, optionarg);
1558
    opts.arith.nlRlvAssertBoundsWasSetByUser = true;
1559
12165
  } else if (name == "on-repeat-ite-simp") {
1560
    opts.smt.doITESimpOnRepeat = handlers::handleOption<bool>("on-repeat-ite-simp", name, optionarg);
1561
    opts.smt.doITESimpOnRepeatWasSetByUser = true;
1562
12165
  } else if (name == "regular-output-channel" || name == "out") {
1563
    auto value = handlers::handleOption<ManagedOut>("out", name, optionarg);
1564
    opts.handler().setOutStream("out", name, value);
1565
    opts.base.out = value;
1566
    opts.base.outWasSetByUser = true;
1567
12165
  } else if (name == "output") {
1568
6
  opts.handler().enableOutputTag("output", name, optionarg);
1569
12159
  } else if (name == "output-lang" || name == "output-language") {
1570
6197
    auto value = opts.handler().stringToLanguage("output-lang", name, optionarg);
1571
6197
    opts.handler().applyOutputLanguage("output-lang", name, value);
1572
6197
    opts.base.outputLanguage = value;
1573
6197
    opts.base.outputLanguageWasSetByUser = true;
1574
5962
  } else if (name == "parse-only") {
1575
16
    opts.base.parseOnly = handlers::handleOption<bool>("parse-only", name, optionarg);
1576
16
    opts.base.parseOnlyWasSetByUser = true;
1577
5946
  } else if (name == "partial-triggers") {
1578
3
    opts.quantifiers.partialTriggers = handlers::handleOption<bool>("partial-triggers", name, optionarg);
1579
3
    opts.quantifiers.partialTriggersWasSetByUser = true;
1580
5943
  } else if (name == "pb-rewrites") {
1581
2
    opts.arith.pbRewrites = handlers::handleOption<bool>("pb-rewrites", name, optionarg);
1582
2
    opts.arith.pbRewritesWasSetByUser = true;
1583
5941
  } else if (name == "pivot-threshold") {
1584
    opts.arith.arithPivotThreshold = handlers::handleOption<uint64_t>("pivot-threshold", name, optionarg);
1585
    opts.arith.arithPivotThresholdWasSetByUser = true;
1586
5941
  } else if (name == "pool-inst") {
1587
3
    opts.quantifiers.poolInst = handlers::handleOption<bool>("pool-inst", name, optionarg);
1588
3
    opts.quantifiers.poolInstWasSetByUser = true;
1589
5938
  } else if (name == "pp-assert-max-sub-size") {
1590
    opts.arith.ppAssertMaxSubSize = handlers::handleOption<uint64_t>("pp-assert-max-sub-size", name, optionarg);
1591
    opts.arith.ppAssertMaxSubSizeWasSetByUser = true;
1592
5938
  } else if (name == "pre-skolem-quant") {
1593
2
    opts.quantifiers.preSkolemQuant = handlers::handleOption<bool>("pre-skolem-quant", name, optionarg);
1594
2
    opts.quantifiers.preSkolemQuantWasSetByUser = true;
1595
5936
  } else if (name == "pre-skolem-quant-agg") {
1596
    opts.quantifiers.preSkolemQuantAgg = handlers::handleOption<bool>("pre-skolem-quant-agg", name, optionarg);
1597
    opts.quantifiers.preSkolemQuantAggWasSetByUser = true;
1598
5936
  } else if (name == "pre-skolem-quant-nested") {
1599
2
    opts.quantifiers.preSkolemQuantNested = handlers::handleOption<bool>("pre-skolem-quant-nested", name, optionarg);
1600
2
    opts.quantifiers.preSkolemQuantNestedWasSetByUser = true;
1601
5934
  } else if (name == "prenex-quant") {
1602
    opts.quantifiers.prenexQuant = stringToPrenexQuantMode(optionarg);
1603
    opts.quantifiers.prenexQuantWasSetByUser = true;
1604
5934
  } else if (name == "prenex-quant-user") {
1605
    opts.quantifiers.prenexQuantUser = handlers::handleOption<bool>("prenex-quant-user", name, optionarg);
1606
    opts.quantifiers.prenexQuantUserWasSetByUser = true;
1607
5934
  } else if (name == "preprocess-only") {
1608
3
    opts.base.preprocessOnly = handlers::handleOption<bool>("preprocess-only", name, optionarg);
1609
3
    opts.base.preprocessOnlyWasSetByUser = true;
1610
5931
  } else if (name == "print-inst") {
1611
3
    opts.printer.printInstMode = stringToPrintInstMode(optionarg);
1612
3
    opts.printer.printInstModeWasSetByUser = true;
1613
5928
  } else if (name == "print-inst-full") {
1614
12
    opts.printer.printInstFull = handlers::handleOption<bool>("print-inst-full", name, optionarg);
1615
12
    opts.printer.printInstFullWasSetByUser = true;
1616
5916
  } else if (name == "print-success") {
1617
30
    auto value = handlers::handleOption<bool>("print-success", name, optionarg);
1618
30
    opts.handler().setPrintSuccess("print-success", name, value);
1619
30
    opts.base.printSuccess = value;
1620
30
    opts.base.printSuccessWasSetByUser = true;
1621
5886
  } else if (name == "produce-abducts") {
1622
21
    opts.smt.produceAbducts = handlers::handleOption<bool>("produce-abducts", name, optionarg);
1623
21
    opts.smt.produceAbductsWasSetByUser = true;
1624
5865
  } else if (name == "produce-assertions") {
1625
26
    auto value = handlers::handleOption<bool>("produce-assertions", name, optionarg);
1626
26
    opts.handler().setProduceAssertions("produce-assertions", name, value);
1627
26
    opts.smt.produceAssertions = value;
1628
26
    opts.smt.produceAssertionsWasSetByUser = true;
1629
5839
  } else if (name == "produce-assignments") {
1630
4
    opts.smt.produceAssignments = handlers::handleOption<bool>("produce-assignments", name, optionarg);
1631
4
    opts.smt.produceAssignmentsWasSetByUser = true;
1632
5835
  } else if (name == "produce-difficulty") {
1633
4
    opts.smt.produceDifficulty = handlers::handleOption<bool>("produce-difficulty", name, optionarg);
1634
4
    opts.smt.produceDifficultyWasSetByUser = true;
1635
5831
  } else if (name == "produce-interpols") {
1636
11
    opts.smt.produceInterpols = stringToProduceInterpols(optionarg);
1637
11
    opts.smt.produceInterpolsWasSetByUser = true;
1638
5820
  } else if (name == "produce-models") {
1639
817
    opts.smt.produceModels = handlers::handleOption<bool>("produce-models", name, optionarg);
1640
817
    opts.smt.produceModelsWasSetByUser = true;
1641
5003
  } else if (name == "produce-proofs") {
1642
33
    opts.smt.produceProofs = handlers::handleOption<bool>("produce-proofs", name, optionarg);
1643
33
    opts.smt.produceProofsWasSetByUser = true;
1644
4970
  } else if (name == "produce-unsat-assumptions") {
1645
15
    opts.smt.unsatAssumptions = handlers::handleOption<bool>("produce-unsat-assumptions", name, optionarg);
1646
15
    opts.smt.unsatAssumptionsWasSetByUser = true;
1647
4955
  } else if (name == "produce-unsat-cores") {
1648
21
    opts.smt.unsatCores = handlers::handleOption<bool>("produce-unsat-cores", name, optionarg);
1649
21
    opts.smt.unsatCoresWasSetByUser = true;
1650
4934
  } else if (name == "proof-check") {
1651
2
    opts.proof.proofCheck = stringToProofCheckMode(optionarg);
1652
2
    opts.proof.proofCheckWasSetByUser = true;
1653
4932
  } else if (name == "proof-format-mode") {
1654
    opts.proof.proofFormatMode = stringToProofFormatMode(optionarg);
1655
    opts.proof.proofFormatModeWasSetByUser = true;
1656
4932
  } else if (name == "proof-granularity") {
1657
    opts.proof.proofGranularityMode = stringToProofGranularityMode(optionarg);
1658
    opts.proof.proofGranularityModeWasSetByUser = true;
1659
4932
  } else if (name == "proof-pedantic") {
1660
    opts.proof.proofPedantic = handlers::handleOption<uint64_t>("proof-pedantic", name, optionarg);
1661
    opts.proof.proofPedanticWasSetByUser = true;
1662
4932
  } else if (name == "proof-pp-merge") {
1663
    opts.proof.proofPpMerge = handlers::handleOption<bool>("proof-pp-merge", name, optionarg);
1664
    opts.proof.proofPpMergeWasSetByUser = true;
1665
4932
  } else if (name == "proof-print-conclusion") {
1666
    opts.proof.proofPrintConclusion = handlers::handleOption<bool>("proof-print-conclusion", name, optionarg);
1667
    opts.proof.proofPrintConclusionWasSetByUser = true;
1668
4932
  } else if (name == "prop-row-length") {
1669
    opts.arith.arithPropagateMaxLength = handlers::handleOption<uint64_t>("prop-row-length", name, optionarg);
1670
    opts.arith.arithPropagateMaxLengthWasSetByUser = true;
1671
4932
  } else if (name == "purify-triggers") {
1672
3
    opts.quantifiers.purifyTriggers = handlers::handleOption<bool>("purify-triggers", name, optionarg);
1673
3
    opts.quantifiers.purifyTriggersWasSetByUser = true;
1674
4929
  } else if (name == "qcf-all-conflict") {
1675
    opts.quantifiers.qcfAllConflict = handlers::handleOption<bool>("qcf-all-conflict", name, optionarg);
1676
    opts.quantifiers.qcfAllConflictWasSetByUser = true;
1677
4929
  } else if (name == "qcf-eager-check-rd") {
1678
    opts.quantifiers.qcfEagerCheckRd = handlers::handleOption<bool>("qcf-eager-check-rd", name, optionarg);
1679
    opts.quantifiers.qcfEagerCheckRdWasSetByUser = true;
1680
4929
  } else if (name == "qcf-eager-test") {
1681
    opts.quantifiers.qcfEagerTest = handlers::handleOption<bool>("qcf-eager-test", name, optionarg);
1682
    opts.quantifiers.qcfEagerTestWasSetByUser = true;
1683
4929
  } else if (name == "qcf-nested-conflict") {
1684
    opts.quantifiers.qcfNestedConflict = handlers::handleOption<bool>("qcf-nested-conflict", name, optionarg);
1685
    opts.quantifiers.qcfNestedConflictWasSetByUser = true;
1686
4929
  } else if (name == "qcf-skip-rd") {
1687
    opts.quantifiers.qcfSkipRd = handlers::handleOption<bool>("qcf-skip-rd", name, optionarg);
1688
    opts.quantifiers.qcfSkipRdWasSetByUser = true;
1689
4929
  } else if (name == "qcf-tconstraint") {
1690
6
    opts.quantifiers.qcfTConstraint = handlers::handleOption<bool>("qcf-tconstraint", name, optionarg);
1691
6
    opts.quantifiers.qcfTConstraintWasSetByUser = true;
1692
4923
  } else if (name == "qcf-vo-exp") {
1693
    opts.quantifiers.qcfVoExp = handlers::handleOption<bool>("qcf-vo-exp", name, optionarg);
1694
    opts.quantifiers.qcfVoExpWasSetByUser = true;
1695
4923
  } else if (name == "quant-alpha-equiv") {
1696
    opts.quantifiers.quantAlphaEquiv = handlers::handleOption<bool>("quant-alpha-equiv", name, optionarg);
1697
    opts.quantifiers.quantAlphaEquivWasSetByUser = true;
1698
4923
  } else if (name == "quant-cf") {
1699
    opts.quantifiers.quantConflictFind = handlers::handleOption<bool>("quant-cf", name, optionarg);
1700
    opts.quantifiers.quantConflictFindWasSetByUser = true;
1701
4923
  } else if (name == "quant-cf-mode") {
1702
    opts.quantifiers.qcfMode = stringToQcfMode(optionarg);
1703
    opts.quantifiers.qcfModeWasSetByUser = true;
1704
4923
  } else if (name == "quant-cf-when") {
1705
    opts.quantifiers.qcfWhenMode = stringToQcfWhenMode(optionarg);
1706
    opts.quantifiers.qcfWhenModeWasSetByUser = true;
1707
4923
  } else if (name == "quant-dsplit-mode") {
1708
    opts.quantifiers.quantDynamicSplit = stringToQuantDSplitMode(optionarg);
1709
    opts.quantifiers.quantDynamicSplitWasSetByUser = true;
1710
4923
  } else if (name == "quant-fun-wd") {
1711
    opts.quantifiers.quantFunWellDefined = handlers::handleOption<bool>("quant-fun-wd", name, optionarg);
1712
    opts.quantifiers.quantFunWellDefinedWasSetByUser = true;
1713
4923
  } else if (name == "quant-ind") {
1714
8
    opts.quantifiers.quantInduction = handlers::handleOption<bool>("quant-ind", name, optionarg);
1715
8
    opts.quantifiers.quantInductionWasSetByUser = true;
1716
4915
  } else if (name == "quant-rep-mode") {
1717
    opts.quantifiers.quantRepMode = stringToQuantRepMode(optionarg);
1718
    opts.quantifiers.quantRepModeWasSetByUser = true;
1719
4915
  } else if (name == "quant-split") {
1720
150
    opts.quantifiers.quantSplit = handlers::handleOption<bool>("quant-split", name, optionarg);
1721
150
    opts.quantifiers.quantSplitWasSetByUser = true;
1722
4765
  } else if (name == "quiet") {
1723
196
  opts.handler().decreaseVerbosity("quiet", name);
1724
4569
  } else if (name == "random-frequency" || name == "random-freq") {
1725
    auto value = handlers::handleOption<double>("random-freq", name, optionarg);
1726
    opts.handler().checkMinimum("random-freq", name, value, static_cast<double>(0.0));
1727
    opts.handler().checkMaximum("random-freq", name, value, static_cast<double>(1.0));
1728
    opts.prop.satRandomFreq = value;
1729
    opts.prop.satRandomFreqWasSetByUser = true;
1730
4569
  } else if (name == "random-seed") {
1731
2
    opts.prop.satRandomSeed = handlers::handleOption<uint64_t>("random-seed", name, optionarg);
1732
2
    opts.prop.satRandomSeedWasSetByUser = true;
1733
4567
  } else if (name == "re-elim") {
1734
51
    opts.strings.regExpElim = handlers::handleOption<bool>("re-elim", name, optionarg);
1735
51
    opts.strings.regExpElimWasSetByUser = true;
1736
4516
  } else if (name == "re-elim-agg") {
1737
20
    opts.strings.regExpElimAgg = handlers::handleOption<bool>("re-elim-agg", name, optionarg);
1738
20
    opts.strings.regExpElimAggWasSetByUser = true;
1739
4496
  } else if (name == "re-inter-mode") {
1740
    opts.strings.stringRegExpInterMode = stringToRegExpInterMode(optionarg);
1741
    opts.strings.stringRegExpInterModeWasSetByUser = true;
1742
4496
  } else if (name == "refine-conflicts") {
1743
    opts.prop.sat_refine_conflicts = handlers::handleOption<bool>("refine-conflicts", name, optionarg);
1744
    opts.prop.sat_refine_conflictsWasSetByUser = true;
1745
4496
  } else if (name == "register-quant-body-terms") {
1746
    opts.quantifiers.registerQuantBodyTerms = handlers::handleOption<bool>("register-quant-body-terms", name, optionarg);
1747
    opts.quantifiers.registerQuantBodyTermsWasSetByUser = true;
1748
4496
  } else if (name == "relational-triggers") {
1749
15
    opts.quantifiers.relationalTriggers = handlers::handleOption<bool>("relational-triggers", name, optionarg);
1750
15
    opts.quantifiers.relationalTriggersWasSetByUser = true;
1751
4481
  } else if (name == "relevance-filter") {
1752
    opts.theory.relevanceFilter = handlers::handleOption<bool>("relevance-filter", name, optionarg);
1753
    opts.theory.relevanceFilterWasSetByUser = true;
1754
4481
  } else if (name == "relevant-triggers") {
1755
3
    opts.quantifiers.relevantTriggers = handlers::handleOption<bool>("relevant-triggers", name, optionarg);
1756
3
    opts.quantifiers.relevantTriggersWasSetByUser = true;
1757
4478
  } else if (name == "repeat-simp") {
1758
4
    opts.smt.repeatSimp = handlers::handleOption<bool>("repeat-simp", name, optionarg);
1759
4
    opts.smt.repeatSimpWasSetByUser = true;
1760
4474
  } else if (name == "replay-early-close-depth") {
1761
    opts.arith.replayEarlyCloseDepths = handlers::handleOption<int64_t>("replay-early-close-depth", name, optionarg);
1762
    opts.arith.replayEarlyCloseDepthsWasSetByUser = true;
1763
4474
  } else if (name == "replay-lemma-reject-cut") {
1764
    opts.arith.lemmaRejectCutSize = handlers::handleOption<uint64_t>("replay-lemma-reject-cut", name, optionarg);
1765
    opts.arith.lemmaRejectCutSizeWasSetByUser = true;
1766
4474
  } else if (name == "replay-num-err-penalty") {
1767
    opts.arith.replayNumericFailurePenalty = handlers::handleOption<int64_t>("replay-num-err-penalty", name, optionarg);
1768
    opts.arith.replayNumericFailurePenaltyWasSetByUser = true;
1769
4474
  } else if (name == "replay-reject-cut") {
1770
    opts.arith.replayRejectCutSize = handlers::handleOption<uint64_t>("replay-reject-cut", name, optionarg);
1771
    opts.arith.replayRejectCutSizeWasSetByUser = true;
1772
4474
  } else if (name == "restart-int-base") {
1773
    opts.prop.satRestartFirst = handlers::handleOption<uint64_t>("restart-int-base", name, optionarg);
1774
    opts.prop.satRestartFirstWasSetByUser = true;
1775
4474
  } else if (name == "restart-int-inc") {
1776
    auto value = handlers::handleOption<double>("restart-int-inc", name, optionarg);
1777
    opts.handler().checkMinimum("restart-int-inc", name, value, static_cast<double>(0.0));
1778
    opts.prop.satRestartInc = value;
1779
    opts.prop.satRestartIncWasSetByUser = true;
1780
4474
  } else if (name == "restrict-pivots") {
1781
    opts.arith.restrictedPivots = handlers::handleOption<bool>("restrict-pivots", name, optionarg);
1782
    opts.arith.restrictedPivotsWasSetByUser = true;
1783
4474
  } else if (name == "revert-arith-models-on-unsat") {
1784
    opts.arith.revertArithModels = handlers::handleOption<bool>("revert-arith-models-on-unsat", name, optionarg);
1785
    opts.arith.revertArithModelsWasSetByUser = true;
1786
4474
  } else if (name == "rlimit") {
1787
    opts.base.cumulativeResourceLimit = handlers::handleOption<uint64_t>("rlimit", name, optionarg);
1788
    opts.base.cumulativeResourceLimitWasSetByUser = true;
1789
4474
  } else if (name == "rlimit-per" || name == "reproducible-resource-limit") {
1790
    opts.base.perCallResourceLimit = handlers::handleOption<uint64_t>("rlimit-per", name, optionarg);
1791
    opts.base.perCallResourceLimitWasSetByUser = true;
1792
4474
  } else if (name == "rr-turns") {
1793
    opts.arith.rrTurns = handlers::handleOption<int64_t>("rr-turns", name, optionarg);
1794
    opts.arith.rrTurnsWasSetByUser = true;
1795
4474
  } else if (name == "rweight") {
1796
  opts.handler().setResourceWeight("rweight", name, optionarg);
1797
4474
  } else if (name == "se-solve-int") {
1798
    opts.arith.trySolveIntStandardEffort = handlers::handleOption<bool>("se-solve-int", name, optionarg);
1799
    opts.arith.trySolveIntStandardEffortWasSetByUser = true;
1800
4474
  } else if (name == "seed") {
1801
    opts.driver.seed = handlers::handleOption<uint64_t>("seed", name, optionarg);
1802
    opts.driver.seedWasSetByUser = true;
1803
4474
  } else if (name == "segv-spin") {
1804
    opts.driver.segvSpin = handlers::handleOption<bool>("segv-spin", name, optionarg);
1805
    opts.driver.segvSpinWasSetByUser = true;
1806
4474
  } else if (name == "semantic-checks") {
1807
    opts.parser.semanticChecks = handlers::handleOption<bool>("semantic-checks", name, optionarg);
1808
    opts.parser.semanticChecksWasSetByUser = true;
1809
4474
  } else if (name == "sep-check-neg") {
1810
    opts.sep.sepCheckNeg = handlers::handleOption<bool>("sep-check-neg", name, optionarg);
1811
    opts.sep.sepCheckNegWasSetByUser = true;
1812
4474
  } else if (name == "sep-child-refine") {
1813
    opts.sep.sepChildRefine = handlers::handleOption<bool>("sep-child-refine", name, optionarg);
1814
    opts.sep.sepChildRefineWasSetByUser = true;
1815
4474
  } else if (name == "sep-deq-c") {
1816
    opts.sep.sepDisequalC = handlers::handleOption<bool>("sep-deq-c", name, optionarg);
1817
    opts.sep.sepDisequalCWasSetByUser = true;
1818
4474
  } else if (name == "sep-min-refine") {
1819
    opts.sep.sepMinimalRefine = handlers::handleOption<bool>("sep-min-refine", name, optionarg);
1820
    opts.sep.sepMinimalRefineWasSetByUser = true;
1821
4474
  } else if (name == "sep-pre-skolem-emp") {
1822
1
    opts.sep.sepPreSkolemEmp = handlers::handleOption<bool>("sep-pre-skolem-emp", name, optionarg);
1823
1
    opts.sep.sepPreSkolemEmpWasSetByUser = true;
1824
4473
  } else if (name == "sets-ext") {
1825
116
    opts.sets.setsExt = handlers::handleOption<bool>("sets-ext", name, optionarg);
1826
116
    opts.sets.setsExtWasSetByUser = true;
1827
4357
  } else if (name == "sets-infer-as-lemmas") {
1828
2
    opts.sets.setsInferAsLemmas = handlers::handleOption<bool>("sets-infer-as-lemmas", name, optionarg);
1829
2
    opts.sets.setsInferAsLemmasWasSetByUser = true;
1830
4355
  } else if (name == "sets-proxy-lemmas") {
1831
    opts.sets.setsProxyLemmas = handlers::handleOption<bool>("sets-proxy-lemmas", name, optionarg);
1832
    opts.sets.setsProxyLemmasWasSetByUser = true;
1833
4355
  } else if (name == "show-config") {
1834
2626
  opts.handler().showConfiguration("show-config", name);
1835
1729
  } else if (name == "show-debug-tags") {
1836
  opts.handler().showDebugTags("show-debug-tags", name);
1837
1729
  } else if (name == "show-trace-tags") {
1838
  opts.handler().showTraceTags("show-trace-tags", name);
1839
1729
  } else if (name == "simp-ite-compress") {
1840
2
    opts.smt.compressItes = handlers::handleOption<bool>("simp-ite-compress", name, optionarg);
1841
2
    opts.smt.compressItesWasSetByUser = true;
1842
1727
  } else if (name == "simp-ite-hunt-zombies") {
1843
    opts.smt.zombieHuntThreshold = handlers::handleOption<uint64_t>("simp-ite-hunt-zombies", name, optionarg);
1844
    opts.smt.zombieHuntThresholdWasSetByUser = true;
1845
1727
  } else if (name == "simp-with-care") {
1846
    opts.smt.simplifyWithCareEnabled = handlers::handleOption<bool>("simp-with-care", name, optionarg);
1847
    opts.smt.simplifyWithCareEnabledWasSetByUser = true;
1848
1727
  } else if (name == "simplex-check-period") {
1849
    opts.arith.arithSimplexCheckPeriod = handlers::handleOption<uint64_t>("simplex-check-period", name, optionarg);
1850
    opts.arith.arithSimplexCheckPeriodWasSetByUser = true;
1851
1727
  } else if (name == "simplification-mode" || name == "simplification") {
1852
32
    opts.smt.simplificationMode = stringToSimplificationMode(optionarg);
1853
32
    opts.smt.simplificationModeWasSetByUser = true;
1854
1695
  } else if (name == "soi-qe") {
1855
    opts.arith.soiQuickExplain = handlers::handleOption<bool>("soi-qe", name, optionarg);
1856
    opts.arith.soiQuickExplainWasSetByUser = true;
1857
1695
  } else if (name == "solve-bv-as-int") {
1858
148
    opts.smt.solveBVAsInt = stringToSolveBVAsIntMode(optionarg);
1859
148
    opts.smt.solveBVAsIntWasSetByUser = true;
1860
1547
  } else if (name == "solve-int-as-bv") {
1861
17
    opts.smt.solveIntAsBV = handlers::handleOption<uint64_t>("solve-int-as-bv", name, optionarg);
1862
17
    opts.smt.solveIntAsBVWasSetByUser = true;
1863
1530
  } else if (name == "solve-real-as-int") {
1864
9
    opts.smt.solveRealAsInt = handlers::handleOption<bool>("solve-real-as-int", name, optionarg);
1865
9
    opts.smt.solveRealAsIntWasSetByUser = true;
1866
1521
  } else if (name == "sort-inference") {
1867
26
    opts.smt.sortInference = handlers::handleOption<bool>("sort-inference", name, optionarg);
1868
26
    opts.smt.sortInferenceWasSetByUser = true;
1869
1495
  } else if (name == "standard-effort-variable-order-pivots") {
1870
    opts.arith.arithStandardCheckVarOrderPivots = handlers::handleOption<int64_t>("standard-effort-variable-order-pivots", name, optionarg);
1871
    opts.arith.arithStandardCheckVarOrderPivotsWasSetByUser = true;
1872
1495
  } else if (name == "static-learning") {
1873
    opts.smt.doStaticLearning = handlers::handleOption<bool>("static-learning", name, optionarg);
1874
    opts.smt.doStaticLearningWasSetByUser = true;
1875
1495
  } else if (name == "stats") {
1876
2
    auto value = handlers::handleOption<bool>("stats", name, optionarg);
1877
2
    opts.handler().setStats("stats", name, value);
1878
2
    opts.base.statistics = value;
1879
2
    opts.base.statisticsWasSetByUser = true;
1880
1493
  } else if (name == "stats-all") {
1881
1
    auto value = handlers::handleOption<bool>("stats-all", name, optionarg);
1882
1
    opts.handler().setStats("stats-all", name, value);
1883
1
    opts.base.statisticsAll = value;
1884
1
    opts.base.statisticsAllWasSetByUser = true;
1885
1492
  } else if (name == "stats-every-query") {
1886
    auto value = handlers::handleOption<bool>("stats-every-query", name, optionarg);
1887
    opts.handler().setStats("stats-every-query", name, value);
1888
    opts.base.statisticsEveryQuery = value;
1889
    opts.base.statisticsEveryQueryWasSetByUser = true;
1890
1492
  } else if (name == "stats-expert") {
1891
1
    auto value = handlers::handleOption<bool>("stats-expert", name, optionarg);
1892
1
    opts.handler().setStats("stats-expert", name, value);
1893
1
    opts.base.statisticsExpert = value;
1894
1
    opts.base.statisticsExpertWasSetByUser = true;
1895
1491
  } else if (name == "strict-parsing") {
1896
9
    opts.parser.strictParsing = handlers::handleOption<bool>("strict-parsing", name, optionarg);
1897
9
    opts.parser.strictParsingWasSetByUser = true;
1898
1482
  } else if (name == "strings-check-entail-len") {
1899
    opts.strings.stringCheckEntailLen = handlers::handleOption<bool>("strings-check-entail-len", name, optionarg);
1900
    opts.strings.stringCheckEntailLenWasSetByUser = true;
1901
1482
  } else if (name == "strings-eager") {
1902
2
    opts.strings.stringEager = handlers::handleOption<bool>("strings-eager", name, optionarg);
1903
2
    opts.strings.stringEagerWasSetByUser = true;
1904
1480
  } else if (name == "strings-eager-eval") {
1905
    opts.strings.stringEagerEval = handlers::handleOption<bool>("strings-eager-eval", name, optionarg);
1906
    opts.strings.stringEagerEvalWasSetByUser = true;
1907
1480
  } else if (name == "strings-eager-len") {
1908
    opts.strings.stringEagerLen = handlers::handleOption<bool>("strings-eager-len", name, optionarg);
1909
    opts.strings.stringEagerLenWasSetByUser = true;
1910
1480
  } else if (name == "strings-exp") {
1911
556
    opts.strings.stringExp = handlers::handleOption<bool>("strings-exp", name, optionarg);
1912
556
    opts.strings.stringExpWasSetByUser = true;
1913
924
  } else if (name == "strings-ff") {
1914
    opts.strings.stringFlatForms = handlers::handleOption<bool>("strings-ff", name, optionarg);
1915
    opts.strings.stringFlatFormsWasSetByUser = true;
1916
924
  } else if (name == "strings-fmf") {
1917
51
    opts.strings.stringFMF = handlers::handleOption<bool>("strings-fmf", name, optionarg);
1918
51
    opts.strings.stringFMFWasSetByUser = true;
1919
873
  } else if (name == "strings-guess-model") {
1920
    opts.strings.stringGuessModel = handlers::handleOption<bool>("strings-guess-model", name, optionarg);
1921
    opts.strings.stringGuessModelWasSetByUser = true;
1922
873
  } else if (name == "strings-infer-as-lemmas") {
1923
    opts.strings.stringInferAsLemmas = handlers::handleOption<bool>("strings-infer-as-lemmas", name, optionarg);
1924
    opts.strings.stringInferAsLemmasWasSetByUser = true;
1925
873
  } else if (name == "strings-infer-sym") {
1926
    opts.strings.stringInferSym = handlers::handleOption<bool>("strings-infer-sym", name, optionarg);
1927
    opts.strings.stringInferSymWasSetByUser = true;
1928
873
  } else if (name == "strings-lazy-pp") {
1929
32
    opts.strings.stringLazyPreproc = handlers::handleOption<bool>("strings-lazy-pp", name, optionarg);
1930
32
    opts.strings.stringLazyPreprocWasSetByUser = true;
1931
841
  } else if (name == "strings-len-norm") {
1932
    opts.strings.stringLenNorm = handlers::handleOption<bool>("strings-len-norm", name, optionarg);
1933
    opts.strings.stringLenNormWasSetByUser = true;
1934
841
  } else if (name == "strings-min-prefix-explain") {
1935
    opts.strings.stringMinPrefixExplain = handlers::handleOption<bool>("strings-min-prefix-explain", name, optionarg);
1936
    opts.strings.stringMinPrefixExplainWasSetByUser = true;
1937
841
  } else if (name == "strings-process-loop-mode") {
1938
    opts.strings.stringProcessLoopMode = stringToProcessLoopMode(optionarg);
1939
    opts.strings.stringProcessLoopModeWasSetByUser = true;
1940
841
  } else if (name == "strings-rexplain-lemmas") {
1941
    opts.strings.stringRExplainLemmas = handlers::handleOption<bool>("strings-rexplain-lemmas", name, optionarg);
1942
    opts.strings.stringRExplainLemmasWasSetByUser = true;
1943
841
  } else if (name == "strings-unified-vspt") {
1944
    opts.strings.stringUnifiedVSpt = handlers::handleOption<bool>("strings-unified-vspt", name, optionarg);
1945
    opts.strings.stringUnifiedVSptWasSetByUser = true;
1946
841
  } else if (name == "sygus") {
1947
    opts.quantifiers.sygus = handlers::handleOption<bool>("sygus", name, optionarg);
1948
    opts.quantifiers.sygusWasSetByUser = true;
1949
841
  } else if (name == "sygus-abort-size") {
1950
11
    opts.datatypes.sygusAbortSize = handlers::handleOption<int64_t>("sygus-abort-size", name, optionarg);
1951
11
    opts.datatypes.sygusAbortSizeWasSetByUser = true;
1952
830
  } else if (name == "sygus-active-gen") {
1953
14
    opts.quantifiers.sygusActiveGenMode = stringToSygusActiveGenMode(optionarg);
1954
14
    opts.quantifiers.sygusActiveGenModeWasSetByUser = true;
1955
816
  } else if (name == "sygus-active-gen-cfactor") {
1956
    opts.quantifiers.sygusActiveGenEnumConsts = handlers::handleOption<uint64_t>("sygus-active-gen-cfactor", name, optionarg);
1957
    opts.quantifiers.sygusActiveGenEnumConstsWasSetByUser = true;
1958
816
  } else if (name == "sygus-add-const-grammar") {
1959
2
    opts.quantifiers.sygusAddConstGrammar = handlers::handleOption<bool>("sygus-add-const-grammar", name, optionarg);
1960
2
    opts.quantifiers.sygusAddConstGrammarWasSetByUser = true;
1961
814
  } else if (name == "sygus-arg-relevant") {
1962
3
    opts.quantifiers.sygusArgRelevant = handlers::handleOption<bool>("sygus-arg-relevant", name, optionarg);
1963
3
    opts.quantifiers.sygusArgRelevantWasSetByUser = true;
1964
811
  } else if (name == "sygus-auto-unfold") {
1965
    opts.quantifiers.sygusInvAutoUnfold = handlers::handleOption<bool>("sygus-auto-unfold", name, optionarg);
1966
    opts.quantifiers.sygusInvAutoUnfoldWasSetByUser = true;
1967
811
  } else if (name == "sygus-bool-ite-return-const") {
1968
1
    opts.quantifiers.sygusBoolIteReturnConst = handlers::handleOption<bool>("sygus-bool-ite-return-const", name, optionarg);
1969
1
    opts.quantifiers.sygusBoolIteReturnConstWasSetByUser = true;
1970
810
  } else if (name == "sygus-core-connective") {
1971
5
    opts.quantifiers.sygusCoreConnective = handlers::handleOption<bool>("sygus-core-connective", name, optionarg);
1972
5
    opts.quantifiers.sygusCoreConnectiveWasSetByUser = true;
1973
805
  } else if (name == "sygus-crepair-abort") {
1974
    opts.quantifiers.sygusConstRepairAbort = handlers::handleOption<bool>("sygus-crepair-abort", name, optionarg);
1975
    opts.quantifiers.sygusConstRepairAbortWasSetByUser = true;
1976
805
  } else if (name == "sygus-eval-opt") {
1977
    opts.quantifiers.sygusEvalOpt = handlers::handleOption<bool>("sygus-eval-opt", name, optionarg);
1978
    opts.quantifiers.sygusEvalOptWasSetByUser = true;
1979
805
  } else if (name == "sygus-eval-unfold") {
1980
    opts.quantifiers.sygusEvalUnfold = handlers::handleOption<bool>("sygus-eval-unfold", name, optionarg);
1981
    opts.quantifiers.sygusEvalUnfoldWasSetByUser = true;
1982
805
  } else if (name == "sygus-eval-unfold-bool") {
1983
    opts.quantifiers.sygusEvalUnfoldBool = handlers::handleOption<bool>("sygus-eval-unfold-bool", name, optionarg);
1984
    opts.quantifiers.sygusEvalUnfoldBoolWasSetByUser = true;
1985
805
  } else if (name == "sygus-expr-miner-check-timeout") {
1986
    opts.quantifiers.sygusExprMinerCheckTimeout = handlers::handleOption<uint64_t>("sygus-expr-miner-check-timeout", name, optionarg);
1987
    opts.quantifiers.sygusExprMinerCheckTimeoutWasSetByUser = true;
1988
805
  } else if (name == "sygus-ext-rew") {
1989
2
    opts.quantifiers.sygusExtRew = handlers::handleOption<bool>("sygus-ext-rew", name, optionarg);
1990
2
    opts.quantifiers.sygusExtRewWasSetByUser = true;
1991
803
  } else if (name == "sygus-fair") {
1992
2
    opts.datatypes.sygusFair = stringToSygusFairMode(optionarg);
1993
2
    opts.datatypes.sygusFairWasSetByUser = true;
1994
801
  } else if (name == "sygus-fair-max") {
1995
    opts.datatypes.sygusFairMax = handlers::handleOption<bool>("sygus-fair-max", name, optionarg);
1996
    opts.datatypes.sygusFairMaxWasSetByUser = true;
1997
801
  } else if (name == "sygus-filter-sol") {
1998
    opts.quantifiers.sygusFilterSolMode = stringToSygusFilterSolMode(optionarg);
1999
    opts.quantifiers.sygusFilterSolModeWasSetByUser = true;
2000
801
  } else if (name == "sygus-filter-sol-rev") {
2001
    opts.quantifiers.sygusFilterSolRevSubsume = handlers::handleOption<bool>("sygus-filter-sol-rev", name, optionarg);
2002
    opts.quantifiers.sygusFilterSolRevSubsumeWasSetByUser = true;
2003
801
  } else if (name == "sygus-grammar-cons") {
2004
6
    opts.quantifiers.sygusGrammarConsMode = stringToSygusGrammarConsMode(optionarg);
2005
6
    opts.quantifiers.sygusGrammarConsModeWasSetByUser = true;
2006
795
  } else if (name == "sygus-grammar-norm") {
2007
    opts.quantifiers.sygusGrammarNorm = handlers::handleOption<bool>("sygus-grammar-norm", name, optionarg);
2008
    opts.quantifiers.sygusGrammarNormWasSetByUser = true;
2009
795
  } else if (name == "sygus-inference") {
2010
59
    opts.quantifiers.sygusInference = handlers::handleOption<bool>("sygus-inference", name, optionarg);
2011
59
    opts.quantifiers.sygusInferenceWasSetByUser = true;
2012
736
  } else if (name == "sygus-inst") {
2013
26
    opts.quantifiers.sygusInst = handlers::handleOption<bool>("sygus-inst", name, optionarg);
2014
26
    opts.quantifiers.sygusInstWasSetByUser = true;
2015
710
  } else if (name == "sygus-inst-mode") {
2016
    opts.quantifiers.sygusInstMode = stringToSygusInstMode(optionarg);
2017
    opts.quantifiers.sygusInstModeWasSetByUser = true;
2018
710
  } else if (name == "sygus-inst-scope") {
2019
    opts.quantifiers.sygusInstScope = stringToSygusInstScope(optionarg);
2020
    opts.quantifiers.sygusInstScopeWasSetByUser = true;
2021
710
  } else if (name == "sygus-inst-term-sel") {
2022
    opts.quantifiers.sygusInstTermSel = stringToSygusInstTermSelMode(optionarg);
2023
    opts.quantifiers.sygusInstTermSelWasSetByUser = true;
2024
710
  } else if (name == "sygus-inv-templ") {
2025
3
    opts.quantifiers.sygusInvTemplMode = stringToSygusInvTemplMode(optionarg);
2026
3
    opts.quantifiers.sygusInvTemplModeWasSetByUser = true;
2027
707
  } else if (name == "sygus-inv-templ-when-sg") {
2028
    opts.quantifiers.sygusInvTemplWhenSyntax = handlers::handleOption<bool>("sygus-inv-templ-when-sg", name, optionarg);
2029
    opts.quantifiers.sygusInvTemplWhenSyntaxWasSetByUser = true;
2030
707
  } else if (name == "sygus-min-grammar") {
2031
    opts.quantifiers.sygusMinGrammar = handlers::handleOption<bool>("sygus-min-grammar", name, optionarg);
2032
    opts.quantifiers.sygusMinGrammarWasSetByUser = true;
2033
707
  } else if (name == "sygus-out") {
2034
185
    opts.smt.sygusOut = stringToSygusSolutionOutMode(optionarg);
2035
185
    opts.smt.sygusOutWasSetByUser = true;
2036
522
  } else if (name == "sygus-pbe") {
2037
6
    opts.quantifiers.sygusUnifPbe = handlers::handleOption<bool>("sygus-pbe", name, optionarg);
2038
6
    opts.quantifiers.sygusUnifPbeWasSetByUser = true;
2039
516
  } else if (name == "sygus-pbe-multi-fair") {
2040
    opts.quantifiers.sygusPbeMultiFair = handlers::handleOption<bool>("sygus-pbe-multi-fair", name, optionarg);
2041
    opts.quantifiers.sygusPbeMultiFairWasSetByUser = true;
2042
516
  } else if (name == "sygus-pbe-multi-fair-diff") {
2043
    opts.quantifiers.sygusPbeMultiFairDiff = handlers::handleOption<int64_t>("sygus-pbe-multi-fair-diff", name, optionarg);
2044
    opts.quantifiers.sygusPbeMultiFairDiffWasSetByUser = true;
2045
516
  } else if (name == "sygus-qe-preproc") {
2046
4
    opts.quantifiers.sygusQePreproc = handlers::handleOption<bool>("sygus-qe-preproc", name, optionarg);
2047
4
    opts.quantifiers.sygusQePreprocWasSetByUser = true;
2048
512
  } else if (name == "sygus-query-gen") {
2049
    opts.quantifiers.sygusQueryGen = handlers::handleOption<bool>("sygus-query-gen", name, optionarg);
2050
    opts.quantifiers.sygusQueryGenWasSetByUser = true;
2051
512
  } else if (name == "sygus-query-gen-check") {
2052
    opts.quantifiers.sygusQueryGenCheck = handlers::handleOption<bool>("sygus-query-gen-check", name, optionarg);
2053
    opts.quantifiers.sygusQueryGenCheckWasSetByUser = true;
2054
512
  } else if (name == "sygus-query-gen-dump-files") {
2055
    opts.quantifiers.sygusQueryGenDumpFiles = stringToSygusQueryDumpFilesMode(optionarg);
2056
    opts.quantifiers.sygusQueryGenDumpFilesWasSetByUser = true;
2057
512
  } else if (name == "sygus-query-gen-thresh") {
2058
    opts.quantifiers.sygusQueryGenThresh = handlers::handleOption<uint64_t>("sygus-query-gen-thresh", name, optionarg);
2059
    opts.quantifiers.sygusQueryGenThreshWasSetByUser = true;
2060
512
  } else if (name == "sygus-rec-fun") {
2061
3
    opts.quantifiers.sygusRecFun = handlers::handleOption<bool>("sygus-rec-fun", name, optionarg);
2062
3
    opts.quantifiers.sygusRecFunWasSetByUser = true;
2063
509
  } else if (name == "sygus-rec-fun-eval-limit") {
2064
    opts.quantifiers.sygusRecFunEvalLimit = handlers::handleOption<uint64_t>("sygus-rec-fun-eval-limit", name, optionarg);
2065
    opts.quantifiers.sygusRecFunEvalLimitWasSetByUser = true;
2066
509
  } else if (name == "sygus-repair-const") {
2067
8
    opts.quantifiers.sygusRepairConst = handlers::handleOption<bool>("sygus-repair-const", name, optionarg);
2068
8
    opts.quantifiers.sygusRepairConstWasSetByUser = true;
2069
501
  } else if (name == "sygus-repair-const-timeout") {
2070
    opts.quantifiers.sygusRepairConstTimeout = handlers::handleOption<uint64_t>("sygus-repair-const-timeout", name, optionarg);
2071
    opts.quantifiers.sygusRepairConstTimeoutWasSetByUser = true;
2072
501
  } else if (name == "sygus-rr") {
2073
6
    opts.quantifiers.sygusRew = handlers::handleOption<bool>("sygus-rr", name, optionarg);
2074
6
    opts.quantifiers.sygusRewWasSetByUser = true;
2075
495
  } else if (name == "sygus-rr-synth") {
2076
1
    opts.quantifiers.sygusRewSynth = handlers::handleOption<bool>("sygus-rr-synth", name, optionarg);
2077
1
    opts.quantifiers.sygusRewSynthWasSetByUser = true;
2078
494
  } else if (name == "sygus-rr-synth-accel") {
2079
    opts.quantifiers.sygusRewSynthAccel = handlers::handleOption<bool>("sygus-rr-synth-accel", name, optionarg);
2080
    opts.quantifiers.sygusRewSynthAccelWasSetByUser = true;
2081
494
  } else if (name == "sygus-rr-synth-check") {
2082
5
    opts.quantifiers.sygusRewSynthCheck = handlers::handleOption<bool>("sygus-rr-synth-check", name, optionarg);
2083
5
    opts.quantifiers.sygusRewSynthCheckWasSetByUser = true;
2084
489
  } else if (name == "sygus-rr-synth-filter-cong") {
2085
    opts.quantifiers.sygusRewSynthFilterCong = handlers::handleOption<bool>("sygus-rr-synth-filter-cong", name, optionarg);
2086
    opts.quantifiers.sygusRewSynthFilterCongWasSetByUser = true;
2087
489
  } else if (name == "sygus-rr-synth-filter-match") {
2088
    opts.quantifiers.sygusRewSynthFilterMatch = handlers::handleOption<bool>("sygus-rr-synth-filter-match", name, optionarg);
2089
    opts.quantifiers.sygusRewSynthFilterMatchWasSetByUser = true;
2090
489
  } else if (name == "sygus-rr-synth-filter-nl") {
2091
    opts.quantifiers.sygusRewSynthFilterNonLinear = handlers::handleOption<bool>("sygus-rr-synth-filter-nl", name, optionarg);
2092
    opts.quantifiers.sygusRewSynthFilterNonLinearWasSetByUser = true;
2093
489
  } else if (name == "sygus-rr-synth-filter-order") {
2094
    opts.quantifiers.sygusRewSynthFilterOrder = handlers::handleOption<bool>("sygus-rr-synth-filter-order", name, optionarg);
2095
    opts.quantifiers.sygusRewSynthFilterOrderWasSetByUser = true;
2096
489
  } else if (name == "sygus-rr-synth-input") {
2097
255
    opts.quantifiers.sygusRewSynthInput = handlers::handleOption<bool>("sygus-rr-synth-input", name, optionarg);
2098
255
    opts.quantifiers.sygusRewSynthInputWasSetByUser = true;
2099
234
  } else if (name == "sygus-rr-synth-input-nvars") {
2100
    opts.quantifiers.sygusRewSynthInputNVars = handlers::handleOption<int64_t>("sygus-rr-synth-input-nvars", name, optionarg);
2101
    opts.quantifiers.sygusRewSynthInputNVarsWasSetByUser = true;
2102
234
  } else if (name == "sygus-rr-synth-input-use-bool") {
2103
    opts.quantifiers.sygusRewSynthInputUseBool = handlers::handleOption<bool>("sygus-rr-synth-input-use-bool", name, optionarg);
2104
    opts.quantifiers.sygusRewSynthInputUseBoolWasSetByUser = true;
2105
234
  } else if (name == "sygus-rr-synth-rec") {
2106
    opts.quantifiers.sygusRewSynthRec = handlers::handleOption<bool>("sygus-rr-synth-rec", name, optionarg);
2107
    opts.quantifiers.sygusRewSynthRecWasSetByUser = true;
2108
234
  } else if (name == "sygus-rr-verify") {
2109
    opts.quantifiers.sygusRewVerify = handlers::handleOption<bool>("sygus-rr-verify", name, optionarg);
2110
    opts.quantifiers.sygusRewVerifyWasSetByUser = true;
2111
234
  } else if (name == "sygus-rr-verify-abort") {
2112
7
    opts.quantifiers.sygusRewVerifyAbort = handlers::handleOption<bool>("sygus-rr-verify-abort", name, optionarg);
2113
7
    opts.quantifiers.sygusRewVerifyAbortWasSetByUser = true;
2114
227
  } else if (name == "sygus-sample-fp-uniform") {
2115
    opts.quantifiers.sygusSampleFpUniform = handlers::handleOption<bool>("sygus-sample-fp-uniform", name, optionarg);
2116
    opts.quantifiers.sygusSampleFpUniformWasSetByUser = true;
2117
227
  } else if (name == "sygus-sample-grammar") {
2118
    opts.quantifiers.sygusSampleGrammar = handlers::handleOption<bool>("sygus-sample-grammar", name, optionarg);
2119
    opts.quantifiers.sygusSampleGrammarWasSetByUser = true;
2120
227
  } else if (name == "sygus-samples") {
2121
7
    opts.quantifiers.sygusSamples = handlers::handleOption<int64_t>("sygus-samples", name, optionarg);
2122
7
    opts.quantifiers.sygusSamplesWasSetByUser = true;
2123
220
  } else if (name == "sygus-si") {
2124
47
    opts.quantifiers.cegqiSingleInvMode = stringToCegqiSingleInvMode(optionarg);
2125
47
    opts.quantifiers.cegqiSingleInvModeWasSetByUser = true;
2126
173
  } else if (name == "sygus-si-abort") {
2127
    opts.quantifiers.cegqiSingleInvAbort = handlers::handleOption<bool>("sygus-si-abort", name, optionarg);
2128
    opts.quantifiers.cegqiSingleInvAbortWasSetByUser = true;
2129
173
  } else if (name == "sygus-si-rcons") {
2130
    opts.quantifiers.cegqiSingleInvReconstruct = stringToCegqiSingleInvRconsMode(optionarg);
2131
    opts.quantifiers.cegqiSingleInvReconstructWasSetByUser = true;
2132
173
  } else if (name == "sygus-si-rcons-limit") {
2133
1
    opts.quantifiers.cegqiSingleInvReconstructLimit = handlers::handleOption<int64_t>("sygus-si-rcons-limit", name, optionarg);
2134
1
    opts.quantifiers.cegqiSingleInvReconstructLimitWasSetByUser = true;
2135
172
  } else if (name == "sygus-stream") {
2136
4
    opts.quantifiers.sygusStream = handlers::handleOption<bool>("sygus-stream", name, optionarg);
2137
4
    opts.quantifiers.sygusStreamWasSetByUser = true;
2138
168
  } else if (name == "sygus-sym-break") {
2139
8
    opts.datatypes.sygusSymBreak = handlers::handleOption<bool>("sygus-sym-break", name, optionarg);
2140
8
    opts.datatypes.sygusSymBreakWasSetByUser = true;
2141
160
  } else if (name == "sygus-sym-break-agg") {
2142
    opts.datatypes.sygusSymBreakAgg = handlers::handleOption<bool>("sygus-sym-break-agg", name, optionarg);
2143
    opts.datatypes.sygusSymBreakAggWasSetByUser = true;
2144
160
  } else if (name == "sygus-sym-break-dynamic") {
2145
    opts.datatypes.sygusSymBreakDynamic = handlers::handleOption<bool>("sygus-sym-break-dynamic", name, optionarg);
2146
    opts.datatypes.sygusSymBreakDynamicWasSetByUser = true;
2147
160
  } else if (name == "sygus-sym-break-lazy") {
2148
2
    opts.datatypes.sygusSymBreakLazy = handlers::handleOption<bool>("sygus-sym-break-lazy", name, optionarg);
2149
2
    opts.datatypes.sygusSymBreakLazyWasSetByUser = true;
2150
158
  } else if (name == "sygus-sym-break-pbe") {
2151
    opts.datatypes.sygusSymBreakPbe = handlers::handleOption<bool>("sygus-sym-break-pbe", name, optionarg);
2152
    opts.datatypes.sygusSymBreakPbeWasSetByUser = true;
2153
158
  } else if (name == "sygus-sym-break-rlv") {
2154
2
    opts.datatypes.sygusSymBreakRlv = handlers::handleOption<bool>("sygus-sym-break-rlv", name, optionarg);
2155
2
    opts.datatypes.sygusSymBreakRlvWasSetByUser = true;
2156
156
  } else if (name == "sygus-templ-embed-grammar") {
2157
    opts.quantifiers.sygusTemplEmbedGrammar = handlers::handleOption<bool>("sygus-templ-embed-grammar", name, optionarg);
2158
    opts.quantifiers.sygusTemplEmbedGrammarWasSetByUser = true;
2159
156
  } else if (name == "sygus-unif-cond-independent-no-repeat-sol") {
2160
    opts.quantifiers.sygusUnifCondIndNoRepeatSol = handlers::handleOption<bool>("sygus-unif-cond-independent-no-repeat-sol", name, optionarg);
2161
    opts.quantifiers.sygusUnifCondIndNoRepeatSolWasSetByUser = true;
2162
156
  } else if (name == "sygus-unif-pi") {
2163
9
    opts.quantifiers.sygusUnifPi = stringToSygusUnifPiMode(optionarg);
2164
9
    opts.quantifiers.sygusUnifPiWasSetByUser = true;
2165
147
  } else if (name == "sygus-unif-shuffle-cond") {
2166
    opts.quantifiers.sygusUnifShuffleCond = handlers::handleOption<bool>("sygus-unif-shuffle-cond", name, optionarg);
2167
    opts.quantifiers.sygusUnifShuffleCondWasSetByUser = true;
2168
147
  } else if (name == "sygus-verify-inst-max-rounds") {
2169
    opts.quantifiers.sygusVerifyInstMaxRounds = handlers::handleOption<int64_t>("sygus-verify-inst-max-rounds", name, optionarg);
2170
    opts.quantifiers.sygusVerifyInstMaxRoundsWasSetByUser = true;
2171
147
  } else if (name == "uf-symmetry-breaker" || name == "symmetry-breaker") {
2172
    opts.uf.ufSymmetryBreaker = handlers::handleOption<bool>("symmetry-breaker", name, optionarg);
2173
    opts.uf.ufSymmetryBreakerWasSetByUser = true;
2174
147
  } else if (name == "tc-mode") {
2175
    opts.theory.tcMode = stringToTcMode(optionarg);
2176
    opts.theory.tcModeWasSetByUser = true;
2177
147
  } else if (name == "term-db-cd") {
2178
    opts.quantifiers.termDbCd = handlers::handleOption<bool>("term-db-cd", name, optionarg);
2179
    opts.quantifiers.termDbCdWasSetByUser = true;
2180
147
  } else if (name == "term-db-mode") {
2181
    opts.quantifiers.termDbMode = stringToTermDbMode(optionarg);
2182
    opts.quantifiers.termDbModeWasSetByUser = true;
2183
147
  } else if (name == "theoryof-mode") {
2184
5
    opts.theory.theoryOfMode = stringToTheoryOfMode(optionarg);
2185
5
    opts.theory.theoryOfModeWasSetByUser = true;
2186
142
  } else if (name == "tlimit") {
2187
    opts.base.cumulativeMillisecondLimit = handlers::handleOption<uint64_t>("tlimit", name, optionarg);
2188
    opts.base.cumulativeMillisecondLimitWasSetByUser = true;
2189
142
  } else if (name == "tlimit-per") {
2190
6
    opts.base.perCallMillisecondLimit = handlers::handleOption<uint64_t>("tlimit-per", name, optionarg);
2191
6
    opts.base.perCallMillisecondLimitWasSetByUser = true;
2192
136
  } else if (name == "trace") {
2193
  opts.handler().enableTraceTag("trace", name, optionarg);
2194
136
  } else if (name == "trigger-active-sel") {
2195
    opts.quantifiers.triggerActiveSelMode = stringToTriggerActiveSelMode(optionarg);
2196
    opts.quantifiers.triggerActiveSelModeWasSetByUser = true;
2197
136
  } else if (name == "trigger-sel") {
2198
    opts.quantifiers.triggerSelMode = stringToTriggerSelMode(optionarg);
2199
    opts.quantifiers.triggerSelModeWasSetByUser = true;
2200
136
  } else if (name == "type-checking") {
2201
    opts.expr.typeChecking = handlers::handleOption<bool>("type-checking", name, optionarg);
2202
    opts.expr.typeCheckingWasSetByUser = true;
2203
136
  } else if (name == "uf-ho") {
2204
    opts.uf.ufHo = handlers::handleOption<bool>("uf-ho", name, optionarg);
2205
    opts.uf.ufHoWasSetByUser = true;
2206
136
  } else if (name == "uf-ho-ext") {
2207
    opts.uf.ufHoExt = handlers::handleOption<bool>("uf-ho-ext", name, optionarg);
2208
    opts.uf.ufHoExtWasSetByUser = true;
2209
136
  } else if (name == "uf-ss") {
2210
7
    opts.uf.ufssMode = stringToUfssMode(optionarg);
2211
7
    opts.uf.ufssModeWasSetByUser = true;
2212
129
  } else if (name == "uf-ss-abort-card") {
2213
    opts.uf.ufssAbortCardinality = handlers::handleOption<int64_t>("uf-ss-abort-card", name, optionarg);
2214
    opts.uf.ufssAbortCardinalityWasSetByUser = true;
2215
129
  } else if (name == "uf-ss-fair") {
2216
    opts.uf.ufssFairness = handlers::handleOption<bool>("uf-ss-fair", name, optionarg);
2217
    opts.uf.ufssFairnessWasSetByUser = true;
2218
129
  } else if (name == "uf-ss-fair-monotone") {
2219
4
    opts.uf.ufssFairnessMonotone = handlers::handleOption<bool>("uf-ss-fair-monotone", name, optionarg);
2220
4
    opts.uf.ufssFairnessMonotoneWasSetByUser = true;
2221
125
  } else if (name == "unate-lemmas") {
2222
    opts.arith.arithUnateLemmaMode = stringToArithUnateLemmaMode(optionarg);
2223
    opts.arith.arithUnateLemmaModeWasSetByUser = true;
2224
125
  } else if (name == "unconstrained-simp") {
2225
107
    opts.smt.unconstrainedSimp = handlers::handleOption<bool>("unconstrained-simp", name, optionarg);
2226
107
    opts.smt.unconstrainedSimpWasSetByUser = true;
2227
18
  } else if (name == "unsat-cores-mode") {
2228
2
    opts.smt.unsatCoresMode = stringToUnsatCoresMode(optionarg);
2229
2
    opts.smt.unsatCoresModeWasSetByUser = true;
2230
16
  } else if (name == "use-approx") {
2231
    opts.arith.useApprox = handlers::handleOption<bool>("use-approx", name, optionarg);
2232
    opts.arith.useApproxWasSetByUser = true;
2233
16
  } else if (name == "use-fcsimplex") {
2234
    opts.arith.useFC = handlers::handleOption<bool>("use-fcsimplex", name, optionarg);
2235
    opts.arith.useFCWasSetByUser = true;
2236
16
  } else if (name == "use-soi") {
2237
    opts.arith.useSOI = handlers::handleOption<bool>("use-soi", name, optionarg);
2238
    opts.arith.useSOIWasSetByUser = true;
2239
16
  } else if (name == "user-pat") {
2240
    opts.quantifiers.userPatternsQuant = stringToUserPatMode(optionarg);
2241
    opts.quantifiers.userPatternsQuantWasSetByUser = true;
2242
16
  } else if (name == "var-elim-quant") {
2243
    opts.quantifiers.varElimQuant = handlers::handleOption<bool>("var-elim-quant", name, optionarg);
2244
    opts.quantifiers.varElimQuantWasSetByUser = true;
2245
16
  } else if (name == "var-ineq-elim-quant") {
2246
7
    opts.quantifiers.varIneqElimQuant = handlers::handleOption<bool>("var-ineq-elim-quant", name, optionarg);
2247
7
    opts.quantifiers.varIneqElimQuantWasSetByUser = true;
2248
9
  } else if (name == "verbose") {
2249
3
  opts.handler().increaseVerbosity("verbose", name);
2250
6
  } else if (name == "verbosity") {
2251
6
    auto value = handlers::handleOption<int64_t>("verbosity", name, optionarg);
2252
6
    opts.handler().setVerbosity("verbosity", name, value);
2253
6
    opts.base.verbosity = value;
2254
6
    opts.base.verbosityWasSetByUser = true;
2255
  } else if (name == "version") {
2256
    opts.driver.version = handlers::handleOption<bool>("version", name, optionarg);
2257
    opts.driver.versionWasSetByUser = true;
2258
    // clang-format on
2259
  }
2260
  else
2261
  {
2262
    throw OptionException("Unrecognized option key or setting: " + name);
2263
  }
2264
36039
}
2265
2266
#if defined(CVC5_MUZZLED) || defined(CVC5_COMPETITION_MODE)
2267
#define DO_SEMANTIC_CHECKS_BY_DEFAULT false
2268
#else /* CVC5_MUZZLED || CVC5_COMPETITION_MODE */
2269
#define DO_SEMANTIC_CHECKS_BY_DEFAULT true
2270
#endif /* CVC5_MUZZLED || CVC5_COMPETITION_MODE */
2271
2272
2786880
OptionInfo getInfo(const Options& opts, const std::string& name)
2273
{
2274
  // clang-format off
2275
2786880
  if (name == "abstract-values") return OptionInfo{"abstract-values", {}, opts.smt.abstractValuesWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.abstractValues}};
2276
2786880
  if (name == "ackermann") return OptionInfo{"ackermann", {}, opts.smt.ackermannWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.ackermann}};
2277
2786880
  if (name == "ag-miniscope-quant") return OptionInfo{"ag-miniscope-quant", {}, opts.quantifiers.aggressiveMiniscopeQuantWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.aggressiveMiniscopeQuant}};
2278
2786880
  if (name == "approx-branch-depth") return OptionInfo{"approx-branch-depth", {}, opts.arith.maxApproxDepthWasSetByUser, OptionInfo::NumberInfo<int64_t>{200, opts.arith.maxApproxDepth, {}, {}}};
2279
2786880
  if (name == "arith-brab") return OptionInfo{"arith-brab", {}, opts.arith.brabTestWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.arith.brabTest}};
2280
2786880
  if (name == "arith-cong-man") return OptionInfo{"arith-cong-man", {}, opts.arith.arithCongManWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.arith.arithCongMan}};
2281
2786880
  if (name == "arith-eq-solver") return OptionInfo{"arith-eq-solver", {}, opts.arith.arithEqSolverWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.arithEqSolver}};
2282
2786880
  if (name == "arith-no-partial-fun") return OptionInfo{"arith-no-partial-fun", {}, opts.arith.arithNoPartialFunWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.arithNoPartialFun}};
2283
2786880
  if (name == "arith-prop") return OptionInfo{"arith-prop", {}, opts.arith.arithPropagationModeWasSetByUser, OptionInfo::ModeInfo{"BOTH_PROP", opts.arith.arithPropagationMode, { "BOTH_PROP", "BOUND_INFERENCE_PROP", "NO_PROP", "UNATE_PROP" }}};
2284
2786880
  if (name == "arith-prop-clauses") return OptionInfo{"arith-prop-clauses", {}, opts.arith.arithPropAsLemmaLengthWasSetByUser, OptionInfo::NumberInfo<uint64_t>{8, opts.arith.arithPropAsLemmaLength, {}, {}}};
2285
2786880
  if (name == "arith-rewrite-equalities") return OptionInfo{"arith-rewrite-equalities", {}, opts.arith.arithRewriteEqWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.arithRewriteEq}};
2286
2786880
  if (name == "arrays-eager-index") return OptionInfo{"arrays-eager-index", {}, opts.arrays.arraysEagerIndexSplittingWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.arrays.arraysEagerIndexSplitting}};
2287
2786880
  if (name == "arrays-eager-lemmas") return OptionInfo{"arrays-eager-lemmas", {}, opts.arrays.arraysEagerLemmasWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arrays.arraysEagerLemmas}};
2288
2786880
  if (name == "arrays-exp") return OptionInfo{"arrays-exp", {}, opts.arrays.arraysExpWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arrays.arraysExp}};
2289
2786880
  if (name == "arrays-optimize-linear") return OptionInfo{"arrays-optimize-linear", {}, opts.arrays.arraysOptimizeLinearWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.arrays.arraysOptimizeLinear}};
2290
2786880
  if (name == "arrays-prop") return OptionInfo{"arrays-prop", {}, opts.arrays.arraysPropagateWasSetByUser, OptionInfo::NumberInfo<int64_t>{2, opts.arrays.arraysPropagate, {}, {}}};
2291
2786880
  if (name == "arrays-reduce-sharing") return OptionInfo{"arrays-reduce-sharing", {}, opts.arrays.arraysReduceSharingWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arrays.arraysReduceSharing}};
2292
2786880
  if (name == "arrays-weak-equiv") return OptionInfo{"arrays-weak-equiv", {}, opts.arrays.arraysWeakEquivalenceWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arrays.arraysWeakEquivalence}};
2293
2786880
  if (name == "assign-function-values") return OptionInfo{"assign-function-values", {}, opts.theory.assignFunctionValuesWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.theory.assignFunctionValues}};
2294
2786880
  if (name == "bitblast") return OptionInfo{"bitblast", {}, opts.bv.bitblastModeWasSetByUser, OptionInfo::ModeInfo{"LAZY", opts.bv.bitblastMode, { "EAGER", "LAZY" }}};
2295
2786880
  if (name == "bitblast-aig") return OptionInfo{"bitblast-aig", {}, opts.bv.bitvectorAigWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.bv.bitvectorAig}};
2296
2786880
  if (name == "bitwise-eq") return OptionInfo{"bitwise-eq", {}, opts.bv.bitwiseEqWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.bv.bitwiseEq}};
2297
2786880
  if (name == "block-models") return OptionInfo{"block-models", {}, opts.smt.blockModelsModeWasSetByUser, OptionInfo::ModeInfo{"NONE", opts.smt.blockModelsMode, { "LITERALS", "NONE", "VALUES" }}};
2298
2786880
  if (name == "bool-to-bv") return OptionInfo{"bool-to-bv", {}, opts.bv.boolToBitvectorWasSetByUser, OptionInfo::ModeInfo{"OFF", opts.bv.boolToBitvector, { "ALL", "ITE", "OFF" }}};
2299
2786880
  if (name == "bv-abstraction") return OptionInfo{"bv-abstraction", {}, opts.bv.bvAbstractionWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.bv.bvAbstraction}};
2300
2786880
  if (name == "bv-aig-simp") return OptionInfo{"bv-aig-simp", {}, opts.bv.bitvectorAigSimplificationsWasSetByUser, OptionInfo::ValueInfo<std::string>{"balance;drw", opts.bv.bitvectorAigSimplifications}};
2301
2786880
  if (name == "bv-algebraic-budget") return OptionInfo{"bv-algebraic-budget", {}, opts.bv.bitvectorAlgebraicBudgetWasSetByUser, OptionInfo::NumberInfo<uint64_t>{1500, opts.bv.bitvectorAlgebraicBudget, {}, {}}};
2302
2786880
  if (name == "bv-algebraic-solver") return OptionInfo{"bv-algebraic-solver", {}, opts.bv.bitvectorAlgebraicSolverWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.bv.bitvectorAlgebraicSolver}};
2303
2786880
  if (name == "bv-assert-input") return OptionInfo{"bv-assert-input", {}, opts.bv.bvAssertInputWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.bv.bvAssertInput}};
2304
2786880
  if (name == "bv-eager-explanations") return OptionInfo{"bv-eager-explanations", {}, opts.bv.bvEagerExplanationsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.bv.bvEagerExplanations}};
2305
2786880
  if (name == "bv-eq-solver") return OptionInfo{"bv-eq-solver", {}, opts.bv.bitvectorEqualitySolverWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.bv.bitvectorEqualitySolver}};
2306
2786880
  if (name == "bv-extract-arith") return OptionInfo{"bv-extract-arith", {}, opts.bv.bvExtractArithRewriteWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.bv.bvExtractArithRewrite}};
2307
2786880
  if (name == "bv-gauss-elim") return OptionInfo{"bv-gauss-elim", {}, opts.bv.bvGaussElimWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.bv.bvGaussElim}};
2308
2786880
  if (name == "bv-inequality-solver") return OptionInfo{"bv-inequality-solver", {}, opts.bv.bitvectorInequalitySolverWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.bv.bitvectorInequalitySolver}};
2309
2786880
  if (name == "bv-intro-pow2") return OptionInfo{"bv-intro-pow2", {}, opts.bv.bvIntroducePow2WasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.bv.bvIntroducePow2}};
2310
2786880
  if (name == "bv-num-func") return OptionInfo{"bv-num-func", {}, opts.bv.bvNumFuncWasSetByUser, OptionInfo::NumberInfo<uint64_t>{1, opts.bv.bvNumFunc, {}, {}}};
2311
2786880
  if (name == "bv-print-consts-as-indexed-symbols") return OptionInfo{"bv-print-consts-as-indexed-symbols", {}, opts.bv.bvPrintConstsAsIndexedSymbolsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.bv.bvPrintConstsAsIndexedSymbols}};
2312
2786880
  if (name == "bv-propagate") return OptionInfo{"bv-propagate", {}, opts.bv.bitvectorPropagateWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.bv.bitvectorPropagate}};
2313
2786880
  if (name == "bv-quick-xplain") return OptionInfo{"bv-quick-xplain", {}, opts.bv.bitvectorQuickXplainWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.bv.bitvectorQuickXplain}};
2314
2786880
  if (name == "bv-sat-solver") return OptionInfo{"bv-sat-solver", {}, opts.bv.bvSatSolverWasSetByUser, OptionInfo::ModeInfo{"MINISAT", opts.bv.bvSatSolver, { "CADICAL", "CRYPTOMINISAT", "KISSAT", "MINISAT" }}};
2315
2786880
  if (name == "bv-skolemize") return OptionInfo{"bv-skolemize", {}, opts.bv.skolemizeArgumentsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.bv.skolemizeArguments}};
2316
2786880
  if (name == "bv-solver") return OptionInfo{"bv-solver", {}, opts.bv.bvSolverWasSetByUser, OptionInfo::ModeInfo{"BITBLAST", opts.bv.bvSolver, { "BITBLAST", "BITBLAST_INTERNAL", "LAYERED" }}};
2317
2786880
  if (name == "bv-to-bool") return OptionInfo{"bv-to-bool", {}, opts.bv.bitvectorToBoolWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.bv.bitvectorToBool}};
2318
2786880
  if (name == "bvand-integer-granularity") return OptionInfo{"bvand-integer-granularity", {}, opts.smt.BVAndIntegerGranularityWasSetByUser, OptionInfo::NumberInfo<uint64_t>{1, opts.smt.BVAndIntegerGranularity, {}, {}}};
2319
2786880
  if (name == "cdt-bisimilar") return OptionInfo{"cdt-bisimilar", {}, opts.datatypes.cdtBisimilarWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.datatypes.cdtBisimilar}};
2320
2786880
  if (name == "cegis-sample") return OptionInfo{"cegis-sample", {}, opts.quantifiers.cegisSampleWasSetByUser, OptionInfo::ModeInfo{"NONE", opts.quantifiers.cegisSample, { "NONE", "TRUST", "USE" }}};
2321
2786880
  if (name == "cegqi") return OptionInfo{"cegqi", {}, opts.quantifiers.cegqiWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.cegqi}};
2322
2786880
  if (name == "cegqi-all") return OptionInfo{"cegqi-all", {}, opts.quantifiers.cegqiAllWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.cegqiAll}};
2323
2786880
  if (name == "cegqi-bv") return OptionInfo{"cegqi-bv", {}, opts.quantifiers.cegqiBvWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.cegqiBv}};
2324
2786880
  if (name == "cegqi-bv-concat-inv") return OptionInfo{"cegqi-bv-concat-inv", {}, opts.quantifiers.cegqiBvConcInvWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.cegqiBvConcInv}};
2325
2786880
  if (name == "cegqi-bv-ineq") return OptionInfo{"cegqi-bv-ineq", {}, opts.quantifiers.cegqiBvIneqModeWasSetByUser, OptionInfo::ModeInfo{"EQ_BOUNDARY", opts.quantifiers.cegqiBvIneqMode, { "EQ_BOUNDARY", "EQ_SLACK", "KEEP" }}};
2326
2786880
  if (name == "cegqi-bv-interleave-value") return OptionInfo{"cegqi-bv-interleave-value", {}, opts.quantifiers.cegqiBvInterleaveValueWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.cegqiBvInterleaveValue}};
2327
2786880
  if (name == "cegqi-bv-linear") return OptionInfo{"cegqi-bv-linear", {}, opts.quantifiers.cegqiBvLinearizeWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.cegqiBvLinearize}};
2328
2786880
  if (name == "cegqi-bv-rm-extract") return OptionInfo{"cegqi-bv-rm-extract", {}, opts.quantifiers.cegqiBvRmExtractWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.cegqiBvRmExtract}};
2329
2786880
  if (name == "cegqi-bv-solve-nl") return OptionInfo{"cegqi-bv-solve-nl", {}, opts.quantifiers.cegqiBvSolveNlWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.cegqiBvSolveNl}};
2330
2786880
  if (name == "cegqi-full") return OptionInfo{"cegqi-full", {}, opts.quantifiers.cegqiFullEffortWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.cegqiFullEffort}};
2331
2786880
  if (name == "cegqi-innermost") return OptionInfo{"cegqi-innermost", {}, opts.quantifiers.cegqiInnermostWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.cegqiInnermost}};
2332
2786880
  if (name == "cegqi-midpoint") return OptionInfo{"cegqi-midpoint", {}, opts.quantifiers.cegqiMidpointWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.cegqiMidpoint}};
2333
2786880
  if (name == "cegqi-min-bounds") return OptionInfo{"cegqi-min-bounds", {}, opts.quantifiers.cegqiMinBoundsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.cegqiMinBounds}};
2334
2786880
  if (name == "cegqi-model") return OptionInfo{"cegqi-model", {}, opts.quantifiers.cegqiModelWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.cegqiModel}};
2335
2786880
  if (name == "cegqi-multi-inst") return OptionInfo{"cegqi-multi-inst", {}, opts.quantifiers.cegqiMultiInstWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.cegqiMultiInst}};
2336
2786880
  if (name == "cegqi-nested-qe") return OptionInfo{"cegqi-nested-qe", {}, opts.quantifiers.cegqiNestedQEWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.cegqiNestedQE}};
2337
2786880
  if (name == "cegqi-nopt") return OptionInfo{"cegqi-nopt", {}, opts.quantifiers.cegqiNoptWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.cegqiNopt}};
2338
2786880
  if (name == "cegqi-repeat-lit") return OptionInfo{"cegqi-repeat-lit", {}, opts.quantifiers.cegqiRepeatLitWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.cegqiRepeatLit}};
2339
2786880
  if (name == "cegqi-round-up-lia") return OptionInfo{"cegqi-round-up-lia", {}, opts.quantifiers.cegqiRoundUpLowerLiaWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.cegqiRoundUpLowerLia}};
2340
2786880
  if (name == "cegqi-sat") return OptionInfo{"cegqi-sat", {}, opts.quantifiers.cegqiSatWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.cegqiSat}};
2341
2786880
  if (name == "cegqi-use-inf-int") return OptionInfo{"cegqi-use-inf-int", {}, opts.quantifiers.cegqiUseInfIntWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.cegqiUseInfInt}};
2342
2786880
  if (name == "cegqi-use-inf-real") return OptionInfo{"cegqi-use-inf-real", {}, opts.quantifiers.cegqiUseInfRealWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.cegqiUseInfReal}};
2343
2786880
  if (name == "check-abducts") return OptionInfo{"check-abducts", {}, opts.smt.checkAbductsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.checkAbducts}};
2344
2786880
  if (name == "check-interpols") return OptionInfo{"check-interpols", {}, opts.smt.checkInterpolsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.checkInterpols}};
2345
2786880
  if (name == "check-models") return OptionInfo{"check-models", {}, opts.smt.checkModelsWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.smt.checkModels}};
2346
2786880
  if (name == "check-proofs") return OptionInfo{"check-proofs", {}, opts.smt.checkProofsWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.smt.checkProofs}};
2347
2786880
  if (name == "check-synth-sol") return OptionInfo{"check-synth-sol", {}, opts.smt.checkSynthSolWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.checkSynthSol}};
2348
2786880
  if (name == "check-unsat-cores") return OptionInfo{"check-unsat-cores", {}, opts.smt.checkUnsatCoresWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.smt.checkUnsatCores}};
2349
2786880
  if (name == "collect-pivot-stats") return OptionInfo{"collect-pivot-stats", {}, opts.arith.collectPivotsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.collectPivots}};
2350
2786880
  if (name == "cond-var-split-agg-quant") return OptionInfo{"cond-var-split-agg-quant", {}, opts.quantifiers.condVarSplitQuantAggWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.condVarSplitQuantAgg}};
2351
2786880
  if (name == "cond-var-split-quant") return OptionInfo{"cond-var-split-quant", {}, opts.quantifiers.condVarSplitQuantWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.condVarSplitQuant}};
2352
2786880
  if (name == "condense-function-values") return OptionInfo{"condense-function-values", {}, opts.theory.condenseFunctionValuesWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.theory.condenseFunctionValues}};
2353
2786880
  if (name == "conjecture-filter-active-terms") return OptionInfo{"conjecture-filter-active-terms", {}, opts.quantifiers.conjectureFilterActiveTermsWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.conjectureFilterActiveTerms}};
2354
2786880
  if (name == "conjecture-filter-canonical") return OptionInfo{"conjecture-filter-canonical", {}, opts.quantifiers.conjectureFilterCanonicalWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.conjectureFilterCanonical}};
2355
2786880
  if (name == "conjecture-filter-model") return OptionInfo{"conjecture-filter-model", {}, opts.quantifiers.conjectureFilterModelWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.conjectureFilterModel}};
2356
2786880
  if (name == "conjecture-gen") return OptionInfo{"conjecture-gen", {}, opts.quantifiers.conjectureGenWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.conjectureGen}};
2357
2786880
  if (name == "conjecture-gen-gt-enum") return OptionInfo{"conjecture-gen-gt-enum", {}, opts.quantifiers.conjectureGenGtEnumWasSetByUser, OptionInfo::NumberInfo<int64_t>{50, opts.quantifiers.conjectureGenGtEnum, {}, {}}};
2358
2786880
  if (name == "conjecture-gen-max-depth") return OptionInfo{"conjecture-gen-max-depth", {}, opts.quantifiers.conjectureGenMaxDepthWasSetByUser, OptionInfo::NumberInfo<int64_t>{3, opts.quantifiers.conjectureGenMaxDepth, {}, {}}};
2359
2786880
  if (name == "conjecture-gen-per-round") return OptionInfo{"conjecture-gen-per-round", {}, opts.quantifiers.conjectureGenPerRoundWasSetByUser, OptionInfo::NumberInfo<int64_t>{1, opts.quantifiers.conjectureGenPerRound, {}, {}}};
2360
2786880
  if (name == "conjecture-gen-uee-intro") return OptionInfo{"conjecture-gen-uee-intro", {}, opts.quantifiers.conjectureUeeIntroWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.conjectureUeeIntro}};
2361
2786880
  if (name == "conjecture-no-filter") return OptionInfo{"conjecture-no-filter", {}, opts.quantifiers.conjectureNoFilterWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.conjectureNoFilter}};
2362
2786880
  if (name == "copyright") return OptionInfo{"copyright", {}, false, OptionInfo::VoidInfo{}};
2363
2786880
  if (name == "cut-all-bounded") return OptionInfo{"cut-all-bounded", {}, opts.arith.doCutAllBoundedWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.doCutAllBounded}};
2364
2786880
  if (name == "dag-thresh") return OptionInfo{"dag-thresh", {}, opts.expr.defaultDagThreshWasSetByUser, OptionInfo::NumberInfo<int64_t>{1, opts.expr.defaultDagThresh, 0, {}}};
2365
2786880
  if (name == "debug") return OptionInfo{"debug", {}, false, OptionInfo::VoidInfo{}};
2366
2786880
  if (name == "debug-check-models") return OptionInfo{"debug-check-models", {}, opts.smt.debugCheckModelsWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.smt.debugCheckModels}};
2367
2786880
  if (name == "decision-mode" || name == "decision") return OptionInfo{"decision", {"decision-mode"}, opts.decision.decisionModeWasSetByUser, OptionInfo::ModeInfo{"INTERNAL", opts.decision.decisionMode, { "INTERNAL", "JUSTIFICATION", "JUSTIFICATION_OLD", "STOPONLY", "STOPONLY_OLD" }}};
2368
2786880
  if (name == "decision-random-weight") return OptionInfo{"decision-random-weight", {}, opts.decision.decisionRandomWeightWasSetByUser, OptionInfo::NumberInfo<int64_t>{0, opts.decision.decisionRandomWeight, {}, {}}};
2369
2786880
  if (name == "decision-threshold") return OptionInfo{"decision-threshold", {}, opts.decision.decisionThresholdWasSetByUser, OptionInfo::VoidInfo{}};
2370
2786880
  if (name == "decision-use-weight") return OptionInfo{"decision-use-weight", {}, opts.decision.decisionUseWeightWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.decision.decisionUseWeight}};
2371
2786880
  if (name == "decision-weight-internal") return OptionInfo{"decision-weight-internal", {}, opts.decision.decisionWeightInternalWasSetByUser, OptionInfo::ModeInfo{"OFF", opts.decision.decisionWeightInternal, { "MAX", "OFF", "SUM", "USR1" }}};
2372
2786880
  if (name == "difficulty-mode") return OptionInfo{"difficulty-mode", {}, opts.smt.difficultyModeWasSetByUser, OptionInfo::ModeInfo{"LEMMA_LITERAL", opts.smt.difficultyMode, { "LEMMA_LITERAL", "MODEL_CHECK" }}};
2373
2786880
  if (name == "dio-decomps") return OptionInfo{"dio-decomps", {}, opts.arith.exportDioDecompositionsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.exportDioDecompositions}};
2374
2786880
  if (name == "dio-solver") return OptionInfo{"dio-solver", {}, opts.arith.arithDioSolverWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.arith.arithDioSolver}};
2375
2786880
  if (name == "dio-turns") return OptionInfo{"dio-turns", {}, opts.arith.dioSolverTurnsWasSetByUser, OptionInfo::NumberInfo<int64_t>{10, opts.arith.dioSolverTurns, {}, {}}};
2376
2786880
  if (name == "dt-binary-split") return OptionInfo{"dt-binary-split", {}, opts.datatypes.dtBinarySplitWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.datatypes.dtBinarySplit}};
2377
2786880
  if (name == "dt-blast-splits") return OptionInfo{"dt-blast-splits", {}, opts.datatypes.dtBlastSplitsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.datatypes.dtBlastSplits}};
2378
2786880
  if (name == "dt-cyclic") return OptionInfo{"dt-cyclic", {}, opts.datatypes.dtCyclicWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.datatypes.dtCyclic}};
2379
2786880
  if (name == "dt-force-assignment") return OptionInfo{"dt-force-assignment", {}, opts.datatypes.dtForceAssignmentWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.datatypes.dtForceAssignment}};
2380
2786880
  if (name == "dt-infer-as-lemmas") return OptionInfo{"dt-infer-as-lemmas", {}, opts.datatypes.dtInferAsLemmasWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.datatypes.dtInferAsLemmas}};
2381
2786880
  if (name == "dt-nested-rec") return OptionInfo{"dt-nested-rec", {}, opts.datatypes.dtNestedRecWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.datatypes.dtNestedRec}};
2382
2786880
  if (name == "dt-polite-optimize") return OptionInfo{"dt-polite-optimize", {}, opts.datatypes.dtPoliteOptimizeWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.datatypes.dtPoliteOptimize}};
2383
2786880
  if (name == "dt-rewrite-error-sel") return OptionInfo{"dt-rewrite-error-sel", {}, opts.datatypes.dtRewriteErrorSelWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.datatypes.dtRewriteErrorSel}};
2384
2786880
  if (name == "dt-share-sel") return OptionInfo{"dt-share-sel", {}, opts.datatypes.dtSharedSelectorsWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.datatypes.dtSharedSelectors}};
2385
2786880
  if (name == "dt-stc-ind") return OptionInfo{"dt-stc-ind", {}, opts.quantifiers.dtStcInductionWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.dtStcInduction}};
2386
2786880
  if (name == "dt-var-exp-quant") return OptionInfo{"dt-var-exp-quant", {}, opts.quantifiers.dtVarExpandQuantWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.dtVarExpandQuant}};
2387
2786880
  if (name == "dump") return OptionInfo{"dump", {}, opts.smt.dumpModeStringWasSetByUser, OptionInfo::ValueInfo<std::string>{std::string(), opts.smt.dumpModeString}};
2388
2786880
  if (name == "dump-difficulty") return OptionInfo{"dump-difficulty", {}, opts.driver.dumpDifficultyWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.driver.dumpDifficulty}};
2389
2488317
  if (name == "dump-instantiations") return OptionInfo{"dump-instantiations", {}, opts.driver.dumpInstantiationsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.driver.dumpInstantiations}};
2390
2189754
  if (name == "dump-instantiations-debug") return OptionInfo{"dump-instantiations-debug", {}, opts.driver.dumpInstantiationsDebugWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.driver.dumpInstantiationsDebug}};
2391
1891338
  if (name == "dump-models") return OptionInfo{"dump-models", {}, opts.driver.dumpModelsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.driver.dumpModels}};
2392
1592775
  if (name == "dump-proofs") return OptionInfo{"dump-proofs", {}, opts.driver.dumpProofsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.driver.dumpProofs}};
2393
1294212
  if (name == "dump-to") return OptionInfo{"dump-to", {}, opts.smt.dumpToFileNameWasSetByUser, OptionInfo::VoidInfo{}};
2394
1294212
  if (name == "dump-unsat-cores") return OptionInfo{"dump-unsat-cores", {}, opts.driver.dumpUnsatCoresWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.driver.dumpUnsatCores}};
2395
995649
  if (name == "dump-unsat-cores-full") return OptionInfo{"dump-unsat-cores-full", {}, opts.driver.dumpUnsatCoresFullWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.driver.dumpUnsatCoresFull}};
2396
697095
  if (name == "e-matching") return OptionInfo{"e-matching", {}, opts.quantifiers.eMatchingWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.eMatching}};
2397
697095
  if (name == "early-exit") return OptionInfo{"early-exit", {}, opts.driver.earlyExitWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.driver.earlyExit}};
2398
690944
  if (name == "early-ite-removal") return OptionInfo{"early-ite-removal", {}, opts.smt.earlyIteRemovalWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.earlyIteRemoval}};
2399
690944
  if (name == "ee-mode") return OptionInfo{"ee-mode", {}, opts.theory.eeModeWasSetByUser, OptionInfo::ModeInfo{"DISTRIBUTED", opts.theory.eeMode, { "CENTRAL", "DISTRIBUTED" }}};
2400
690944
  if (name == "elim-taut-quant") return OptionInfo{"elim-taut-quant", {}, opts.quantifiers.elimTautQuantWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.elimTautQuant}};
2401
690944
  if (name == "err" || name == "diagnostic-output-channel") return OptionInfo{"err", {"diagnostic-output-channel"}, opts.base.errWasSetByUser, OptionInfo::VoidInfo{}};
2402
690944
  if (name == "error-selection-rule") return OptionInfo{"error-selection-rule", {}, opts.arith.arithErrorSelectionRuleWasSetByUser, OptionInfo::ModeInfo{"MINIMUM_AMOUNT", opts.arith.arithErrorSelectionRule, { "MAXIMUM_AMOUNT", "MINIMUM_AMOUNT", "SUM_METRIC", "VAR_ORDER" }}};
2403
690944
  if (name == "expand-definitions") return OptionInfo{"expand-definitions", {}, opts.smt.expandDefinitionsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.expandDefinitions}};
2404
690944
  if (name == "expr-depth") return OptionInfo{"expr-depth", {}, opts.expr.defaultExprDepthWasSetByUser, OptionInfo::NumberInfo<int64_t>{0, opts.expr.defaultExprDepth, -1, {}}};
2405
690944
  if (name == "ext-rew-prep") return OptionInfo{"ext-rew-prep", {}, opts.smt.extRewPrepWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.extRewPrep}};
2406
690944
  if (name == "ext-rew-prep-agg") return OptionInfo{"ext-rew-prep-agg", {}, opts.smt.extRewPrepAggWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.extRewPrepAgg}};
2407
690944
  if (name == "ext-rewrite-quant") return OptionInfo{"ext-rewrite-quant", {}, opts.quantifiers.extRewriteQuantWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.extRewriteQuant}};
2408
690944
  if (name == "fc-penalties") return OptionInfo{"fc-penalties", {}, opts.arith.havePenaltiesWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.havePenalties}};
2409
690944
  if (name == "filename") return OptionInfo{"filename", {}, opts.driver.filenameWasSetByUser, OptionInfo::ValueInfo<std::string>{std::string(), opts.driver.filename}};
2410
690944
  if (name == "filesystem-access") return OptionInfo{"filesystem-access", {}, opts.parser.filesystemAccessWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.parser.filesystemAccess}};
2411
684542
  if (name == "finite-model-find") return OptionInfo{"finite-model-find", {}, opts.quantifiers.finiteModelFindWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.finiteModelFind}};
2412
684542
  if (name == "flatten-ho-chains") return OptionInfo{"flatten-ho-chains", {}, opts.printer.flattenHOChainsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.printer.flattenHOChains}};
2413
684542
  if (name == "fmf-bound") return OptionInfo{"fmf-bound", {}, opts.quantifiers.fmfBoundWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.fmfBound}};
2414
684542
  if (name == "fmf-bound-int") return OptionInfo{"fmf-bound-int", {}, opts.quantifiers.fmfBoundIntWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.fmfBoundInt}};
2415
684542
  if (name == "fmf-bound-lazy") return OptionInfo{"fmf-bound-lazy", {}, opts.quantifiers.fmfBoundLazyWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.fmfBoundLazy}};
2416
684542
  if (name == "fmf-fmc-simple") return OptionInfo{"fmf-fmc-simple", {}, opts.quantifiers.fmfFmcSimpleWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.fmfFmcSimple}};
2417
684542
  if (name == "fmf-fresh-dc") return OptionInfo{"fmf-fresh-dc", {}, opts.quantifiers.fmfFreshDistConstWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.fmfFreshDistConst}};
2418
684542
  if (name == "fmf-fun") return OptionInfo{"fmf-fun", {}, opts.quantifiers.fmfFunWellDefinedWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.fmfFunWellDefined}};
2419
684542
  if (name == "fmf-fun-rlv") return OptionInfo{"fmf-fun-rlv", {}, opts.quantifiers.fmfFunWellDefinedRelevantWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.fmfFunWellDefinedRelevant}};
2420
684542
  if (name == "fmf-inst-engine") return OptionInfo{"fmf-inst-engine", {}, opts.quantifiers.fmfInstEngineWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.fmfInstEngine}};
2421
684542
  if (name == "fmf-type-completion-thresh") return OptionInfo{"fmf-type-completion-thresh", {}, opts.quantifiers.fmfTypeCompletionThreshWasSetByUser, OptionInfo::NumberInfo<int64_t>{1000, opts.quantifiers.fmfTypeCompletionThresh, {}, {}}};
2422
684542
  if (name == "force-logic") return OptionInfo{"force-logic", {}, opts.parser.forceLogicStringWasSetByUser, OptionInfo::ValueInfo<std::string>{std::string(), opts.parser.forceLogicString}};
2423
678128
  if (name == "force-no-limit-cpu-while-dump") return OptionInfo{"force-no-limit-cpu-while-dump", {}, opts.driver.forceNoLimitCpuWhileDumpWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.driver.forceNoLimitCpuWhileDump}};
2424
678100
  if (name == "foreign-theory-rewrite") return OptionInfo{"foreign-theory-rewrite", {}, opts.smt.foreignTheoryRewriteWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.foreignTheoryRewrite}};
2425
678100
  if (name == "fp-exp") return OptionInfo{"fp-exp", {}, opts.fp.fpExpWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.fp.fpExp}};
2426
678100
  if (name == "fp-lazy-wb") return OptionInfo{"fp-lazy-wb", {}, opts.fp.fpLazyWbWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.fp.fpLazyWb}};
2427
678100
  if (name == "fs-interleave") return OptionInfo{"fs-interleave", {}, opts.quantifiers.fullSaturateInterleaveWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.fullSaturateInterleave}};
2428
678100
  if (name == "fs-stratify") return OptionInfo{"fs-stratify", {}, opts.quantifiers.fullSaturateStratifyWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.fullSaturateStratify}};
2429
678100
  if (name == "fs-sum") return OptionInfo{"fs-sum", {}, opts.quantifiers.fullSaturateSumWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.fullSaturateSum}};
2430
678100
  if (name == "full-saturate-quant") return OptionInfo{"full-saturate-quant", {}, opts.quantifiers.fullSaturateQuantWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.fullSaturateQuant}};
2431
678100
  if (name == "full-saturate-quant-limit") return OptionInfo{"full-saturate-quant-limit", {}, opts.quantifiers.fullSaturateLimitWasSetByUser, OptionInfo::NumberInfo<int64_t>{-1, opts.quantifiers.fullSaturateLimit, {}, {}}};
2432
678100
  if (name == "full-saturate-quant-rd") return OptionInfo{"full-saturate-quant-rd", {}, opts.quantifiers.fullSaturateQuantRdWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.fullSaturateQuantRd}};
2433
678100
  if (name == "global-declarations") return OptionInfo{"global-declarations", {}, opts.parser.globalDeclarationsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.parser.globalDeclarations}};
2434
678100
  if (name == "global-negate") return OptionInfo{"global-negate", {}, opts.quantifiers.globalNegateWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.globalNegate}};
2435
678100
  if (name == "help") return OptionInfo{"help", {}, opts.driver.helpWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.driver.help}};
2436
671929
  if (name == "heuristic-pivots") return OptionInfo{"heuristic-pivots", {}, opts.arith.arithHeuristicPivotsWasSetByUser, OptionInfo::NumberInfo<int64_t>{0, opts.arith.arithHeuristicPivots, {}, {}}};
2437
671929
  if (name == "ho-elim") return OptionInfo{"ho-elim", {}, opts.quantifiers.hoElimWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.hoElim}};
2438
671929
  if (name == "ho-elim-store-ax") return OptionInfo{"ho-elim-store-ax", {}, opts.quantifiers.hoElimStoreAxWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.hoElimStoreAx}};
2439
671929
  if (name == "ho-matching") return OptionInfo{"ho-matching", {}, opts.quantifiers.hoMatchingWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.hoMatching}};
2440
671929
  if (name == "ho-matching-var-priority") return OptionInfo{"ho-matching-var-priority", {}, opts.quantifiers.hoMatchingVarArgPriorityWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.hoMatchingVarArgPriority}};
2441
671929
  if (name == "ho-merge-term-db") return OptionInfo{"ho-merge-term-db", {}, opts.quantifiers.hoMergeTermDbWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.hoMergeTermDb}};
2442
671929
  if (name == "iand-mode") return OptionInfo{"iand-mode", {}, opts.smt.iandModeWasSetByUser, OptionInfo::ModeInfo{"VALUE", opts.smt.iandMode, { "BITWISE", "SUM", "VALUE" }}};
2443
671929
  if (name == "in") return OptionInfo{"in", {}, opts.base.inWasSetByUser, OptionInfo::VoidInfo{}};
2444
671929
  if (name == "increment-triggers") return OptionInfo{"increment-triggers", {}, opts.quantifiers.incrementTriggersWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.incrementTriggers}};
2445
671929
  if (name == "incremental") return OptionInfo{"incremental", {}, opts.base.incrementalSolvingWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.base.incrementalSolving}};
2446
665758
  if (name == "inst-level-input-only") return OptionInfo{"inst-level-input-only", {}, opts.quantifiers.instLevelInputOnlyWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.instLevelInputOnly}};
2447
665758
  if (name == "inst-max-level") return OptionInfo{"inst-max-level", {}, opts.quantifiers.instMaxLevelWasSetByUser, OptionInfo::NumberInfo<int64_t>{-1, opts.quantifiers.instMaxLevel, {}, {}}};
2448
665758
  if (name == "inst-max-rounds") return OptionInfo{"inst-max-rounds", {}, opts.quantifiers.instMaxRoundsWasSetByUser, OptionInfo::NumberInfo<int64_t>{-1, opts.quantifiers.instMaxRounds, {}, {}}};
2449
665758
  if (name == "inst-no-entail") return OptionInfo{"inst-no-entail", {}, opts.quantifiers.instNoEntailWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.instNoEntail}};
2450
665758
  if (name == "inst-when") return OptionInfo{"inst-when", {}, opts.quantifiers.instWhenModeWasSetByUser, OptionInfo::ModeInfo{"FULL_LAST_CALL", opts.quantifiers.instWhenMode, { "FULL", "FULL_DELAY", "FULL_DELAY_LAST_CALL", "FULL_LAST_CALL", "LAST_CALL", "PRE_FULL" }}};
2451
665758
  if (name == "inst-when-phase") return OptionInfo{"inst-when-phase", {}, opts.quantifiers.instWhenPhaseWasSetByUser, OptionInfo::NumberInfo<int64_t>{2, opts.quantifiers.instWhenPhase, {}, {}}};
2452
665758
  if (name == "inst-when-strict-interleave") return OptionInfo{"inst-when-strict-interleave", {}, opts.quantifiers.instWhenStrictInterleaveWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.instWhenStrictInterleave}};
2453
665758
  if (name == "inst-when-tc-first") return OptionInfo{"inst-when-tc-first", {}, opts.quantifiers.instWhenTcFirstWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.instWhenTcFirst}};
2454
665758
  if (name == "int-wf-ind") return OptionInfo{"int-wf-ind", {}, opts.quantifiers.intWfInductionWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.intWfInduction}};
2455
665758
  if (name == "interactive") return OptionInfo{"interactive", {}, opts.driver.interactiveWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.driver.interactive}};
2456
653416
  if (name == "interactive-mode") return OptionInfo{"interactive-mode", {}, opts.smt.interactiveModeWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.smt.interactiveMode}};
2457
653416
  if (name == "ite-dtt-split-quant") return OptionInfo{"ite-dtt-split-quant", {}, opts.quantifiers.iteDtTesterSplitQuantWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.iteDtTesterSplitQuant}};
2458
653416
  if (name == "ite-lift-quant") return OptionInfo{"ite-lift-quant", {}, opts.quantifiers.iteLiftQuantWasSetByUser, OptionInfo::ModeInfo{"SIMPLE", opts.quantifiers.iteLiftQuant, { "ALL", "NONE", "SIMPLE" }}};
2459
653416
  if (name == "ite-simp") return OptionInfo{"ite-simp", {}, opts.smt.doITESimpWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.smt.doITESimp}};
2460
653416
  if (name == "jh-rlv-order") return OptionInfo{"jh-rlv-order", {}, opts.decision.jhRlvOrderWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.decision.jhRlvOrder}};
2461
653416
  if (name == "jh-skolem") return OptionInfo{"jh-skolem", {}, opts.decision.jhSkolemModeWasSetByUser, OptionInfo::ModeInfo{"FIRST", opts.decision.jhSkolemMode, { "FIRST", "LAST" }}};
2462
653416
  if (name == "jh-skolem-rlv") return OptionInfo{"jh-skolem-rlv", {}, opts.decision.jhSkolemRlvModeWasSetByUser, OptionInfo::ModeInfo{"ASSERT", opts.decision.jhSkolemRlvMode, { "ALWAYS", "ASSERT" }}};
2463
653416
  if (name == "lang" || name == "input-language") return OptionInfo{"lang", {"input-language"}, opts.base.inputLanguageWasSetByUser, OptionInfo::VoidInfo{}};
2464
653416
  if (name == "language-help") return OptionInfo{"language-help", {}, opts.base.languageHelpWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.base.languageHelp}};
2465
647245
  if (name == "learned-rewrite") return OptionInfo{"learned-rewrite", {}, opts.smt.learnedRewriteWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.learnedRewrite}};
2466
647245
  if (name == "lemmas-on-replay-failure") return OptionInfo{"lemmas-on-replay-failure", {}, opts.arith.replayFailureLemmaWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.replayFailureLemma}};
2467
647245
  if (name == "literal-matching") return OptionInfo{"literal-matching", {}, opts.quantifiers.literalMatchModeWasSetByUser, OptionInfo::ModeInfo{"USE", opts.quantifiers.literalMatchMode, { "AGG", "AGG_PREDICATE", "NONE", "USE" }}};
2468
647245
  if (name == "macros-quant") return OptionInfo{"macros-quant", {}, opts.quantifiers.macrosQuantWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.macrosQuant}};
2469
647245
  if (name == "macros-quant-mode") return OptionInfo{"macros-quant-mode", {}, opts.quantifiers.macrosQuantModeWasSetByUser, OptionInfo::ModeInfo{"GROUND_UF", opts.quantifiers.macrosQuantMode, { "ALL", "GROUND", "GROUND_UF" }}};
2470
647245
  if (name == "maxCutsInContext") return OptionInfo{"maxCutsInContext", {}, opts.arith.maxCutsInContextWasSetByUser, OptionInfo::NumberInfo<uint64_t>{65535, opts.arith.maxCutsInContext, {}, {}}};
2471
647245
  if (name == "mbqi") return OptionInfo{"mbqi", {}, opts.quantifiers.mbqiModeWasSetByUser, OptionInfo::ModeInfo{"FMC", opts.quantifiers.mbqiMode, { "FMC", "NONE", "TRUST" }}};
2472
647245
  if (name == "mbqi-interleave") return OptionInfo{"mbqi-interleave", {}, opts.quantifiers.mbqiInterleaveWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.mbqiInterleave}};
2473
647245
  if (name == "mbqi-one-inst-per-round") return OptionInfo{"mbqi-one-inst-per-round", {}, opts.quantifiers.fmfOneInstPerRoundWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.fmfOneInstPerRound}};
2474
647245
  if (name == "minimal-unsat-cores") return OptionInfo{"minimal-unsat-cores", {}, opts.smt.minimalUnsatCoresWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.minimalUnsatCores}};
2475
647245
  if (name == "minisat-dump-dimacs") return OptionInfo{"minisat-dump-dimacs", {}, opts.prop.minisatDumpDimacsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.prop.minisatDumpDimacs}};
2476
647245
  if (name == "minisat-elimination") return OptionInfo{"minisat-elimination", {}, opts.prop.minisatUseElimWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.prop.minisatUseElim}};
2477
647245
  if (name == "miniscope-quant") return OptionInfo{"miniscope-quant", {}, opts.quantifiers.miniscopeQuantWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.miniscopeQuant}};
2478
647245
  if (name == "miniscope-quant-fv") return OptionInfo{"miniscope-quant-fv", {}, opts.quantifiers.miniscopeQuantFreeVarWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.miniscopeQuantFreeVar}};
2479
647245
  if (name == "miplib-trick") return OptionInfo{"miplib-trick", {}, opts.arith.arithMLTrickWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.arithMLTrick}};
2480
647245
  if (name == "miplib-trick-subs") return OptionInfo{"miplib-trick-subs", {}, opts.arith.arithMLTrickSubstitutionsWasSetByUser, OptionInfo::NumberInfo<uint64_t>{1, opts.arith.arithMLTrickSubstitutions, {}, {}}};
2481
647245
  if (name == "mmap") return OptionInfo{"mmap", {}, opts.parser.memoryMapWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.parser.memoryMap}};
2482
641074
  if (name == "model-cores") return OptionInfo{"model-cores", {}, opts.smt.modelCoresModeWasSetByUser, OptionInfo::ModeInfo{"NONE", opts.smt.modelCoresMode, { "NONE", "NON_IMPLIED", "SIMPLE" }}};
2483
641074
  if (name == "model-uninterp-print" || name == "model-u-print") return OptionInfo{"model-u-print", {"model-uninterp-print"}, opts.smt.modelUninterpPrintWasSetByUser, OptionInfo::ModeInfo{"None", opts.smt.modelUninterpPrint, { "DeclFun", "DeclSortAndFun", "None" }}};
2484
641074
  if (name == "model-witness-value") return OptionInfo{"model-witness-value", {}, opts.smt.modelWitnessValueWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.modelWitnessValue}};
2485
641074
  if (name == "multi-trigger-cache") return OptionInfo{"multi-trigger-cache", {}, opts.quantifiers.multiTriggerCacheWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.multiTriggerCache}};
2486
641074
  if (name == "multi-trigger-linear") return OptionInfo{"multi-trigger-linear", {}, opts.quantifiers.multiTriggerLinearWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.multiTriggerLinear}};
2487
641074
  if (name == "multi-trigger-priority") return OptionInfo{"multi-trigger-priority", {}, opts.quantifiers.multiTriggerPriorityWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.multiTriggerPriority}};
2488
641074
  if (name == "multi-trigger-when-single") return OptionInfo{"multi-trigger-when-single", {}, opts.quantifiers.multiTriggerWhenSingleWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.multiTriggerWhenSingle}};
2489
641074
  if (name == "new-prop") return OptionInfo{"new-prop", {}, opts.arith.newPropWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.arith.newProp}};
2490
641074
  if (name == "nl-cad") return OptionInfo{"nl-cad", {}, opts.arith.nlCadWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.nlCad}};
2491
641074
  if (name == "nl-cad-initial") return OptionInfo{"nl-cad-initial", {}, opts.arith.nlCadUseInitialWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.nlCadUseInitial}};
2492
641074
  if (name == "nl-cad-lift") return OptionInfo{"nl-cad-lift", {}, opts.arith.nlCadLiftingWasSetByUser, OptionInfo::ModeInfo{"REGULAR", opts.arith.nlCadLifting, { "LAZARD", "REGULAR" }}};
2493
641074
  if (name == "nl-cad-proj") return OptionInfo{"nl-cad-proj", {}, opts.arith.nlCadProjectionWasSetByUser, OptionInfo::ModeInfo{"MCCALLUM", opts.arith.nlCadProjection, { "LAZARD", "LAZARDMOD", "MCCALLUM" }}};
2494
641074
  if (name == "nl-ext") return OptionInfo{"nl-ext", {}, opts.arith.nlExtWasSetByUser, OptionInfo::ModeInfo{"FULL", opts.arith.nlExt, { "FULL", "LIGHT", "NONE" }}};
2495
641074
  if (name == "nl-ext-ent-conf") return OptionInfo{"nl-ext-ent-conf", {}, opts.arith.nlExtEntailConflictsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.nlExtEntailConflicts}};
2496
641074
  if (name == "nl-ext-factor") return OptionInfo{"nl-ext-factor", {}, opts.arith.nlExtFactorWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.arith.nlExtFactor}};
2497
641074
  if (name == "nl-ext-inc-prec") return OptionInfo{"nl-ext-inc-prec", {}, opts.arith.nlExtIncPrecisionWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.arith.nlExtIncPrecision}};
2498
641074
  if (name == "nl-ext-purify") return OptionInfo{"nl-ext-purify", {}, opts.arith.nlExtPurifyWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.nlExtPurify}};
2499
641074
  if (name == "nl-ext-rbound") return OptionInfo{"nl-ext-rbound", {}, opts.arith.nlExtResBoundWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.nlExtResBound}};
2500
641074
  if (name == "nl-ext-rewrite") return OptionInfo{"nl-ext-rewrite", {}, opts.arith.nlExtRewritesWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.arith.nlExtRewrites}};
2501
641074
  if (name == "nl-ext-split-zero") return OptionInfo{"nl-ext-split-zero", {}, opts.arith.nlExtSplitZeroWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.nlExtSplitZero}};
2502
641074
  if (name == "nl-ext-tf-taylor-deg") return OptionInfo{"nl-ext-tf-taylor-deg", {}, opts.arith.nlExtTfTaylorDegreeWasSetByUser, OptionInfo::NumberInfo<int64_t>{4, opts.arith.nlExtTfTaylorDegree, {}, {}}};
2503
641074
  if (name == "nl-ext-tf-tplanes") return OptionInfo{"nl-ext-tf-tplanes", {}, opts.arith.nlExtTfTangentPlanesWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.arith.nlExtTfTangentPlanes}};
2504
641074
  if (name == "nl-ext-tplanes") return OptionInfo{"nl-ext-tplanes", {}, opts.arith.nlExtTangentPlanesWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.nlExtTangentPlanes}};
2505
641074
  if (name == "nl-ext-tplanes-interleave") return OptionInfo{"nl-ext-tplanes-interleave", {}, opts.arith.nlExtTangentPlanesInterleaveWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.nlExtTangentPlanesInterleave}};
2506
641074
  if (name == "nl-icp") return OptionInfo{"nl-icp", {}, opts.arith.nlICPWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.nlICP}};
2507
641074
  if (name == "nl-rlv") return OptionInfo{"nl-rlv", {}, opts.arith.nlRlvModeWasSetByUser, OptionInfo::ModeInfo{"NONE", opts.arith.nlRlvMode, { "ALWAYS", "INTERLEAVE", "NONE" }}};
2508
641074
  if (name == "nl-rlv-assert-bounds") return OptionInfo{"nl-rlv-assert-bounds", {}, opts.arith.nlRlvAssertBoundsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.nlRlvAssertBounds}};
2509
641074
  if (name == "on-repeat-ite-simp") return OptionInfo{"on-repeat-ite-simp", {}, opts.smt.doITESimpOnRepeatWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.doITESimpOnRepeat}};
2510
641074
  if (name == "regular-output-channel" || name == "out") return OptionInfo{"out", {"regular-output-channel"}, opts.base.outWasSetByUser, OptionInfo::VoidInfo{}};
2511
641074
  if (name == "output") return OptionInfo{"output", {}, opts.base.outputTagWasSetByUser, OptionInfo::ModeInfo{"NONE", opts.base.outputTag, { "INST", "NONE", "RAW_BENCHMARK", "SYGUS", "TRIGGER" }}};
2512
641072
  if (name == "output-lang" || name == "output-language") return OptionInfo{"output-lang", {"output-language"}, opts.base.outputLanguageWasSetByUser, OptionInfo::VoidInfo{}};
2513
641072
  if (name == "parse-only") return OptionInfo{"parse-only", {}, opts.base.parseOnlyWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.base.parseOnly}};
2514
336069
  if (name == "partial-triggers") return OptionInfo{"partial-triggers", {}, opts.quantifiers.partialTriggersWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.partialTriggers}};
2515
336069
  if (name == "pb-rewrites") return OptionInfo{"pb-rewrites", {}, opts.arith.pbRewritesWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.pbRewrites}};
2516
336069
  if (name == "pivot-threshold") return OptionInfo{"pivot-threshold", {}, opts.arith.arithPivotThresholdWasSetByUser, OptionInfo::NumberInfo<uint64_t>{2, opts.arith.arithPivotThreshold, {}, {}}};
2517
336069
  if (name == "pool-inst") return OptionInfo{"pool-inst", {}, opts.quantifiers.poolInstWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.poolInst}};
2518
336069
  if (name == "pp-assert-max-sub-size") return OptionInfo{"pp-assert-max-sub-size", {}, opts.arith.ppAssertMaxSubSizeWasSetByUser, OptionInfo::NumberInfo<uint64_t>{2, opts.arith.ppAssertMaxSubSize, {}, {}}};
2519
336069
  if (name == "pre-skolem-quant") return OptionInfo{"pre-skolem-quant", {}, opts.quantifiers.preSkolemQuantWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.preSkolemQuant}};
2520
336069
  if (name == "pre-skolem-quant-agg") return OptionInfo{"pre-skolem-quant-agg", {}, opts.quantifiers.preSkolemQuantAggWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.preSkolemQuantAgg}};
2521
336069
  if (name == "pre-skolem-quant-nested") return OptionInfo{"pre-skolem-quant-nested", {}, opts.quantifiers.preSkolemQuantNestedWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.preSkolemQuantNested}};
2522
336069
  if (name == "prenex-quant") return OptionInfo{"prenex-quant", {}, opts.quantifiers.prenexQuantWasSetByUser, OptionInfo::ModeInfo{"SIMPLE", opts.quantifiers.prenexQuant, { "NONE", "NORMAL", "SIMPLE" }}};
2523
336069
  if (name == "prenex-quant-user") return OptionInfo{"prenex-quant-user", {}, opts.quantifiers.prenexQuantUserWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.prenexQuantUser}};
2524
336069
  if (name == "preprocess-only") return OptionInfo{"preprocess-only", {}, opts.base.preprocessOnlyWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.base.preprocessOnly}};
2525
336069
  if (name == "print-inst") return OptionInfo{"print-inst", {}, opts.printer.printInstModeWasSetByUser, OptionInfo::ModeInfo{"LIST", opts.printer.printInstMode, { "LIST", "NUM" }}};
2526
336069
  if (name == "print-inst-full") return OptionInfo{"print-inst-full", {}, opts.printer.printInstFullWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.printer.printInstFull}};
2527
336069
  if (name == "print-success") return OptionInfo{"print-success", {}, opts.base.printSuccessWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.base.printSuccess}};
2528
336069
  if (name == "produce-abducts") return OptionInfo{"produce-abducts", {}, opts.smt.produceAbductsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.produceAbducts}};
2529
336069
  if (name == "produce-assertions") return OptionInfo{"produce-assertions", {}, opts.smt.produceAssertionsWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.smt.produceAssertions}};
2530
336069
  if (name == "produce-assignments") return OptionInfo{"produce-assignments", {}, opts.smt.produceAssignmentsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.produceAssignments}};
2531
336069
  if (name == "produce-difficulty") return OptionInfo{"produce-difficulty", {}, opts.smt.produceDifficultyWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.produceDifficulty}};
2532
336069
  if (name == "produce-interpols") return OptionInfo{"produce-interpols", {}, opts.smt.produceInterpolsWasSetByUser, OptionInfo::ModeInfo{"NONE", opts.smt.produceInterpols, { "ALL", "ASSUMPTIONS", "CONJECTURE", "DEFAULT", "NONE", "SHARED" }}};
2533
336069
  if (name == "produce-models") return OptionInfo{"produce-models", {}, opts.smt.produceModelsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.produceModels}};
2534
336069
  if (name == "produce-proofs") return OptionInfo{"produce-proofs", {}, opts.smt.produceProofsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.produceProofs}};
2535
336069
  if (name == "produce-unsat-assumptions") return OptionInfo{"produce-unsat-assumptions", {}, opts.smt.unsatAssumptionsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.unsatAssumptions}};
2536
336069
  if (name == "produce-unsat-cores") return OptionInfo{"produce-unsat-cores", {}, opts.smt.unsatCoresWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.smt.unsatCores}};
2537
336069
  if (name == "proof-check") return OptionInfo{"proof-check", {}, opts.proof.proofCheckWasSetByUser, OptionInfo::ModeInfo{"LAZY", opts.proof.proofCheck, { "EAGER", "EAGER_SIMPLE", "LAZY", "NONE" }}};
2538
336069
  if (name == "proof-format-mode") return OptionInfo{"proof-format-mode", {}, opts.proof.proofFormatModeWasSetByUser, OptionInfo::ModeInfo{"NONE", opts.proof.proofFormatMode, { "DOT", "NONE", "TPTP", "VERIT" }}};
2539
336069
  if (name == "proof-granularity") return OptionInfo{"proof-granularity", {}, opts.proof.proofGranularityModeWasSetByUser, OptionInfo::ModeInfo{"THEORY_REWRITE", opts.proof.proofGranularityMode, { "DSL_REWRITE", "OFF", "REWRITE", "THEORY_REWRITE" }}};
2540
336069
  if (name == "proof-pedantic") return OptionInfo{"proof-pedantic", {}, opts.proof.proofPedanticWasSetByUser, OptionInfo::NumberInfo<uint64_t>{0, opts.proof.proofPedantic, {}, {}}};
2541
336069
  if (name == "proof-pp-merge") return OptionInfo{"proof-pp-merge", {}, opts.proof.proofPpMergeWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.proof.proofPpMerge}};
2542
336069
  if (name == "proof-print-conclusion") return OptionInfo{"proof-print-conclusion", {}, opts.proof.proofPrintConclusionWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.proof.proofPrintConclusion}};
2543
336069
  if (name == "prop-row-length") return OptionInfo{"prop-row-length", {}, opts.arith.arithPropagateMaxLengthWasSetByUser, OptionInfo::NumberInfo<uint64_t>{16, opts.arith.arithPropagateMaxLength, {}, {}}};
2544
336069
  if (name == "purify-triggers") return OptionInfo{"purify-triggers", {}, opts.quantifiers.purifyTriggersWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.purifyTriggers}};
2545
336069
  if (name == "qcf-all-conflict") return OptionInfo{"qcf-all-conflict", {}, opts.quantifiers.qcfAllConflictWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.qcfAllConflict}};
2546
336069
  if (name == "qcf-eager-check-rd") return OptionInfo{"qcf-eager-check-rd", {}, opts.quantifiers.qcfEagerCheckRdWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.qcfEagerCheckRd}};
2547
336069
  if (name == "qcf-eager-test") return OptionInfo{"qcf-eager-test", {}, opts.quantifiers.qcfEagerTestWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.qcfEagerTest}};
2548
336069
  if (name == "qcf-nested-conflict") return OptionInfo{"qcf-nested-conflict", {}, opts.quantifiers.qcfNestedConflictWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.qcfNestedConflict}};
2549
336069
  if (name == "qcf-skip-rd") return OptionInfo{"qcf-skip-rd", {}, opts.quantifiers.qcfSkipRdWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.qcfSkipRd}};
2550
336069
  if (name == "qcf-tconstraint") return OptionInfo{"qcf-tconstraint", {}, opts.quantifiers.qcfTConstraintWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.qcfTConstraint}};
2551
336069
  if (name == "qcf-vo-exp") return OptionInfo{"qcf-vo-exp", {}, opts.quantifiers.qcfVoExpWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.qcfVoExp}};
2552
336069
  if (name == "quant-alpha-equiv") return OptionInfo{"quant-alpha-equiv", {}, opts.quantifiers.quantAlphaEquivWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.quantAlphaEquiv}};
2553
336069
  if (name == "quant-cf") return OptionInfo{"quant-cf", {}, opts.quantifiers.quantConflictFindWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.quantConflictFind}};
2554
336069
  if (name == "quant-cf-mode") return OptionInfo{"quant-cf-mode", {}, opts.quantifiers.qcfModeWasSetByUser, OptionInfo::ModeInfo{"PROP_EQ", opts.quantifiers.qcfMode, { "CONFLICT_ONLY", "PARTIAL", "PROP_EQ" }}};
2555
336069
  if (name == "quant-cf-when") return OptionInfo{"quant-cf-when", {}, opts.quantifiers.qcfWhenModeWasSetByUser, OptionInfo::ModeInfo{"DEFAULT", opts.quantifiers.qcfWhenMode, { "DEFAULT", "LAST_CALL", "STD", "STD_H" }}};
2556
336069
  if (name == "quant-dsplit-mode") return OptionInfo{"quant-dsplit-mode", {}, opts.quantifiers.quantDynamicSplitWasSetByUser, OptionInfo::ModeInfo{"DEFAULT", opts.quantifiers.quantDynamicSplit, { "AGG", "DEFAULT", "NONE" }}};
2557
336069
  if (name == "quant-fun-wd") return OptionInfo{"quant-fun-wd", {}, opts.quantifiers.quantFunWellDefinedWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.quantFunWellDefined}};
2558
336069
  if (name == "quant-ind") return OptionInfo{"quant-ind", {}, opts.quantifiers.quantInductionWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.quantInduction}};
2559
336069
  if (name == "quant-rep-mode") return OptionInfo{"quant-rep-mode", {}, opts.quantifiers.quantRepModeWasSetByUser, OptionInfo::ModeInfo{"FIRST", opts.quantifiers.quantRepMode, { "DEPTH", "EE", "FIRST" }}};
2560
336069
  if (name == "quant-split") return OptionInfo{"quant-split", {}, opts.quantifiers.quantSplitWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.quantSplit}};
2561
336069
  if (name == "quiet") return OptionInfo{"quiet", {}, false, OptionInfo::VoidInfo{}};
2562
336069
  if (name == "random-frequency" || name == "random-freq") return OptionInfo{"random-freq", {"random-frequency"}, opts.prop.satRandomFreqWasSetByUser, OptionInfo::NumberInfo<double>{0.0, opts.prop.satRandomFreq, 0.0, 1.0}};
2563
336067
  if (name == "random-seed") return OptionInfo{"random-seed", {}, opts.prop.satRandomSeedWasSetByUser, OptionInfo::NumberInfo<uint64_t>{0, opts.prop.satRandomSeed, {}, {}}};
2564
336067
  if (name == "re-elim") return OptionInfo{"re-elim", {}, opts.strings.regExpElimWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.strings.regExpElim}};
2565
336067
  if (name == "re-elim-agg") return OptionInfo{"re-elim-agg", {}, opts.strings.regExpElimAggWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.strings.regExpElimAgg}};
2566
336067
  if (name == "re-inter-mode") return OptionInfo{"re-inter-mode", {}, opts.strings.stringRegExpInterModeWasSetByUser, OptionInfo::ModeInfo{"CONSTANT", opts.strings.stringRegExpInterMode, { "ALL", "CONSTANT", "NONE", "ONE_CONSTANT" }}};
2567
336067
  if (name == "refine-conflicts") return OptionInfo{"refine-conflicts", {}, opts.prop.sat_refine_conflictsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.prop.sat_refine_conflicts}};
2568
336067
  if (name == "register-quant-body-terms") return OptionInfo{"register-quant-body-terms", {}, opts.quantifiers.registerQuantBodyTermsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.registerQuantBodyTerms}};
2569
336067
  if (name == "relational-triggers") return OptionInfo{"relational-triggers", {}, opts.quantifiers.relationalTriggersWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.relationalTriggers}};
2570
336067
  if (name == "relevance-filter") return OptionInfo{"relevance-filter", {}, opts.theory.relevanceFilterWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.theory.relevanceFilter}};
2571
336067
  if (name == "relevant-triggers") return OptionInfo{"relevant-triggers", {}, opts.quantifiers.relevantTriggersWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.relevantTriggers}};
2572
336067
  if (name == "repeat-simp") return OptionInfo{"repeat-simp", {}, opts.smt.repeatSimpWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.smt.repeatSimp}};
2573
336067
  if (name == "replay-early-close-depth") return OptionInfo{"replay-early-close-depth", {}, opts.arith.replayEarlyCloseDepthsWasSetByUser, OptionInfo::NumberInfo<int64_t>{1, opts.arith.replayEarlyCloseDepths, {}, {}}};
2574
336067
  if (name == "replay-lemma-reject-cut") return OptionInfo{"replay-lemma-reject-cut", {}, opts.arith.lemmaRejectCutSizeWasSetByUser, OptionInfo::NumberInfo<uint64_t>{25500, opts.arith.lemmaRejectCutSize, {}, {}}};
2575
336067
  if (name == "replay-num-err-penalty") return OptionInfo{"replay-num-err-penalty", {}, opts.arith.replayNumericFailurePenaltyWasSetByUser, OptionInfo::NumberInfo<int64_t>{4194304, opts.arith.replayNumericFailurePenalty, {}, {}}};
2576
336067
  if (name == "replay-reject-cut") return OptionInfo{"replay-reject-cut", {}, opts.arith.replayRejectCutSizeWasSetByUser, OptionInfo::NumberInfo<uint64_t>{25500, opts.arith.replayRejectCutSize, {}, {}}};
2577
336067
  if (name == "restart-int-base") return OptionInfo{"restart-int-base", {}, opts.prop.satRestartFirstWasSetByUser, OptionInfo::NumberInfo<uint64_t>{25, opts.prop.satRestartFirst, {}, {}}};
2578
336067
  if (name == "restart-int-inc") return OptionInfo{"restart-int-inc", {}, opts.prop.satRestartIncWasSetByUser, OptionInfo::NumberInfo<double>{3.0, opts.prop.satRestartInc, 0.0, {}}};
2579
336067
  if (name == "restrict-pivots") return OptionInfo{"restrict-pivots", {}, opts.arith.restrictedPivotsWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.arith.restrictedPivots}};
2580
336067
  if (name == "revert-arith-models-on-unsat") return OptionInfo{"revert-arith-models-on-unsat", {}, opts.arith.revertArithModelsWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.revertArithModels}};
2581
336067
  if (name == "rlimit") return OptionInfo{"rlimit", {}, opts.base.cumulativeResourceLimitWasSetByUser, OptionInfo::NumberInfo<uint64_t>{uint64_t(), opts.base.cumulativeResourceLimit, {}, {}}};
2582
336067
  if (name == "rlimit-per" || name == "reproducible-resource-limit") return OptionInfo{"rlimit-per", {"reproducible-resource-limit"}, opts.base.perCallResourceLimitWasSetByUser, OptionInfo::NumberInfo<uint64_t>{uint64_t(), opts.base.perCallResourceLimit, {}, {}}};
2583
336067
  if (name == "rr-turns") return OptionInfo{"rr-turns", {}, opts.arith.rrTurnsWasSetByUser, OptionInfo::NumberInfo<int64_t>{3, opts.arith.rrTurns, {}, {}}};
2584
336067
  if (name == "rweight") return OptionInfo{"rweight", {}, false, OptionInfo::VoidInfo{}};
2585
336067
  if (name == "se-solve-int") return OptionInfo{"se-solve-int", {}, opts.arith.trySolveIntStandardEffortWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.trySolveIntStandardEffort}};
2586
336067
  if (name == "seed") return OptionInfo{"seed", {}, opts.driver.seedWasSetByUser, OptionInfo::NumberInfo<uint64_t>{0, opts.driver.seed, {}, {}}};
2587
336067
  if (name == "segv-spin") return OptionInfo{"segv-spin", {}, opts.driver.segvSpinWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.driver.segvSpin}};
2588
329896
  if (name == "semantic-checks") return OptionInfo{"semantic-checks", {}, opts.parser.semanticChecksWasSetByUser, OptionInfo::ValueInfo<bool>{DO_SEMANTIC_CHECKS_BY_DEFAULT, opts.parser.semanticChecks}};
2589
323494
  if (name == "sep-check-neg") return OptionInfo{"sep-check-neg", {}, opts.sep.sepCheckNegWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.sep.sepCheckNeg}};
2590
323494
  if (name == "sep-child-refine") return OptionInfo{"sep-child-refine", {}, opts.sep.sepChildRefineWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.sep.sepChildRefine}};
2591
323494
  if (name == "sep-deq-c") return OptionInfo{"sep-deq-c", {}, opts.sep.sepDisequalCWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.sep.sepDisequalC}};
2592
323494
  if (name == "sep-min-refine") return OptionInfo{"sep-min-refine", {}, opts.sep.sepMinimalRefineWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.sep.sepMinimalRefine}};
2593
323494
  if (name == "sep-pre-skolem-emp") return OptionInfo{"sep-pre-skolem-emp", {}, opts.sep.sepPreSkolemEmpWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.sep.sepPreSkolemEmp}};
2594
323494
  if (name == "sets-ext") return OptionInfo{"sets-ext", {}, opts.sets.setsExtWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.sets.setsExt}};
2595
323494
  if (name == "sets-infer-as-lemmas") return OptionInfo{"sets-infer-as-lemmas", {}, opts.sets.setsInferAsLemmasWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.sets.setsInferAsLemmas}};
2596
323494
  if (name == "sets-proxy-lemmas") return OptionInfo{"sets-proxy-lemmas", {}, opts.sets.setsProxyLemmasWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.sets.setsProxyLemmas}};
2597
323494
  if (name == "show-config") return OptionInfo{"show-config", {}, false, OptionInfo::VoidInfo{}};
2598
323494
  if (name == "show-debug-tags") return OptionInfo{"show-debug-tags", {}, false, OptionInfo::VoidInfo{}};
2599
323494
  if (name == "show-trace-tags") return OptionInfo{"show-trace-tags", {}, false, OptionInfo::VoidInfo{}};
2600
323494
  if (name == "simp-ite-compress") return OptionInfo{"simp-ite-compress", {}, opts.smt.compressItesWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.compressItes}};
2601
323494
  if (name == "simp-ite-hunt-zombies") return OptionInfo{"simp-ite-hunt-zombies", {}, opts.smt.zombieHuntThresholdWasSetByUser, OptionInfo::NumberInfo<uint64_t>{524288, opts.smt.zombieHuntThreshold, {}, {}}};
2602
323494
  if (name == "simp-with-care") return OptionInfo{"simp-with-care", {}, opts.smt.simplifyWithCareEnabledWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.simplifyWithCareEnabled}};
2603
323494
  if (name == "simplex-check-period") return OptionInfo{"simplex-check-period", {}, opts.arith.arithSimplexCheckPeriodWasSetByUser, OptionInfo::NumberInfo<uint64_t>{200, opts.arith.arithSimplexCheckPeriod, {}, {}}};
2604
323494
  if (name == "simplification-mode" || name == "simplification") return OptionInfo{"simplification", {"simplification-mode"}, opts.smt.simplificationModeWasSetByUser, OptionInfo::ModeInfo{"BATCH", opts.smt.simplificationMode, { "BATCH", "NONE" }}};
2605
323494
  if (name == "soi-qe") return OptionInfo{"soi-qe", {}, opts.arith.soiQuickExplainWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.soiQuickExplain}};
2606
323494
  if (name == "solve-bv-as-int") return OptionInfo{"solve-bv-as-int", {}, opts.smt.solveBVAsIntWasSetByUser, OptionInfo::ModeInfo{"OFF", opts.smt.solveBVAsInt, { "BV", "IAND", "OFF", "SUM" }}};
2607
323494
  if (name == "solve-int-as-bv") return OptionInfo{"solve-int-as-bv", {}, opts.smt.solveIntAsBVWasSetByUser, OptionInfo::NumberInfo<uint64_t>{0, opts.smt.solveIntAsBV, {}, {}}};
2608
323494
  if (name == "solve-real-as-int") return OptionInfo{"solve-real-as-int", {}, opts.smt.solveRealAsIntWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.solveRealAsInt}};
2609
323494
  if (name == "sort-inference") return OptionInfo{"sort-inference", {}, opts.smt.sortInferenceWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.sortInference}};
2610
323494
  if (name == "standard-effort-variable-order-pivots") return OptionInfo{"standard-effort-variable-order-pivots", {}, opts.arith.arithStandardCheckVarOrderPivotsWasSetByUser, OptionInfo::NumberInfo<int64_t>{-1, opts.arith.arithStandardCheckVarOrderPivots, {}, {}}};
2611
323494
  if (name == "static-learning") return OptionInfo{"static-learning", {}, opts.smt.doStaticLearningWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.smt.doStaticLearning}};
2612
323494
  if (name == "stats") return OptionInfo{"stats", {}, opts.base.statisticsWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.base.statistics}};
2613
317323
  if (name == "stats-all") return OptionInfo{"stats-all", {}, opts.base.statisticsAllWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.base.statisticsAll}};
2614
317323
  if (name == "stats-every-query") return OptionInfo{"stats-every-query", {}, opts.base.statisticsEveryQueryWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.base.statisticsEveryQuery}};
2615
317323
  if (name == "stats-expert") return OptionInfo{"stats-expert", {}, opts.base.statisticsExpertWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.base.statisticsExpert}};
2616
317323
  if (name == "strict-parsing") return OptionInfo{"strict-parsing", {}, opts.parser.strictParsingWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.parser.strictParsing}};
2617
310921
  if (name == "strings-check-entail-len") return OptionInfo{"strings-check-entail-len", {}, opts.strings.stringCheckEntailLenWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.strings.stringCheckEntailLen}};
2618
310921
  if (name == "strings-eager") return OptionInfo{"strings-eager", {}, opts.strings.stringEagerWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.strings.stringEager}};
2619
310921
  if (name == "strings-eager-eval") return OptionInfo{"strings-eager-eval", {}, opts.strings.stringEagerEvalWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.strings.stringEagerEval}};
2620
310921
  if (name == "strings-eager-len") return OptionInfo{"strings-eager-len", {}, opts.strings.stringEagerLenWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.strings.stringEagerLen}};
2621
310921
  if (name == "strings-exp") return OptionInfo{"strings-exp", {}, opts.strings.stringExpWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.strings.stringExp}};
2622
310921
  if (name == "strings-ff") return OptionInfo{"strings-ff", {}, opts.strings.stringFlatFormsWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.strings.stringFlatForms}};
2623
310921
  if (name == "strings-fmf") return OptionInfo{"strings-fmf", {}, opts.strings.stringFMFWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.strings.stringFMF}};
2624
310921
  if (name == "strings-guess-model") return OptionInfo{"strings-guess-model", {}, opts.strings.stringGuessModelWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.strings.stringGuessModel}};
2625
310921
  if (name == "strings-infer-as-lemmas") return OptionInfo{"strings-infer-as-lemmas", {}, opts.strings.stringInferAsLemmasWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.strings.stringInferAsLemmas}};
2626
310921
  if (name == "strings-infer-sym") return OptionInfo{"strings-infer-sym", {}, opts.strings.stringInferSymWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.strings.stringInferSym}};
2627
310921
  if (name == "strings-lazy-pp") return OptionInfo{"strings-lazy-pp", {}, opts.strings.stringLazyPreprocWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.strings.stringLazyPreproc}};
2628
310921
  if (name == "strings-len-norm") return OptionInfo{"strings-len-norm", {}, opts.strings.stringLenNormWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.strings.stringLenNorm}};
2629
310921
  if (name == "strings-min-prefix-explain") return OptionInfo{"strings-min-prefix-explain", {}, opts.strings.stringMinPrefixExplainWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.strings.stringMinPrefixExplain}};
2630
310921
  if (name == "strings-process-loop-mode") return OptionInfo{"strings-process-loop-mode", {}, opts.strings.stringProcessLoopModeWasSetByUser, OptionInfo::ModeInfo{"FULL", opts.strings.stringProcessLoopMode, { "ABORT", "FULL", "NONE", "SIMPLE", "SIMPLE_ABORT" }}};
2631
310921
  if (name == "strings-rexplain-lemmas") return OptionInfo{"strings-rexplain-lemmas", {}, opts.strings.stringRExplainLemmasWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.strings.stringRExplainLemmas}};
2632
310921
  if (name == "strings-unified-vspt") return OptionInfo{"strings-unified-vspt", {}, opts.strings.stringUnifiedVSptWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.strings.stringUnifiedVSpt}};
2633
310921
  if (name == "sygus") return OptionInfo{"sygus", {}, opts.quantifiers.sygusWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygus}};
2634
310921
  if (name == "sygus-abort-size") return OptionInfo{"sygus-abort-size", {}, opts.datatypes.sygusAbortSizeWasSetByUser, OptionInfo::NumberInfo<int64_t>{-1, opts.datatypes.sygusAbortSize, {}, {}}};
2635
310921
  if (name == "sygus-active-gen") return OptionInfo{"sygus-active-gen", {}, opts.quantifiers.sygusActiveGenModeWasSetByUser, OptionInfo::ModeInfo{"AUTO", opts.quantifiers.sygusActiveGenMode, { "AUTO", "ENUM", "ENUM_BASIC", "NONE", "VAR_AGNOSTIC" }}};
2636
310921
  if (name == "sygus-active-gen-cfactor") return OptionInfo{"sygus-active-gen-cfactor", {}, opts.quantifiers.sygusActiveGenEnumConstsWasSetByUser, OptionInfo::NumberInfo<uint64_t>{5, opts.quantifiers.sygusActiveGenEnumConsts, {}, {}}};
2637
310921
  if (name == "sygus-add-const-grammar") return OptionInfo{"sygus-add-const-grammar", {}, opts.quantifiers.sygusAddConstGrammarWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusAddConstGrammar}};
2638
310921
  if (name == "sygus-arg-relevant") return OptionInfo{"sygus-arg-relevant", {}, opts.quantifiers.sygusArgRelevantWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusArgRelevant}};
2639
310921
  if (name == "sygus-auto-unfold") return OptionInfo{"sygus-auto-unfold", {}, opts.quantifiers.sygusInvAutoUnfoldWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.sygusInvAutoUnfold}};
2640
310921
  if (name == "sygus-bool-ite-return-const") return OptionInfo{"sygus-bool-ite-return-const", {}, opts.quantifiers.sygusBoolIteReturnConstWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.sygusBoolIteReturnConst}};
2641
310921
  if (name == "sygus-core-connective") return OptionInfo{"sygus-core-connective", {}, opts.quantifiers.sygusCoreConnectiveWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusCoreConnective}};
2642
310921
  if (name == "sygus-crepair-abort") return OptionInfo{"sygus-crepair-abort", {}, opts.quantifiers.sygusConstRepairAbortWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusConstRepairAbort}};
2643
310921
  if (name == "sygus-eval-opt") return OptionInfo{"sygus-eval-opt", {}, opts.quantifiers.sygusEvalOptWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.sygusEvalOpt}};
2644
310921
  if (name == "sygus-eval-unfold") return OptionInfo{"sygus-eval-unfold", {}, opts.quantifiers.sygusEvalUnfoldWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.sygusEvalUnfold}};
2645
310921
  if (name == "sygus-eval-unfold-bool") return OptionInfo{"sygus-eval-unfold-bool", {}, opts.quantifiers.sygusEvalUnfoldBoolWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.sygusEvalUnfoldBool}};
2646
310921
  if (name == "sygus-expr-miner-check-timeout") return OptionInfo{"sygus-expr-miner-check-timeout", {}, opts.quantifiers.sygusExprMinerCheckTimeoutWasSetByUser, OptionInfo::NumberInfo<uint64_t>{uint64_t(), opts.quantifiers.sygusExprMinerCheckTimeout, {}, {}}};
2647
310921
  if (name == "sygus-ext-rew") return OptionInfo{"sygus-ext-rew", {}, opts.quantifiers.sygusExtRewWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.sygusExtRew}};
2648
310921
  if (name == "sygus-fair") return OptionInfo{"sygus-fair", {}, opts.datatypes.sygusFairWasSetByUser, OptionInfo::ModeInfo{"DT_SIZE", opts.datatypes.sygusFair, { "DIRECT", "DT_HEIGHT_PRED", "DT_SIZE", "DT_SIZE_PRED", "NONE" }}};
2649
310921
  if (name == "sygus-fair-max") return OptionInfo{"sygus-fair-max", {}, opts.datatypes.sygusFairMaxWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.datatypes.sygusFairMax}};
2650
310921
  if (name == "sygus-filter-sol") return OptionInfo{"sygus-filter-sol", {}, opts.quantifiers.sygusFilterSolModeWasSetByUser, OptionInfo::ModeInfo{"NONE", opts.quantifiers.sygusFilterSolMode, { "NONE", "STRONG", "WEAK" }}};
2651
310921
  if (name == "sygus-filter-sol-rev") return OptionInfo{"sygus-filter-sol-rev", {}, opts.quantifiers.sygusFilterSolRevSubsumeWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusFilterSolRevSubsume}};
2652
310921
  if (name == "sygus-grammar-cons") return OptionInfo{"sygus-grammar-cons", {}, opts.quantifiers.sygusGrammarConsModeWasSetByUser, OptionInfo::ModeInfo{"SIMPLE", opts.quantifiers.sygusGrammarConsMode, { "ANY_CONST", "ANY_TERM", "ANY_TERM_CONCISE", "SIMPLE" }}};
2653
310921
  if (name == "sygus-grammar-norm") return OptionInfo{"sygus-grammar-norm", {}, opts.quantifiers.sygusGrammarNormWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusGrammarNorm}};
2654
310921
  if (name == "sygus-inference") return OptionInfo{"sygus-inference", {}, opts.quantifiers.sygusInferenceWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusInference}};
2655
310921
  if (name == "sygus-inst") return OptionInfo{"sygus-inst", {}, opts.quantifiers.sygusInstWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusInst}};
2656
310921
  if (name == "sygus-inst-mode") return OptionInfo{"sygus-inst-mode", {}, opts.quantifiers.sygusInstModeWasSetByUser, OptionInfo::ModeInfo{"PRIORITY_INST", opts.quantifiers.sygusInstMode, { "INTERLEAVE", "PRIORITY_EVAL", "PRIORITY_INST" }}};
2657
310921
  if (name == "sygus-inst-scope") return OptionInfo{"sygus-inst-scope", {}, opts.quantifiers.sygusInstScopeWasSetByUser, OptionInfo::ModeInfo{"IN", opts.quantifiers.sygusInstScope, { "BOTH", "IN", "OUT" }}};
2658
310921
  if (name == "sygus-inst-term-sel") return OptionInfo{"sygus-inst-term-sel", {}, opts.quantifiers.sygusInstTermSelWasSetByUser, OptionInfo::ModeInfo{"MIN", opts.quantifiers.sygusInstTermSel, { "BOTH", "MAX", "MIN" }}};
2659
310921
  if (name == "sygus-inv-templ") return OptionInfo{"sygus-inv-templ", {}, opts.quantifiers.sygusInvTemplModeWasSetByUser, OptionInfo::ModeInfo{"POST", opts.quantifiers.sygusInvTemplMode, { "NONE", "POST", "PRE" }}};
2660
310921
  if (name == "sygus-inv-templ-when-sg") return OptionInfo{"sygus-inv-templ-when-sg", {}, opts.quantifiers.sygusInvTemplWhenSyntaxWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusInvTemplWhenSyntax}};
2661
310921
  if (name == "sygus-min-grammar") return OptionInfo{"sygus-min-grammar", {}, opts.quantifiers.sygusMinGrammarWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.sygusMinGrammar}};
2662
310921
  if (name == "sygus-out") return OptionInfo{"sygus-out", {}, opts.smt.sygusOutWasSetByUser, OptionInfo::ModeInfo{"STANDARD", opts.smt.sygusOut, { "STANDARD", "STATUS", "STATUS_AND_DEF", "STATUS_OR_DEF" }}};
2663
310921
  if (name == "sygus-pbe") return OptionInfo{"sygus-pbe", {}, opts.quantifiers.sygusUnifPbeWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.sygusUnifPbe}};
2664
310921
  if (name == "sygus-pbe-multi-fair") return OptionInfo{"sygus-pbe-multi-fair", {}, opts.quantifiers.sygusPbeMultiFairWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusPbeMultiFair}};
2665
310921
  if (name == "sygus-pbe-multi-fair-diff") return OptionInfo{"sygus-pbe-multi-fair-diff", {}, opts.quantifiers.sygusPbeMultiFairDiffWasSetByUser, OptionInfo::NumberInfo<int64_t>{0, opts.quantifiers.sygusPbeMultiFairDiff, {}, {}}};
2666
310921
  if (name == "sygus-qe-preproc") return OptionInfo{"sygus-qe-preproc", {}, opts.quantifiers.sygusQePreprocWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusQePreproc}};
2667
310921
  if (name == "sygus-query-gen") return OptionInfo{"sygus-query-gen", {}, opts.quantifiers.sygusQueryGenWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusQueryGen}};
2668
310921
  if (name == "sygus-query-gen-check") return OptionInfo{"sygus-query-gen-check", {}, opts.quantifiers.sygusQueryGenCheckWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.sygusQueryGenCheck}};
2669
310921
  if (name == "sygus-query-gen-dump-files") return OptionInfo{"sygus-query-gen-dump-files", {}, opts.quantifiers.sygusQueryGenDumpFilesWasSetByUser, OptionInfo::ModeInfo{"NONE", opts.quantifiers.sygusQueryGenDumpFiles, { "ALL", "NONE", "UNSOLVED" }}};
2670
310921
  if (name == "sygus-query-gen-thresh") return OptionInfo{"sygus-query-gen-thresh", {}, opts.quantifiers.sygusQueryGenThreshWasSetByUser, OptionInfo::NumberInfo<uint64_t>{5, opts.quantifiers.sygusQueryGenThresh, {}, {}}};
2671
310921
  if (name == "sygus-rec-fun") return OptionInfo{"sygus-rec-fun", {}, opts.quantifiers.sygusRecFunWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.sygusRecFun}};
2672
310921
  if (name == "sygus-rec-fun-eval-limit") return OptionInfo{"sygus-rec-fun-eval-limit", {}, opts.quantifiers.sygusRecFunEvalLimitWasSetByUser, OptionInfo::NumberInfo<uint64_t>{1000, opts.quantifiers.sygusRecFunEvalLimit, {}, {}}};
2673
310921
  if (name == "sygus-repair-const") return OptionInfo{"sygus-repair-const", {}, opts.quantifiers.sygusRepairConstWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusRepairConst}};
2674
310921
  if (name == "sygus-repair-const-timeout") return OptionInfo{"sygus-repair-const-timeout", {}, opts.quantifiers.sygusRepairConstTimeoutWasSetByUser, OptionInfo::NumberInfo<uint64_t>{uint64_t(), opts.quantifiers.sygusRepairConstTimeout, {}, {}}};
2675
310921
  if (name == "sygus-rr") return OptionInfo{"sygus-rr", {}, opts.quantifiers.sygusRewWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusRew}};
2676
310921
  if (name == "sygus-rr-synth") return OptionInfo{"sygus-rr-synth", {}, opts.quantifiers.sygusRewSynthWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusRewSynth}};
2677
310921
  if (name == "sygus-rr-synth-accel") return OptionInfo{"sygus-rr-synth-accel", {}, opts.quantifiers.sygusRewSynthAccelWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusRewSynthAccel}};
2678
310921
  if (name == "sygus-rr-synth-check") return OptionInfo{"sygus-rr-synth-check", {}, opts.quantifiers.sygusRewSynthCheckWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusRewSynthCheck}};
2679
310921
  if (name == "sygus-rr-synth-filter-cong") return OptionInfo{"sygus-rr-synth-filter-cong", {}, opts.quantifiers.sygusRewSynthFilterCongWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.sygusRewSynthFilterCong}};
2680
310921
  if (name == "sygus-rr-synth-filter-match") return OptionInfo{"sygus-rr-synth-filter-match", {}, opts.quantifiers.sygusRewSynthFilterMatchWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.sygusRewSynthFilterMatch}};
2681
310921
  if (name == "sygus-rr-synth-filter-nl") return OptionInfo{"sygus-rr-synth-filter-nl", {}, opts.quantifiers.sygusRewSynthFilterNonLinearWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusRewSynthFilterNonLinear}};
2682
310921
  if (name == "sygus-rr-synth-filter-order") return OptionInfo{"sygus-rr-synth-filter-order", {}, opts.quantifiers.sygusRewSynthFilterOrderWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.sygusRewSynthFilterOrder}};
2683
310921
  if (name == "sygus-rr-synth-input") return OptionInfo{"sygus-rr-synth-input", {}, opts.quantifiers.sygusRewSynthInputWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusRewSynthInput}};
2684
310921
  if (name == "sygus-rr-synth-input-nvars") return OptionInfo{"sygus-rr-synth-input-nvars", {}, opts.quantifiers.sygusRewSynthInputNVarsWasSetByUser, OptionInfo::NumberInfo<int64_t>{3, opts.quantifiers.sygusRewSynthInputNVars, {}, {}}};
2685
310921
  if (name == "sygus-rr-synth-input-use-bool") return OptionInfo{"sygus-rr-synth-input-use-bool", {}, opts.quantifiers.sygusRewSynthInputUseBoolWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusRewSynthInputUseBool}};
2686
310921
  if (name == "sygus-rr-synth-rec") return OptionInfo{"sygus-rr-synth-rec", {}, opts.quantifiers.sygusRewSynthRecWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusRewSynthRec}};
2687
310921
  if (name == "sygus-rr-verify") return OptionInfo{"sygus-rr-verify", {}, opts.quantifiers.sygusRewVerifyWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusRewVerify}};
2688
310921
  if (name == "sygus-rr-verify-abort") return OptionInfo{"sygus-rr-verify-abort", {}, opts.quantifiers.sygusRewVerifyAbortWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.sygusRewVerifyAbort}};
2689
310921
  if (name == "sygus-sample-fp-uniform") return OptionInfo{"sygus-sample-fp-uniform", {}, opts.quantifiers.sygusSampleFpUniformWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusSampleFpUniform}};
2690
310921
  if (name == "sygus-sample-grammar") return OptionInfo{"sygus-sample-grammar", {}, opts.quantifiers.sygusSampleGrammarWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.sygusSampleGrammar}};
2691
310921
  if (name == "sygus-samples") return OptionInfo{"sygus-samples", {}, opts.quantifiers.sygusSamplesWasSetByUser, OptionInfo::NumberInfo<int64_t>{1000, opts.quantifiers.sygusSamples, {}, {}}};
2692
310921
  if (name == "sygus-si") return OptionInfo{"sygus-si", {}, opts.quantifiers.cegqiSingleInvModeWasSetByUser, OptionInfo::ModeInfo{"NONE", opts.quantifiers.cegqiSingleInvMode, { "ALL", "NONE", "USE" }}};
2693
310921
  if (name == "sygus-si-abort") return OptionInfo{"sygus-si-abort", {}, opts.quantifiers.cegqiSingleInvAbortWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.cegqiSingleInvAbort}};
2694
310921
  if (name == "sygus-si-rcons") return OptionInfo{"sygus-si-rcons", {}, opts.quantifiers.cegqiSingleInvReconstructWasSetByUser, OptionInfo::ModeInfo{"ALL_LIMIT", opts.quantifiers.cegqiSingleInvReconstruct, { "ALL", "ALL_LIMIT", "NONE", "TRY" }}};
2695
310921
  if (name == "sygus-si-rcons-limit") return OptionInfo{"sygus-si-rcons-limit", {}, opts.quantifiers.cegqiSingleInvReconstructLimitWasSetByUser, OptionInfo::NumberInfo<int64_t>{10000, opts.quantifiers.cegqiSingleInvReconstructLimit, {}, {}}};
2696
310921
  if (name == "sygus-stream") return OptionInfo{"sygus-stream", {}, opts.quantifiers.sygusStreamWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusStream}};
2697
310921
  if (name == "sygus-sym-break") return OptionInfo{"sygus-sym-break", {}, opts.datatypes.sygusSymBreakWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.datatypes.sygusSymBreak}};
2698
310921
  if (name == "sygus-sym-break-agg") return OptionInfo{"sygus-sym-break-agg", {}, opts.datatypes.sygusSymBreakAggWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.datatypes.sygusSymBreakAgg}};
2699
310921
  if (name == "sygus-sym-break-dynamic") return OptionInfo{"sygus-sym-break-dynamic", {}, opts.datatypes.sygusSymBreakDynamicWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.datatypes.sygusSymBreakDynamic}};
2700
310921
  if (name == "sygus-sym-break-lazy") return OptionInfo{"sygus-sym-break-lazy", {}, opts.datatypes.sygusSymBreakLazyWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.datatypes.sygusSymBreakLazy}};
2701
310921
  if (name == "sygus-sym-break-pbe") return OptionInfo{"sygus-sym-break-pbe", {}, opts.datatypes.sygusSymBreakPbeWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.datatypes.sygusSymBreakPbe}};
2702
310921
  if (name == "sygus-sym-break-rlv") return OptionInfo{"sygus-sym-break-rlv", {}, opts.datatypes.sygusSymBreakRlvWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.datatypes.sygusSymBreakRlv}};
2703
310921
  if (name == "sygus-templ-embed-grammar") return OptionInfo{"sygus-templ-embed-grammar", {}, opts.quantifiers.sygusTemplEmbedGrammarWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusTemplEmbedGrammar}};
2704
310921
  if (name == "sygus-unif-cond-independent-no-repeat-sol") return OptionInfo{"sygus-unif-cond-independent-no-repeat-sol", {}, opts.quantifiers.sygusUnifCondIndNoRepeatSolWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.sygusUnifCondIndNoRepeatSol}};
2705
310921
  if (name == "sygus-unif-pi") return OptionInfo{"sygus-unif-pi", {}, opts.quantifiers.sygusUnifPiWasSetByUser, OptionInfo::ModeInfo{"NONE", opts.quantifiers.sygusUnifPi, { "CENUM", "CENUM_IGAIN", "COMPLETE", "NONE" }}};
2706
310921
  if (name == "sygus-unif-shuffle-cond") return OptionInfo{"sygus-unif-shuffle-cond", {}, opts.quantifiers.sygusUnifShuffleCondWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.quantifiers.sygusUnifShuffleCond}};
2707
310921
  if (name == "sygus-verify-inst-max-rounds") return OptionInfo{"sygus-verify-inst-max-rounds", {}, opts.quantifiers.sygusVerifyInstMaxRoundsWasSetByUser, OptionInfo::NumberInfo<int64_t>{3, opts.quantifiers.sygusVerifyInstMaxRounds, {}, {}}};
2708
310921
  if (name == "uf-symmetry-breaker" || name == "symmetry-breaker") return OptionInfo{"symmetry-breaker", {"uf-symmetry-breaker"}, opts.uf.ufSymmetryBreakerWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.uf.ufSymmetryBreaker}};
2709
310921
  if (name == "tc-mode") return OptionInfo{"tc-mode", {}, opts.theory.tcModeWasSetByUser, OptionInfo::ModeInfo{"CARE_GRAPH", opts.theory.tcMode, { "CARE_GRAPH" }}};
2710
310921
  if (name == "term-db-cd") return OptionInfo{"term-db-cd", {}, opts.quantifiers.termDbCdWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.termDbCd}};
2711
310921
  if (name == "term-db-mode") return OptionInfo{"term-db-mode", {}, opts.quantifiers.termDbModeWasSetByUser, OptionInfo::ModeInfo{"ALL", opts.quantifiers.termDbMode, { "ALL", "RELEVANT" }}};
2712
310921
  if (name == "theoryof-mode") return OptionInfo{"theoryof-mode", {}, opts.theory.theoryOfModeWasSetByUser, OptionInfo::ModeInfo{"THEORY_OF_TYPE_BASED", opts.theory.theoryOfMode, { "THEORY_OF_TERM_BASED", "THEORY_OF_TYPE_BASED" }}};
2713
310921
  if (name == "tlimit") return OptionInfo{"tlimit", {}, opts.base.cumulativeMillisecondLimitWasSetByUser, OptionInfo::NumberInfo<uint64_t>{uint64_t(), opts.base.cumulativeMillisecondLimit, {}, {}}};
2714
304750
  if (name == "tlimit-per") return OptionInfo{"tlimit-per", {}, opts.base.perCallMillisecondLimitWasSetByUser, OptionInfo::NumberInfo<uint64_t>{uint64_t(), opts.base.perCallMillisecondLimit, {}, {}}};
2715
304750
  if (name == "trace") return OptionInfo{"trace", {}, false, OptionInfo::VoidInfo{}};
2716
304750
  if (name == "trigger-active-sel") return OptionInfo{"trigger-active-sel", {}, opts.quantifiers.triggerActiveSelModeWasSetByUser, OptionInfo::ModeInfo{"ALL", opts.quantifiers.triggerActiveSelMode, { "ALL", "MAX", "MIN" }}};
2717
304750
  if (name == "trigger-sel") return OptionInfo{"trigger-sel", {}, opts.quantifiers.triggerSelModeWasSetByUser, OptionInfo::ModeInfo{"MIN", opts.quantifiers.triggerSelMode, { "ALL", "MAX", "MIN", "MIN_SINGLE_ALL", "MIN_SINGLE_MAX" }}};
2718
304750
  if (name == "type-checking") return OptionInfo{"type-checking", {}, opts.expr.typeCheckingWasSetByUser, OptionInfo::ValueInfo<bool>{DO_SEMANTIC_CHECKS_BY_DEFAULT, opts.expr.typeChecking}};
2719
304750
  if (name == "uf-ho") return OptionInfo{"uf-ho", {}, opts.uf.ufHoWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.uf.ufHo}};
2720
304750
  if (name == "uf-ho-ext") return OptionInfo{"uf-ho-ext", {}, opts.uf.ufHoExtWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.uf.ufHoExt}};
2721
304750
  if (name == "uf-ss") return OptionInfo{"uf-ss", {}, opts.uf.ufssModeWasSetByUser, OptionInfo::ModeInfo{"FULL", opts.uf.ufssMode, { "FULL", "NONE", "NO_MINIMAL" }}};
2722
304750
  if (name == "uf-ss-abort-card") return OptionInfo{"uf-ss-abort-card", {}, opts.uf.ufssAbortCardinalityWasSetByUser, OptionInfo::NumberInfo<int64_t>{-1, opts.uf.ufssAbortCardinality, {}, {}}};
2723
304750
  if (name == "uf-ss-fair") return OptionInfo{"uf-ss-fair", {}, opts.uf.ufssFairnessWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.uf.ufssFairness}};
2724
304750
  if (name == "uf-ss-fair-monotone") return OptionInfo{"uf-ss-fair-monotone", {}, opts.uf.ufssFairnessMonotoneWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.uf.ufssFairnessMonotone}};
2725
304750
  if (name == "unate-lemmas") return OptionInfo{"unate-lemmas", {}, opts.arith.arithUnateLemmaModeWasSetByUser, OptionInfo::ModeInfo{"ALL", opts.arith.arithUnateLemmaMode, { "ALL", "EQUALITY", "INEQUALITY", "NO" }}};
2726
304750
  if (name == "unconstrained-simp") return OptionInfo{"unconstrained-simp", {}, opts.smt.unconstrainedSimpWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.smt.unconstrainedSimp}};
2727
304750
  if (name == "unsat-cores-mode") return OptionInfo{"unsat-cores-mode", {}, opts.smt.unsatCoresModeWasSetByUser, OptionInfo::ModeInfo{"OFF", opts.smt.unsatCoresMode, { "ASSUMPTIONS", "FULL_PROOF", "OFF", "PP_ONLY", "SAT_PROOF" }}};
2728
304750
  if (name == "use-approx") return OptionInfo{"use-approx", {}, opts.arith.useApproxWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.useApprox}};
2729
304750
  if (name == "use-fcsimplex") return OptionInfo{"use-fcsimplex", {}, opts.arith.useFCWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.useFC}};
2730
304750
  if (name == "use-soi") return OptionInfo{"use-soi", {}, opts.arith.useSOIWasSetByUser, OptionInfo::ValueInfo<bool>{false, opts.arith.useSOI}};
2731
304750
  if (name == "user-pat") return OptionInfo{"user-pat", {}, opts.quantifiers.userPatternsQuantWasSetByUser, OptionInfo::ModeInfo{"TRUST", opts.quantifiers.userPatternsQuant, { "IGNORE", "INTERLEAVE", "RESORT", "STRICT", "TRUST", "USE" }}};
2732
304750
  if (name == "var-elim-quant") return OptionInfo{"var-elim-quant", {}, opts.quantifiers.varElimQuantWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.varElimQuant}};
2733
304750
  if (name == "var-ineq-elim-quant") return OptionInfo{"var-ineq-elim-quant", {}, opts.quantifiers.varIneqElimQuantWasSetByUser, OptionInfo::ValueInfo<bool>{true, opts.quantifiers.varIneqElimQuant}};
2734
304750
  if (name == "verbose") return OptionInfo{"verbose", {}, false, OptionInfo::VoidInfo{}};
2735
304748
  if (name == "verbosity") return OptionInfo{"verbosity", {}, opts.base.verbosityWasSetByUser, OptionInfo::NumberInfo<int64_t>{0, opts.base.verbosity, {}, {}}};
2736
6173
  if (name == "version") return OptionInfo{"version", {}, opts.driver.versionWasSetByUser, OptionInfo::ValueInfo<bool>{bool(), opts.driver.version}};
2737
  // clang-format on
2738
2
  return OptionInfo{"", {}, false, OptionInfo::VoidInfo{}};
2739
}
2740
2741
#undef DO_SEMANTIC_CHECKS_BY_DEFAULT
2742
2743
29577
}  // namespace cvc5::options