Google OR-Tools v9.12
a fast and portable software suite for combinatorial optimization
Loading...
Searching...
No Matches
pb_constraint.h
Go to the documentation of this file.
1// Copyright 2010-2025 Google LLC
2// Licensed under the Apache License, Version 2.0 (the "License");
3// you may not use this file except in compliance with the License.
4// You may obtain a copy of the License at
5//
6// http://www.apache.org/licenses/LICENSE-2.0
7//
8// Unless required by applicable law or agreed to in writing, software
9// distributed under the License is distributed on an "AS IS" BASIS,
10// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
11// See the License for the specific language governing permissions and
12// limitations under the License.
13
14#ifndef OR_TOOLS_SAT_PB_CONSTRAINT_H_
15#define OR_TOOLS_SAT_PB_CONSTRAINT_H_
16
17#include <algorithm>
18#include <cstdint>
19#include <limits>
20#include <memory>
21#include <ostream>
22#include <string>
23#include <vector>
24
25#include "absl/container/flat_hash_map.h"
26#include "absl/log/check.h"
27#include "absl/strings/string_view.h"
28#include "absl/types/span.h"
31#include "ortools/sat/model.h"
33#include "ortools/sat/sat_parameters.pb.h"
34#include "ortools/util/bitset.h"
35#include "ortools/util/stats.h"
37
38namespace operations_research {
39namespace sat {
40
41// The type of the integer coefficients in a pseudo-Boolean constraint.
42// This is also used for the current value of a constraint or its bounds.
44
45// IMPORTANT: We can't use numeric_limits<Coefficient>::max() which will compile
46// but just returns zero!!
47const Coefficient kCoefficientMax(
48 std::numeric_limits<Coefficient::ValueType>::max());
49
50// Represents a term in a pseudo-Boolean formula.
52 LiteralWithCoeff() = default;
53 LiteralWithCoeff(Literal l, Coefficient c) : literal(l), coefficient(c) {}
54 LiteralWithCoeff(Literal l, int64_t c) : literal(l), coefficient(c) {}
56 Coefficient coefficient;
57 bool operator==(const LiteralWithCoeff& other) const {
58 return literal.Index() == other.literal.Index() &&
59 coefficient == other.coefficient;
60 }
61};
62
63template <typename H>
64H AbslHashValue(H h, const LiteralWithCoeff& term) {
65 return H::combine(std::move(h), term.literal.Index(),
66 term.coefficient.value());
67}
68
69inline std::ostream& operator<<(std::ostream& os, LiteralWithCoeff term) {
70 os << term.coefficient << "[" << term.literal.DebugString() << "]";
71 return os;
72}
73
74// Puts the given Boolean linear expression in canonical form:
75// - Merge all the literal corresponding to the same variable.
76// - Remove zero coefficients.
77// - Make all the coefficients positive.
78// - Sort the terms by increasing coefficient values.
79//
80// This function also computes:
81// - max_value: the maximum possible value of the formula.
82// - bound_shift: which allows to updates initial bounds. That is, if an
83// initial pseudo-Boolean constraint was
84// lhs < initial_pb_formula < rhs
85// then the new one is:
86// lhs + bound_shift < canonical_form < rhs + bound_shift
87//
88// Finally, this will return false, if some integer overflow or underflow
89// occurred during the reduction to the canonical form.
91 std::vector<LiteralWithCoeff>* cst, Coefficient* bound_shift,
92 Coefficient* max_value);
93
94// Maps all the literals of the given constraint using the given mapping. The
95// mapping may map a literal index to kTrueLiteralIndex or kFalseLiteralIndex in
96// which case the literal will be considered fixed to the appropriate value.
97//
98// Note that this function also canonicalizes the constraint and updates
99// bound_shift and max_value like ComputeBooleanLinearExpressionCanonicalForm()
100// does.
101//
102// Finally, this will return false if some integer overflow or underflow
103// occurred during the constraint simplification.
106 std::vector<LiteralWithCoeff>* cst, Coefficient* bound_shift,
107 Coefficient* max_value);
108
109// From a constraint 'expr <= ub' and the result (bound_shift, max_value) of
110// calling ComputeBooleanLinearExpressionCanonicalForm() on 'expr', this returns
111// a new rhs such that 'canonical expression <= rhs' is an equivalent
112// constraint. This function deals with all the possible overflow corner cases.
113//
114// The result will be in [-1, max_value] where -1 means unsatisfiable and
115// max_value means trivialy satisfiable.
116Coefficient ComputeCanonicalRhs(Coefficient upper_bound,
117 Coefficient bound_shift, Coefficient max_value);
118
119// Same as ComputeCanonicalRhs(), but uses the initial constraint lower bound
120// instead. From a constraint 'lb <= expression', this returns a rhs such that
121// 'canonical expression with literals negated <= rhs'.
122//
123// Note that the range is also [-1, max_value] with the same meaning.
124Coefficient ComputeNegatedCanonicalRhs(Coefficient lower_bound,
125 Coefficient bound_shift,
126 Coefficient max_value);
127
128// Returns true iff the Boolean linear expression is in canonical form.
129bool BooleanLinearExpressionIsCanonical(absl::Span<const LiteralWithCoeff> cst);
130
131// Given a Boolean linear constraint in canonical form, simplify its
132// coefficients using simple heuristics.
134 std::vector<LiteralWithCoeff>* cst, Coefficient* rhs);
135
136// Holds a set of boolean linear constraints in canonical form:
137// - The constraint is a linear sum of LiteralWithCoeff <= rhs.
138// - The linear sum satisfies the properties described in
139// ComputeBooleanLinearExpressionCanonicalForm().
140//
141// TODO(user): Simplify further the constraints.
142//
143// TODO(user): Remove the duplication between this and what the sat solver
144// is doing in AddLinearConstraint() which is basically the same.
145//
146// TODO(user): Remove duplicate constraints? some problems have them, and
147// this is not ideal for the symmetry computation since it leads to a lot of
148// symmetries of the associated graph that are not useful.
150 public:
152
153 // This type is neither copyable nor movable.
156 const CanonicalBooleanLinearProblem&) = delete;
157
158 // Adds a new constraint to the problem. The bounds are inclusive.
159 // Returns false in case of a possible overflow or if the constraint is
160 // never satisfiable.
161 //
162 // TODO(user): Use a return status to distinguish errors if needed.
163 bool AddLinearConstraint(bool use_lower_bound, Coefficient lower_bound,
164 bool use_upper_bound, Coefficient upper_bound,
165 std::vector<LiteralWithCoeff>* cst);
166
167 // Getters. All the constraints are guaranteed to be in canonical form.
168 int NumConstraints() const { return constraints_.size(); }
169 Coefficient Rhs(int i) const { return rhs_[i]; }
170 const std::vector<LiteralWithCoeff>& Constraint(int i) const {
171 return constraints_[i];
172 }
173
174 private:
175 bool AddConstraint(absl::Span<const LiteralWithCoeff> cst,
176 Coefficient max_value, Coefficient rhs);
177
178 std::vector<Coefficient> rhs_;
179 std::vector<std::vector<LiteralWithCoeff>> constraints_;
180};
181
182// Encode a constraint sum term <= rhs, where each term is a positive
183// Coefficient times a literal. This class allows efficient modification of the
184// constraint and is used during pseudo-Boolean resolution.
186 public:
187 // This must be called before any other functions is used with an higher
188 // variable index.
189 void ClearAndResize(int num_variables);
190
191 // Reset the constraint to 0 <= 0.
192 // Note that the constraint size stays the same.
193 void ClearAll();
194
195 // Returns the coefficient (>= 0) of the given variable.
196 Coefficient GetCoefficient(BooleanVariable var) const {
197 return AbsCoefficient(terms_[var]);
198 }
199
200 // Returns the literal under which the given variable appear in the
201 // constraint. Note that if GetCoefficient(var) == 0 this just returns
202 // Literal(var, true).
203 Literal GetLiteral(BooleanVariable var) const {
204 return Literal(var, terms_[var] > 0);
205 }
206
207 // If we have a lower bounded constraint sum terms >= rhs, then it is trivial
208 // to see that the coefficient of any term can be reduced to rhs if it is
209 // bigger. This does exactly this operation, but on the upper bounded
210 // representation.
211 //
212 // If we take a constraint sum ci.xi <= rhs, take its negation and add max_sum
213 // on both side, we have sum ci.(1 - xi) >= max_sum - rhs
214 // So every ci > (max_sum - rhs) can be replacend by (max_sum - rhs).
215 // Not that this operation also change the original rhs of the constraint.
216 void ReduceCoefficients();
217
218 // Same as ReduceCoefficients() but only consider the coefficient of the given
219 // variable.
220 void ReduceGivenCoefficient(BooleanVariable var) {
221 const Coefficient bound = max_sum_ - rhs_;
222 const Coefficient diff = GetCoefficient(var) - bound;
223 if (diff > 0) {
224 rhs_ -= diff;
225 max_sum_ -= diff;
226 terms_[var] = (terms_[var] > 0) ? bound : -bound;
227 }
228 }
229
230 // Compute the constraint slack assuming that only the variables with index <
231 // trail_index are assigned.
232 Coefficient ComputeSlackForTrailPrefix(const Trail& trail,
233 int trail_index) const;
234
235 // Same as ReduceCoefficients() followed by ComputeSlackForTrailPrefix(). It
236 // allows to loop only once over all the terms of the constraint instead of
237 // doing it twice. This helps since doing that can be the main bottleneck.
238 //
239 // Note that this function assumes that the returned slack will be negative.
240 // This allow to DCHECK some assumptions on what coefficients can be reduced
241 // or not.
242 //
243 // TODO(user): Ideally the slack should be maitainable incrementally.
245 const Trail& trail, int trail_index);
246
247 // Relaxes the constraint so that:
248 // - ComputeSlackForTrailPrefix(trail, trail_index) == target;
249 // - All the variables that were propagated given the assignment < trail_index
250 // are still propagated.
251 //
252 // As a precondition, ComputeSlackForTrailPrefix(trail, trail_index) >= target
253 // Note that nothing happen if the slack is already equals to target.
254 //
255 // Algorithm: Let diff = slack - target (>= 0). We will split the constraint
256 // linear expression in 3 parts:
257 // - P1: the true variables (only the one assigned < trail_index).
258 // - P2: the other variables with a coeff > diff.
259 // Note that all these variables were the propagated ones.
260 // - P3: the other variables with a coeff <= diff.
261 // We can then transform P1 + P2 + P3 <= rhs_ into P1 + P2' <= rhs_ - diff
262 // Where P2' is the same sum as P2 with all the coefficient reduced by diff.
263 //
264 // Proof: Given the old constraint, we want to show that the relaxed one is
265 // always true. If all the variable in P2' are false, then
266 // P1 <= rhs_ - slack <= rhs_ - diff is always true. If at least one of the
267 // P2' variable is true, then P2 >= P2' + diff and we have
268 // P1 + P2' + diff <= P1 + P2 <= rhs_.
269 void ReduceSlackTo(const Trail& trail, int trail_index,
270 Coefficient initial_slack, Coefficient target);
271
272 // Copies this constraint into a vector<LiteralWithCoeff> representation.
273 void CopyIntoVector(std::vector<LiteralWithCoeff>* output);
274
275 // Adds a non-negative value to this constraint Rhs().
276 void AddToRhs(Coefficient value) {
277 CHECK_GE(value, 0);
278 rhs_ += value;
279 }
280 Coefficient Rhs() const { return rhs_; }
281 Coefficient MaxSum() const { return max_sum_; }
282
283 // Adds a term to this constraint. This is in the .h for efficiency.
284 // The encoding used internally is described below in the terms_ comment.
285 void AddTerm(Literal literal, Coefficient coeff) {
286 CHECK_GT(coeff, 0);
287 const BooleanVariable var = literal.Variable();
288 const Coefficient term_encoding = literal.IsPositive() ? coeff : -coeff;
289 if (literal != GetLiteral(var)) {
290 // The two terms are of opposite sign, a "cancelation" happens.
291 // We need to change the encoding of the lower magnitude term.
292 // - If term > 0, term . x -> term . (x - 1) + term
293 // - If term < 0, term . (x - 1) -> term . x - term
294 // In both cases, rhs -= abs(term).
295 rhs_ -= std::min(coeff, AbsCoefficient(terms_[var]));
296 max_sum_ += AbsCoefficient(term_encoding + terms_[var]) -
297 AbsCoefficient(terms_[var]);
298 } else {
299 // Both terms are of the same sign (or terms_[var] is zero).
300 max_sum_ += coeff;
301 }
302 CHECK_GE(max_sum_, 0) << "Overflow";
303 terms_[var] += term_encoding;
304 non_zeros_.Set(var);
305 }
306
307 // Returns the "cancelation" amount of AddTerm(literal, coeff).
308 Coefficient CancelationAmount(Literal literal, Coefficient coeff) const {
309 DCHECK_GT(coeff, 0);
310 const BooleanVariable var = literal.Variable();
311 if (literal == GetLiteral(var)) return Coefficient(0);
312 return std::min(coeff, AbsCoefficient(terms_[var]));
313 }
314
315 // Returns a set of positions that contains all the non-zeros terms of the
316 // constraint. Note that this set can also contains some zero terms.
317 const std::vector<BooleanVariable>& PossibleNonZeros() const {
318 return non_zeros_.PositionsSetAtLeastOnce();
319 }
320
321 // Returns a string representation of the constraint.
322 std::string DebugString();
323
324 private:
325 Coefficient AbsCoefficient(Coefficient a) const { return a > 0 ? a : -a; }
326
327 // Only used for DCHECK_EQ(max_sum_, ComputeMaxSum());
328 Coefficient ComputeMaxSum() const;
329
330 // The encoding is special:
331 // - If terms_[x] > 0, then the associated term is 'terms_[x] . x'
332 // - If terms_[x] < 0, then the associated term is 'terms_[x] . (x - 1)'
334
335 // The right hand side of the constraint (sum terms <= rhs_).
336 Coefficient rhs_;
337
338 // The constraint maximum sum (i.e. sum of the absolute term coefficients).
339 // Note that checking the integer overflow on this sum is enough.
340 Coefficient max_sum_;
341
342 // Contains the possibly non-zeros terms_ value.
344};
345
346// A simple "helper" class to enqueue a propagated literal on the trail and
347// keep the information needed to explain it when requested.
348class UpperBoundedLinearConstraint;
349
351 void Enqueue(Literal l, int source_trail_index,
353 reasons[trail->Index()] = {source_trail_index, ct};
354 trail->Enqueue(l, propagator_id);
355 }
356
357 // The propagator id of PbConstraints.
359
360 // A temporary vector to store the last conflict.
361 std::vector<Literal> conflict;
362
363 // Information needed to recover the reason of an Enqueue().
364 // Indexed by trail_index.
369 std::vector<ReasonInfo> reasons;
370};
371
372// This class contains half the propagation logic for a constraint of the form
373//
374// sum ci * li <= rhs, ci positive coefficients, li literals.
375//
376// The other half is implemented by the PbConstraints class below which takes
377// care of updating the 'threshold' value of this constraint:
378// - 'slack' is rhs minus all the ci of the variables xi assigned to
379// true. Note that it is not updated as soon as xi is assigned, but only
380// later when this assignment is "processed" by the PbConstraints class.
381// - 'threshold' is the distance from 'slack' to the largest coefficient ci
382// smaller or equal to slack. By definition, all the literals with
383// even larger coefficients that are yet 'processed' must be false for the
384// constraint to be satisfiable.
386 public:
387 // Takes a pseudo-Boolean formula in canonical form.
389 const std::vector<LiteralWithCoeff>& cst);
390
391 // Returns true if the given terms are the same as the one in this constraint.
392 bool HasIdenticalTerms(absl::Span<const LiteralWithCoeff> cst);
393 Coefficient Rhs() const { return rhs_; }
394
395 // Sets the rhs of this constraint. Compute the initial threshold value using
396 // only the literal with a trail index smaller than the given one. Enqueues on
397 // the trail any propagated literals.
398 //
399 // Returns false if the preconditions described in
400 // PbConstraints::AddConstraint() are not meet.
401 bool InitializeRhs(Coefficient rhs, int trail_index, Coefficient* threshold,
402 Trail* trail, PbConstraintsEnqueueHelper* helper);
403
404 // Tests for propagation and enqueues propagated literals on the trail.
405 // Returns false if a conflict was detected, in which case conflict is filled.
406 //
407 // Preconditions:
408 // - For each "processed" literal, the given threshold value must have been
409 // decreased by its associated coefficient in the constraint. It must now
410 // be stricly negative.
411 // - The given trail_index is the index of a true literal in the trail which
412 // just caused threshold to become stricly negative. All literals with
413 // smaller index must have been "processed". All assigned literals with
414 // greater trail index are not yet "processed".
415 //
416 // The threshold is updated to its new value.
417 bool Propagate(int trail_index, Coefficient* threshold, Trail* trail,
419
420 // Updates the given threshold and the internal state. This is the opposite of
421 // Propagate(). Each time a literal in unassigned, the threshold value must
422 // have been increased by its coefficient. This update the threshold to its
423 // new value.
424 void Untrail(Coefficient* threshold, int trail_index);
425
426 // Provided that the literal with given source_trail_index was the one that
427 // propagated the conflict or the literal we wants to explain, then this will
428 // compute the reason.
429 //
430 // Some properties of the reason:
431 // - Literals of level 0 are removed.
432 // - It will always contain the literal with given source_trail_index (except
433 // if it is of level 0).
434 // - We make the reason more compact by greedily removing terms with small
435 // coefficients that would not have changed the propagation.
436 //
437 // TODO(user): Maybe it is possible to derive a better reason by using more
438 // information. For instance one could use the mask of literals that are
439 // better to use during conflict minimization (namely the one already in the
440 // 1-UIP conflict).
441 void FillReason(const Trail& trail, int source_trail_index,
442 BooleanVariable propagated_variable,
443 std::vector<Literal>* reason);
444
445 // Same operation as SatSolver::ResolvePBConflict(), the only difference is
446 // that here the reason for var is *this.
447 void ResolvePBConflict(const Trail& trail, BooleanVariable var,
449 Coefficient* conflict_slack);
450
451 // Adds this pb constraint into the given mutable one.
452 //
453 // TODO(user): Provides instead an easy to use iterator over an
454 // UpperBoundedLinearConstraint and move this function to
455 // MutableUpperBoundedLinearConstraint.
457
458 // Compute the sum of the "cancelation" in AddTerm() if *this is added to
459 // the given conflict. The sum doesn't take into account literal assigned with
460 // a trail index smaller than the given one.
461 //
462 // Note(user): Currently, this is only used in DCHECKs.
463 Coefficient ComputeCancelation(
464 const Trail& trail, int trail_index,
466
467 // API to mark a constraint for deletion before actually deleting it.
468 void MarkForDeletion() { is_marked_for_deletion_ = true; }
469 bool is_marked_for_deletion() const { return is_marked_for_deletion_; }
470
471 // Only learned constraints are considered for deletion during the constraint
472 // cleanup phase. We also can't delete variables used as a reason.
473 void set_is_learned(bool is_learned) { is_learned_ = is_learned; }
474 bool is_learned() const { return is_learned_; }
475 bool is_used_as_a_reason() const { return first_reason_trail_index_ != -1; }
476
477 // Activity of the constraint. Only low activity constraint will be deleted
478 // during the constraint cleanup phase.
479 void set_activity(double activity) { activity_ = activity; }
480 double activity() const { return activity_; }
481
482 // Returns a fingerprint of the constraint linear expression (without rhs).
483 // This is used for duplicate detection.
484 uint64_t hash() const { return hash_; }
485
486 // This is used to get statistics of the number of literals inspected by
487 // a Propagate() call.
488 int already_propagated_end() const { return already_propagated_end_; }
489
490 private:
491 Coefficient GetSlackFromThreshold(Coefficient threshold) {
492 return (index_ < 0) ? threshold : coeffs_[index_] + threshold;
493 }
494 void Update(Coefficient slack, Coefficient* threshold) {
495 *threshold = (index_ < 0) ? slack : slack - coeffs_[index_];
496 already_propagated_end_ = starts_[index_ + 1];
497 }
498
499 // Constraint management fields.
500 // TODO(user): Rearrange and specify bit size to minimize memory usage.
501 bool is_marked_for_deletion_;
502 bool is_learned_;
503 int first_reason_trail_index_;
504 double activity_;
505
506 // Constraint propagation fields.
507 int index_;
508 int already_propagated_end_;
509
510 // In the internal representation, we merge the terms with the same
511 // coefficient.
512 // - literals_ contains all the literal of the constraint sorted by
513 // increasing coefficients.
514 // - coeffs_ contains unique increasing coefficients.
515 // - starts_[i] is the index in literals_ of the first literal with
516 // coefficient coeffs_[i].
517 std::vector<Coefficient> coeffs_;
518 std::vector<int> starts_;
519 std::vector<Literal> literals_;
520 Coefficient rhs_;
521
522 uint64_t hash_;
523};
524
525// Class responsible for managing a set of pseudo-Boolean constraints and their
526// propagation.
528 public:
529 explicit PbConstraints(Model* model)
530 : SatPropagator("PbConstraints"),
531 conflicting_constraint_index_(-1),
532 num_learned_constraint_before_cleanup_(0),
533 constraint_activity_increment_(1.0),
534 parameters_(model->GetOrCreate<SatParameters>()),
535 stats_("PbConstraints"),
536 num_constraint_lookups_(0),
537 num_inspected_constraint_literals_(0),
538 num_threshold_updates_(0) {
539 model->GetOrCreate<Trail>()->RegisterPropagator(this);
540 }
541
542 // This type is neither copyable nor movable.
543 PbConstraints(const PbConstraints&) = delete;
545 ~PbConstraints() override {
547 LOG(INFO) << stats_.StatString();
548 LOG(INFO) << "num_constraint_lookups_: " << num_constraint_lookups_;
549 LOG(INFO) << "num_threshold_updates_: " << num_threshold_updates_;
550 });
551 }
552
553 bool Propagate(Trail* trail) final;
554 void Untrail(const Trail& trail, int trail_index) final;
555 absl::Span<const Literal> Reason(const Trail& trail, int trail_index,
556 int64_t conflict_id) const final;
557
558 // Changes the number of variables.
559 void Resize(int num_variables) {
560 // Note that we avoid using up memory in the common case where there are no
561 // pb constraints at all. If there is 10 million variables, this vector
562 // alone will take 480 MB!
563 if (!constraints_.empty()) {
564 to_update_.resize(num_variables << 1);
565 enqueue_helper_.reasons.resize(num_variables);
566 }
567 }
568
569 // Adds a constraint in canonical form to the set of managed constraints. Note
570 // that this detects constraints with exactly the same terms. In this case,
571 // the constraint rhs is updated if the new one is lower or nothing is done
572 // otherwise.
573 //
574 // There are some preconditions, and the function will return false if they
575 // are not met. The constraint can be added when the trail is not empty,
576 // however given the current propagated assignment:
577 // - The constraint cannot be conflicting.
578 // - The constraint cannot have propagated at an earlier decision level.
579 bool AddConstraint(const std::vector<LiteralWithCoeff>& cst, Coefficient rhs,
580 Trail* trail);
581
582 // Same as AddConstraint(), but also marks the added constraint as learned
583 // so that it can be deleted during the constraint cleanup phase.
584 bool AddLearnedConstraint(const std::vector<LiteralWithCoeff>& cst,
585 Coefficient rhs, Trail* trail);
586
587 // Returns the number of constraints managed by this class.
588 int NumberOfConstraints() const { return constraints_.size(); }
589 bool IsEmpty() const final { return constraints_.empty(); }
590
591 // ConflictingConstraint() returns the last PB constraint that caused a
592 // conflict. Calling ClearConflictingConstraint() reset this to nullptr.
593 //
594 // TODO(user): This is a hack to get the PB conflict, because the rest of
595 // the solver API assume only clause conflict. Find a cleaner way?
596 void ClearConflictingConstraint() { conflicting_constraint_index_ = -1; }
598 if (conflicting_constraint_index_ == -1) return nullptr;
599 return constraints_[conflicting_constraint_index_.value()].get();
600 }
601
602 // Returns the underlying UpperBoundedLinearConstraint responsible for
603 // assigning the literal at given trail index.
604 UpperBoundedLinearConstraint* ReasonPbConstraint(int trail_index) const;
605
606 // Activity update functions.
607 // TODO(user): Remove duplication with other activity update functions.
609 void RescaleActivities(double scaling_factor);
611
612 // Only used for testing.
613 void DeleteConstraint(int index) {
614 constraints_[index]->MarkForDeletion();
615 DeleteConstraintMarkedForDeletion();
616 }
617
618 // Some statistics.
619 int64_t num_constraint_lookups() const { return num_constraint_lookups_; }
621 return num_inspected_constraint_literals_;
622 }
623 int64_t num_threshold_updates() const { return num_threshold_updates_; }
624
625 private:
626 bool PropagateNext(Trail* trail);
627
628 // Same function as the clause related one is SatSolver().
629 // TODO(user): Remove duplication.
630 void ComputeNewLearnedConstraintLimit();
631 void DeleteSomeLearnedConstraintIfNeeded();
632
633 // Deletes all the UpperBoundedLinearConstraint for which
634 // is_marked_for_deletion() is true. This is relatively slow in O(number of
635 // terms in all constraints).
636 void DeleteConstraintMarkedForDeletion();
637
638 // Each constraint managed by this class is associated with an index.
639 // The set of indices is always [0, num_constraints_).
640 //
641 // Note(user): this complicate things during deletion, but the propagation is
642 // about two times faster with this implementation than one with direct
643 // pointer to an UpperBoundedLinearConstraint. The main reason for this is
644 // probably that the thresholds_ vector is a lot more efficient cache-wise.
645 DEFINE_STRONG_INDEX_TYPE(ConstraintIndex);
646 struct ConstraintIndexWithCoeff {
647 ConstraintIndexWithCoeff() = default; // Needed for vector.resize()
648 ConstraintIndexWithCoeff(bool n, ConstraintIndex i, Coefficient c)
649 : need_untrail_inspection(n), index(i), coefficient(c) {}
650 bool need_untrail_inspection;
651 ConstraintIndex index;
652 Coefficient coefficient;
653 };
654
655 // The set of all pseudo-boolean constraint managed by this class.
656 std::vector<std::unique_ptr<UpperBoundedLinearConstraint>> constraints_;
657
658 // The current value of the threshold for each constraints.
660
661 // For each literal, the list of all the constraints that contains it together
662 // with the literal coefficient in these constraints.
664 to_update_;
665
666 // Bitset used to optimize the Untrail() function.
667 SparseBitset<ConstraintIndex> to_untrail_;
668
669 // Pointers to the constraints grouped by their hash.
670 // This is used to find duplicate constraints by AddConstraint().
671 absl::flat_hash_map<int64_t, std::vector<UpperBoundedLinearConstraint*>>
672 possible_duplicates_;
673
674 // Helper to enqueue propagated literals on the trail and store their reasons.
675 PbConstraintsEnqueueHelper enqueue_helper_;
676
677 // Last conflicting PB constraint index. This is reset to -1 when
678 // ClearConflictingConstraint() is called.
679 ConstraintIndex conflicting_constraint_index_;
680
681 // Used for the constraint cleaning policy.
682 int target_number_of_learned_constraint_;
683 int num_learned_constraint_before_cleanup_;
684 double constraint_activity_increment_;
685
686 // Algorithm parameters.
687 SatParameters* parameters_;
688
689 // Some statistics.
690 mutable StatsGroup stats_;
691 int64_t num_constraint_lookups_;
692 int64_t num_inspected_constraint_literals_;
693 int64_t num_threshold_updates_;
694};
695
696// Boolean linear constraints can propagate a lot of literals at the same time.
697// As a result, all these literals will have exactly the same reason. It is
698// important to take advantage of that during the conflict
699// computation/minimization. On some problem, this can have a huge impact.
700//
701// TODO(user): With the new SAME_REASON_AS mechanism, this is more general so
702// move out of pb_constraint.
704 public:
706 : trail_(trail) {}
707
708 // This type is neither copyable nor movable.
710 delete;
712 const VariableWithSameReasonIdentifier&) = delete;
713
714 void Resize(int num_variables) {
715 first_variable_.resize(num_variables);
716 seen_.ClearAndResize(BooleanVariable(num_variables));
717 }
718
719 // Clears the cache. Call this before each conflict analysis.
720 void Clear() { seen_.ClearAll(); }
721
722 // Returns the first variable with exactly the same reason as 'var' on which
723 // this function was called since the last Clear(). Note that if no variable
724 // had the same reason, then var is returned.
725 BooleanVariable FirstVariableWithSameReason(BooleanVariable var) {
726 if (seen_[var]) return first_variable_[var];
727 const BooleanVariable reference_var =
728 trail_.ReferenceVarWithSameReason(var);
729 if (reference_var == var) return var;
730 if (seen_[reference_var]) return first_variable_[reference_var];
731 seen_.Set(reference_var);
732 first_variable_[reference_var] = var;
733 return var;
734 }
735
736 private:
737 const Trail& trail_;
740};
741
742} // namespace sat
743} // namespace operations_research
744
745#endif // OR_TOOLS_SAT_PB_CONSTRAINT_H_
int NumConstraints() const
Getters. All the constraints are guaranteed to be in canonical form.
CanonicalBooleanLinearProblem & operator=(const CanonicalBooleanLinearProblem &)=delete
const std::vector< LiteralWithCoeff > & Constraint(int i) const
CanonicalBooleanLinearProblem(const CanonicalBooleanLinearProblem &)=delete
This type is neither copyable nor movable.
bool AddLinearConstraint(bool use_lower_bound, Coefficient lower_bound, bool use_upper_bound, Coefficient upper_bound, std::vector< LiteralWithCoeff > *cst)
std::string DebugString() const
Definition sat_base.h:100
LiteralIndex Index() const
Definition sat_base.h:91
BooleanVariable Variable() const
Definition sat_base.h:87
std::string DebugString()
Returns a string representation of the constraint.
Coefficient ReduceCoefficientsAndComputeSlackForTrailPrefix(const Trail &trail, int trail_index)
Coefficient CancelationAmount(Literal literal, Coefficient coeff) const
Returns the "cancelation" amount of AddTerm(literal, coeff).
Coefficient GetCoefficient(BooleanVariable var) const
Returns the coefficient (>= 0) of the given variable.
Coefficient ComputeSlackForTrailPrefix(const Trail &trail, int trail_index) const
void AddToRhs(Coefficient value)
Adds a non-negative value to this constraint Rhs().
void CopyIntoVector(std::vector< LiteralWithCoeff > *output)
Copies this constraint into a vector<LiteralWithCoeff> representation.
const std::vector< BooleanVariable > & PossibleNonZeros() const
void ReduceSlackTo(const Trail &trail, int trail_index, Coefficient initial_slack, Coefficient target)
bool AddConstraint(const std::vector< LiteralWithCoeff > &cst, Coefficient rhs, Trail *trail)
PbConstraints & operator=(const PbConstraints &)=delete
int64_t num_constraint_lookups() const
Some statistics.
void Resize(int num_variables)
Changes the number of variables.
PbConstraints(const PbConstraints &)=delete
This type is neither copyable nor movable.
int NumberOfConstraints() const
Returns the number of constraints managed by this class.
UpperBoundedLinearConstraint * ReasonPbConstraint(int trail_index) const
absl::Span< const Literal > Reason(const Trail &trail, int trail_index, int64_t conflict_id) const final
void BumpActivity(UpperBoundedLinearConstraint *constraint)
bool AddLearnedConstraint(const std::vector< LiteralWithCoeff > &cst, Coefficient rhs, Trail *trail)
void RescaleActivities(double scaling_factor)
void DeleteConstraint(int index)
Only used for testing.
UpperBoundedLinearConstraint * ConflictingConstraint()
void Untrail(const Trail &trail, int trail_index) final
SatPropagator(const std::string &name)
Definition sat_base.h:535
void Enqueue(Literal true_literal, int propagator_id)
Definition sat_base.h:317
void RegisterPropagator(SatPropagator *propagator)
Definition sat_base.h:651
void MarkForDeletion()
API to mark a constraint for deletion before actually deleting it.
void ResolvePBConflict(const Trail &trail, BooleanVariable var, MutableUpperBoundedLinearConstraint *conflict, Coefficient *conflict_slack)
UpperBoundedLinearConstraint(const std::vector< LiteralWithCoeff > &cst)
Takes a pseudo-Boolean formula in canonical form.
Coefficient ComputeCancelation(const Trail &trail, int trail_index, const MutableUpperBoundedLinearConstraint &conflict)
bool Propagate(int trail_index, Coefficient *threshold, Trail *trail, PbConstraintsEnqueueHelper *helper)
void AddToConflict(MutableUpperBoundedLinearConstraint *conflict)
void FillReason(const Trail &trail, int source_trail_index, BooleanVariable propagated_variable, std::vector< Literal > *reason)
void Untrail(Coefficient *threshold, int trail_index)
bool HasIdenticalTerms(absl::Span< const LiteralWithCoeff > cst)
Returns true if the given terms are the same as the one in this constraint.
bool InitializeRhs(Coefficient rhs, int trail_index, Coefficient *threshold, Trail *trail, PbConstraintsEnqueueHelper *helper)
BooleanVariable FirstVariableWithSameReason(BooleanVariable var)
VariableWithSameReasonIdentifier(const VariableWithSameReasonIdentifier &)=delete
This type is neither copyable nor movable.
VariableWithSameReasonIdentifier & operator=(const VariableWithSameReasonIdentifier &)=delete
void Clear()
Clears the cache. Call this before each conflict analysis.
void SimplifyCanonicalBooleanLinearConstraint(std::vector< LiteralWithCoeff > *cst, Coefficient *rhs)
bool ApplyLiteralMapping(const util_intops::StrongVector< LiteralIndex, LiteralIndex > &mapping, std::vector< LiteralWithCoeff > *cst, Coefficient *bound_shift, Coefficient *max_value)
Coefficient ComputeNegatedCanonicalRhs(Coefficient lower_bound, Coefficient bound_shift, Coefficient max_value)
std::ostream & operator<<(std::ostream &os, const BoolVar &var)
Definition cp_model.cc:89
bool BooleanLinearExpressionIsCanonical(absl::Span< const LiteralWithCoeff > cst)
Returns true iff the Boolean linear expression is in canonical form.
Coefficient ComputeCanonicalRhs(Coefficient upper_bound, Coefficient bound_shift, Coefficient max_value)
H AbslHashValue(H h, const IntVar &i)
– ABSL HASHING SUPPORT --------------------------------------------------—
Definition cp_model.h:515
const Coefficient kCoefficientMax(std::numeric_limits< Coefficient::ValueType >::max())
bool ComputeBooleanLinearExpressionCanonicalForm(std::vector< LiteralWithCoeff > *cst, Coefficient *bound_shift, Coefficient *max_value)
In SWIG mode, we don't want anything besides these top-level includes.
#define IF_STATS_ENABLED(instructions)
Definition stats.h:417
#define DEFINE_STRONG_INT64_TYPE(integer_type_name)
#define DEFINE_STRONG_INDEX_TYPE(index_type_name)
Represents a term in a pseudo-Boolean formula.
LiteralWithCoeff(Literal l, Coefficient c)
bool operator==(const LiteralWithCoeff &other) const
void Enqueue(Literal l, int source_trail_index, UpperBoundedLinearConstraint *ct, Trail *trail)
int propagator_id
The propagator id of PbConstraints.
std::vector< Literal > conflict
A temporary vector to store the last conflict.