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