Google OR-Tools v9.12
a fast and portable software suite for combinatorial optimization
Loading...
Searching...
No Matches
local_search.cc
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#include <algorithm>
15#include <cmath>
16#include <cstddef>
17#include <cstdint>
18#include <functional>
19#include <limits>
20#include <memory>
21#include <optional>
22#include <random>
23#include <string>
24#include <utility>
25#include <vector>
26
27#include "absl/algorithm/container.h"
28#include "absl/container/flat_hash_map.h"
29#include "absl/container/flat_hash_set.h"
30#include "absl/flags/flag.h"
31#include "absl/log/check.h"
32#include "absl/random/distributions.h"
33#include "absl/random/random.h"
34#include "absl/strings/str_cat.h"
35#include "absl/strings/str_format.h"
36#include "absl/strings/string_view.h"
37#include "absl/time/time.h"
38#include "absl/types/span.h"
44#include "ortools/base/timer.h"
45#include "ortools/base/types.h"
49#include "ortools/util/bitset.h"
51
52ABSL_FLAG(int, cp_local_search_sync_frequency, 16,
53 "Frequency of checks for better solutions in the solution pool.");
54
55ABSL_FLAG(int, cp_local_search_tsp_opt_size, 13,
56 "Size of TSPs solved in the TSPOpt operator.");
57
58ABSL_FLAG(int, cp_local_search_tsp_lns_size, 10,
59 "Size of TSPs solved in the TSPLns operator.");
60
61namespace operations_research {
62
63// Utility methods to ensure the communication between local search and the
64// search.
65
66// Returns true if a local optimum has been reached and cannot be improved.
67bool LocalOptimumReached(Search* search);
68
69// Returns true if the search accepts the delta (actually checking this by
70// calling AcceptDelta on the monitors of the search).
71bool AcceptDelta(Search* search, Assignment* delta, Assignment* deltadelta);
72
73// Notifies the search that a neighbor has been accepted by local search.
74void AcceptNeighbor(Search* search);
75void AcceptUncheckedNeighbor(Search* search);
76
77// ----- Base operator class for operators manipulating IntVars -----
78
80 Assignment* deltadelta) {
81 CHECK(delta != nullptr);
82 VLOG(2) << DebugString() << "::MakeNextNeighbor(delta=("
83 << delta->DebugString() << "), deltadelta=("
84 << (deltadelta ? deltadelta->DebugString() : std::string("nullptr"))
85 << "))";
86 while (true) {
87 RevertChanges(true);
88
89 if (!MakeOneNeighbor()) {
90 return false;
91 }
92
93 if (ApplyChanges(delta, deltadelta)) {
94 VLOG(2) << "Delta (" << DebugString() << ") = " << delta->DebugString();
95 return true;
96 }
97 }
98 return false;
99}
100// TODO(user): Make this a pure virtual.
102
103// ----- Base Large Neighborhood Search operator -----
104
105BaseLns::BaseLns(const std::vector<IntVar*>& vars)
107
109
111 fragment_.clear();
112 if (NextFragment()) {
113 for (int candidate : fragment_) {
114 Deactivate(candidate);
115 }
116 return true;
117 }
118 return false;
119}
120
121void BaseLns::OnStart() { InitFragments(); }
122
124
126 if (index >= 0 && index < Size()) {
127 fragment_.push_back(index);
128 }
129}
130
131int BaseLns::FragmentSize() const { return fragment_.size(); }
132
133// ----- Simple Large Neighborhood Search operator -----
134
135// Frees number_of_variables (contiguous in vars) variables.
136
137namespace {
138class SimpleLns : public BaseLns {
139 public:
140 SimpleLns(const std::vector<IntVar*>& vars, int number_of_variables)
141 : BaseLns(vars), index_(0), number_of_variables_(number_of_variables) {
142 CHECK_GT(number_of_variables_, 0);
143 }
144 ~SimpleLns() override {}
145 void InitFragments() override { index_ = 0; }
146 bool NextFragment() override;
147 std::string DebugString() const override { return "SimpleLns"; }
148
149 private:
150 int index_;
151 const int number_of_variables_;
152};
153
154bool SimpleLns::NextFragment() {
155 const int size = Size();
156 if (index_ < size) {
157 for (int i = index_; i < index_ + number_of_variables_; ++i) {
158 AppendToFragment(i % size);
159 }
160 ++index_;
161 return true;
162 }
163 return false;
164}
165
166// ----- Random Large Neighborhood Search operator -----
167
168// Frees up to number_of_variables random variables.
169
170class RandomLns : public BaseLns {
171 public:
172 RandomLns(const std::vector<IntVar*>& vars, int number_of_variables,
173 int32_t seed)
174 : BaseLns(vars), rand_(seed), number_of_variables_(number_of_variables) {
175 CHECK_GT(number_of_variables_, 0);
176 CHECK_LE(number_of_variables_, Size());
177 }
178 ~RandomLns() override {}
179 bool NextFragment() override;
180
181 std::string DebugString() const override { return "RandomLns"; }
182
183 private:
184 std::mt19937 rand_;
185 const int number_of_variables_;
186};
187
188bool RandomLns::NextFragment() {
189 DCHECK_GT(Size(), 0);
190 for (int i = 0; i < number_of_variables_; ++i) {
191 AppendToFragment(absl::Uniform<int>(rand_, 0, Size()));
192 }
193 return true;
194}
195} // namespace
196
198 const std::vector<IntVar*>& vars, int number_of_variables) {
199 return MakeRandomLnsOperator(vars, number_of_variables, CpRandomSeed());
200}
201
203 const std::vector<IntVar*>& vars, int number_of_variables, int32_t seed) {
204 return RevAlloc(new RandomLns(vars, number_of_variables, seed));
205}
206
207// ----- Move Toward Target Local Search operator -----
208
209// A local search operator that compares the current assignment with a target
210// one, and that generates neighbors corresponding to a single variable being
211// changed from its current value to its target value.
212namespace {
213class MoveTowardTargetLS : public IntVarLocalSearchOperator {
214 public:
215 MoveTowardTargetLS(const std::vector<IntVar*>& variables,
216 const std::vector<int64_t>& target_values)
217 : IntVarLocalSearchOperator(variables),
218 target_(target_values),
219 // Initialize variable_index_ at the number of the of variables minus
220 // one, so that the first to be tried (after one increment) is the one
221 // of index 0.
222 variable_index_(Size() - 1) {
223 CHECK_EQ(target_values.size(), variables.size()) << "Illegal arguments.";
224 }
225
226 ~MoveTowardTargetLS() override {}
227
228 std::string DebugString() const override { return "MoveTowardTargetLS"; }
229
230 protected:
231 // Make a neighbor assigning one variable to its target value.
232 bool MakeOneNeighbor() override {
233 while (num_var_since_last_start_ < Size()) {
234 ++num_var_since_last_start_;
235 variable_index_ = (variable_index_ + 1) % Size();
236 const int64_t target_value = target_.at(variable_index_);
237 const int64_t current_value = OldValue(variable_index_);
238 if (current_value != target_value) {
239 SetValue(variable_index_, target_value);
240 return true;
241 }
242 }
243 return false;
244 }
245
246 private:
247 void OnStart() override {
248 // Do not change the value of variable_index_: this way, we keep going from
249 // where we last modified something. This is because we expect that most
250 // often, the variables we have just checked are less likely to be able
251 // to be changed to their target values than the ones we have not yet
252 // checked.
253 //
254 // Consider the case where oddly indexed variables can be assigned to their
255 // target values (no matter in what order they are considered), while even
256 // indexed ones cannot. Restarting at index 0 each time an odd-indexed
257 // variable is modified will cause a total of Theta(n^2) neighbors to be
258 // generated, while not restarting will produce only Theta(n) neighbors.
259 CHECK_GE(variable_index_, 0);
260 CHECK_LT(variable_index_, Size());
261 num_var_since_last_start_ = 0;
262 }
263
264 // Target values
265 const std::vector<int64_t> target_;
266
267 // Index of the next variable to try to restore
268 int64_t variable_index_;
269
270 // Number of variables checked since the last call to OnStart().
271 int64_t num_var_since_last_start_;
272};
273} // namespace
274
276 const Assignment& target) {
277 typedef std::vector<IntVarElement> Elements;
278 const Elements& elements = target.IntVarContainer().elements();
279 // Copy target values and construct the vector of variables
280 std::vector<IntVar*> vars;
281 std::vector<int64_t> values;
282 vars.reserve(target.NumIntVars());
283 values.reserve(target.NumIntVars());
284 for (const auto& it : elements) {
285 vars.push_back(it.Var());
286 values.push_back(it.Value());
287 }
288 return MakeMoveTowardTargetOperator(vars, values);
289}
290
292 const std::vector<IntVar*>& variables,
293 const std::vector<int64_t>& target_values) {
294 return RevAlloc(new MoveTowardTargetLS(variables, target_values));
295}
296
297// ----- ChangeValue Operators -----
298
299ChangeValue::ChangeValue(const std::vector<IntVar*>& vars)
300 : IntVarLocalSearchOperator(vars), index_(0) {}
301
303
305 const int size = Size();
306 while (index_ < size) {
307 const int64_t value = ModifyValue(index_, Value(index_));
308 SetValue(index_, value);
309 ++index_;
310 return true;
311 }
312 return false;
313}
314
315void ChangeValue::OnStart() { index_ = 0; }
316
317// Increments the current value of variables.
318
319namespace {
320class IncrementValue : public ChangeValue {
321 public:
322 explicit IncrementValue(const std::vector<IntVar*>& vars)
323 : ChangeValue(vars) {}
324 ~IncrementValue() override {}
325 int64_t ModifyValue(int64_t, int64_t value) override { return value + 1; }
326
327 std::string DebugString() const override { return "IncrementValue"; }
328};
329
330// Decrements the current value of variables.
331
332class DecrementValue : public ChangeValue {
333 public:
334 explicit DecrementValue(const std::vector<IntVar*>& vars)
335 : ChangeValue(vars) {}
336 ~DecrementValue() override {}
337 int64_t ModifyValue(int64_t, int64_t value) override { return value - 1; }
338
339 std::string DebugString() const override { return "DecrementValue"; }
340};
341} // namespace
342
343// ----- Path-based Operators -----
344
346 std::function<const std::vector<int>&(/*node=*/int, /*start_node=*/int)>;
347
348// ----- 2Opt -----
349
350template <bool ignore_path_vars>
351class TwoOpt : public PathOperator<ignore_path_vars> {
352 public:
353 TwoOpt(const std::vector<IntVar*>& vars,
354 const std::vector<IntVar*>& secondary_vars,
355 std::function<int(int64_t)> start_empty_path_class,
356 NeighborAccessor get_incoming_neighbors,
357 NeighborAccessor get_outgoing_neighbors)
358 : PathOperator<ignore_path_vars>(vars, secondary_vars,
359 (get_incoming_neighbors == nullptr &&
360 get_outgoing_neighbors == nullptr)
361 ? 2
362 : 1,
363 /*skip_locally_optimal_paths=*/true,
364 /*accept_path_end_base=*/true,
365 std::move(start_empty_path_class),
366 std::move(get_incoming_neighbors),
367 std::move(get_outgoing_neighbors)),
368 last_base_(-1),
369 last_(-1) {}
370 ~TwoOpt() override = default;
371 bool MakeNeighbor() override;
372 bool IsIncremental() const override { return true; }
373
374 std::string DebugString() const override { return "TwoOpt"; }
375
376 protected:
377 void ResetIncrementalism() override { last_ = -1; }
378 bool OnSamePathAsPreviousBase(int64_t /*base_index*/) override {
379 // Both base nodes have to be on the same path.
380 return true;
381 }
382 int64_t GetBaseNodeRestartPosition(int base_index) override {
383 return (base_index == 0) ? this->StartNode(0) : this->BaseNode(0);
384 }
385
386 private:
387 void OnNodeInitialization() override { last_ = -1; }
388
389 int64_t last_base_;
390 int64_t last_;
391};
392
393template <bool ignore_path_vars>
395 const int64_t node0 = this->BaseNode(0);
396 int64_t before_chain = node0;
397 int64_t after_chain = -1;
398 if (this->HasNeighbors()) {
399 const auto [neighbor, outgoing] = this->GetNeighborForBaseNode(0);
400 if (neighbor < 0 || this->IsInactive(neighbor)) return false;
401 if (this->CurrentNodePathStart(node0) !=
402 this->CurrentNodePathStart(neighbor)) {
403 return false;
404 }
405 if (outgoing) {
406 if (this->IsPathEnd(neighbor)) return false;
407 // Reverse the chain starting *after" node0 and ending with 'neighbor'.
408 after_chain = this->Next(neighbor);
409 } else {
410 if (this->IsPathStart(neighbor)) return false;
411 // Reverse the chain starting with 'neighbor' and ending before node0.
412 before_chain = this->Prev(neighbor);
413 after_chain = node0;
414 }
415 } else {
416 DCHECK_EQ(this->StartNode(0), this->StartNode(1));
417 after_chain = this->BaseNode(1);
418 }
419 // Incrementality is disabled with neighbors.
420 if (last_base_ != node0 || last_ == -1 || this->HasNeighbors()) {
421 this->RevertChanges(false);
422 if (this->IsPathEnd(node0)) {
423 last_ = -1;
424 return false;
425 }
426 last_base_ = node0;
427 last_ = this->Next(before_chain);
428 int64_t chain_last;
429 if (this->ReverseChain(before_chain, after_chain, &chain_last)
430 // Check there are more than one node in the chain (reversing a
431 // single node is a NOP).
432 && last_ != chain_last) {
433 return true;
434 }
435 last_ = -1;
436 return false;
437 }
438 DCHECK_EQ(before_chain, node0);
439 const int64_t to_move = this->Next(last_);
440 DCHECK_EQ(this->Next(to_move), after_chain);
441 return this->MoveChain(last_, to_move, before_chain);
442}
443
445 Solver* solver, const std::vector<IntVar*>& vars,
446 const std::vector<IntVar*>& secondary_vars,
447 std::function<int(int64_t)> start_empty_path_class,
448 NeighborAccessor get_incoming_neighbors,
449 NeighborAccessor get_outgoing_neighbors) {
450 if (secondary_vars.empty()) {
451 return solver->RevAlloc(new TwoOpt<true>(
452 vars, secondary_vars, std::move(start_empty_path_class),
453 std::move(get_incoming_neighbors), std::move(get_outgoing_neighbors)));
454 }
455 return solver->RevAlloc(new TwoOpt<false>(
456 vars, secondary_vars, std::move(start_empty_path_class),
457 std::move(get_incoming_neighbors), std::move(get_outgoing_neighbors)));
458}
459
460// ----- Relocate -----
461
462template <bool ignore_path_vars>
463class Relocate : public PathOperator<ignore_path_vars> {
464 public:
465 Relocate(const std::vector<IntVar*>& vars,
466 const std::vector<IntVar*>& secondary_vars, absl::string_view name,
467 std::function<int(int64_t)> start_empty_path_class,
468 NeighborAccessor get_incoming_neighbors,
469 NeighborAccessor get_outgoing_neighbors, int64_t chain_length = 1LL,
470 bool single_path = false)
471 : PathOperator<ignore_path_vars>(
472 vars, secondary_vars,
473 (get_incoming_neighbors == nullptr &&
474 get_outgoing_neighbors == nullptr)
475 ? 2
476 : 1,
477 /*skip_locally_optimal_paths=*/true,
478 /*accept_path_end_base=*/false, std::move(start_empty_path_class),
479 chain_length == 1 ? std::move(get_incoming_neighbors) : nullptr,
480 std::move(get_outgoing_neighbors)),
481 chain_length_(chain_length),
482 single_path_(single_path),
483 name_(absl::StrCat(name, "<", chain_length, ">")) {
484 CHECK_GT(chain_length_, 0);
485 }
486 ~Relocate() override = default;
487 bool MakeNeighbor() override;
488
489 std::string DebugString() const override { return name_; }
490
491 protected:
492 bool OnSamePathAsPreviousBase(int64_t /*base_index*/) override {
493 // Both base nodes have to be on the same path when it's the single path
494 // version.
495 return single_path_;
496 }
497
498 private:
499 const int64_t chain_length_;
500 const bool single_path_;
501 const std::string name_;
502};
503
504template <bool ignore_path_vars>
506 const auto do_move = [this](int64_t before_chain, int64_t destination) {
507 DCHECK(!this->IsPathEnd(destination));
508 int64_t chain_end = before_chain;
509 for (int i = 0; i < chain_length_; ++i) {
510 if (this->IsPathEnd(chain_end) || chain_end == destination) return false;
511 chain_end = this->Next(chain_end);
512 }
513 return !this->IsPathEnd(chain_end) &&
514 this->MoveChain(before_chain, chain_end, destination);
515 };
516 const int64_t node0 = this->BaseNode(0);
517 if (this->HasNeighbors()) {
518 const auto [neighbor, outgoing] = this->GetNeighborForBaseNode(0);
519 if (neighbor < 0 || this->IsInactive(neighbor)) return false;
520 if (outgoing) {
521 return do_move(/*before_chain=*/this->Prev(neighbor),
522 /*destination=*/node0);
523 }
524 DCHECK_EQ(chain_length_, 1);
525 // TODO(user): Handle chain_length_ > 1 for incoming neighbors by going
526 // backwards on the chain. NOTE: In this setting it makes sense to have path
527 // ends as base nodes as we move the chain "before" the base node.
528 DCHECK(!this->IsPathStart(node0))
529 << "Path starts have no incoming neighbors.";
530 return do_move(/*before_chain=*/this->Prev(neighbor),
531 /*destination=*/this->Prev(node0));
532 }
533 DCHECK(!single_path_ || this->StartNode(0) == this->StartNode(1));
534 return do_move(/*before_chain=*/node0, /*destination=*/this->BaseNode(1));
535}
536
538 Solver* solver, const std::vector<IntVar*>& vars,
539 const std::vector<IntVar*>& secondary_vars,
540 std::function<int(int64_t)> start_empty_path_class,
541 NeighborAccessor get_incoming_neighbors,
542 NeighborAccessor get_outgoing_neighbors, int64_t chain_length,
543 bool single_path, const std::string& name) {
544 if (secondary_vars.empty()) {
545 return solver->RevAlloc(new Relocate<true>(
546 vars, secondary_vars, name, std::move(start_empty_path_class),
547 std::move(get_incoming_neighbors), std::move(get_outgoing_neighbors),
548 chain_length, single_path));
549 }
550 return solver->RevAlloc(new Relocate<false>(
551 vars, secondary_vars, name, std::move(start_empty_path_class),
552 std::move(get_incoming_neighbors), std::move(get_outgoing_neighbors),
553 chain_length, single_path));
554}
555
556// ----- Exchange -----
557
558template <bool ignore_path_vars>
559class Exchange : public PathOperator<ignore_path_vars> {
560 public:
561 Exchange(const std::vector<IntVar*>& vars,
562 const std::vector<IntVar*>& secondary_vars,
563 std::function<int(int64_t)> start_empty_path_class,
564 NeighborAccessor get_incoming_neighbors,
565 NeighborAccessor get_outgoing_neighbors)
566 : PathOperator<ignore_path_vars>(vars, secondary_vars,
567 (get_incoming_neighbors == nullptr &&
568 get_outgoing_neighbors == nullptr)
569 ? 2
570 : 1,
571 /*skip_locally_optimal_paths=*/true,
572 /*accept_path_end_base=*/false,
573 std::move(start_empty_path_class),
574 std::move(get_incoming_neighbors),
575 std::move(get_outgoing_neighbors)) {}
576 ~Exchange() override = default;
577 bool MakeNeighbor() override;
578
579 std::string DebugString() const override { return "Exchange"; }
580};
581
582template <bool ignore_path_vars>
584 const int64_t node0 = this->BaseNode(0);
585 if (this->HasNeighbors()) {
586 const auto [neighbor, outgoing] = this->GetNeighborForBaseNode(0);
587 if (neighbor < 0 || this->IsInactive(neighbor)) return false;
588 if (outgoing) {
589 // Exchange node0's next with 'neighbor'.
590 return this->SwapNodes(this->Next(node0), neighbor);
591 }
592 DCHECK(!this->IsPathStart(node0))
593 << "Path starts have no incoming neighbors.";
594 // Exchange node0's prev with 'neighbor'.
595 return this->SwapNodes(this->Prev(node0), neighbor);
596 }
597 return this->SwapNodes(this->Next(node0), this->Next(this->BaseNode(1)));
598}
599
601 Solver* solver, const std::vector<IntVar*>& vars,
602 const std::vector<IntVar*>& secondary_vars,
603 std::function<int(int64_t)> start_empty_path_class,
604 NeighborAccessor get_incoming_neighbors,
605 NeighborAccessor get_outgoing_neighbors) {
606 if (secondary_vars.empty()) {
607 return solver->RevAlloc(new Exchange<true>(
608 vars, secondary_vars, std::move(start_empty_path_class),
609 std::move(get_incoming_neighbors), std::move(get_outgoing_neighbors)));
610 }
611 return solver->RevAlloc(new Exchange<false>(
612 vars, secondary_vars, std::move(start_empty_path_class),
613 std::move(get_incoming_neighbors), std::move(get_outgoing_neighbors)));
614}
615
616// ----- Cross -----
617
618template <bool ignore_path_vars>
619class Cross : public PathOperator<ignore_path_vars> {
620 public:
621 Cross(const std::vector<IntVar*>& vars,
622 const std::vector<IntVar*>& secondary_vars,
623 std::function<int(int64_t)> start_empty_path_class,
624 NeighborAccessor get_incoming_neighbors,
625 NeighborAccessor get_outgoing_neighbors)
626 : PathOperator<ignore_path_vars>(vars, secondary_vars,
627 (get_incoming_neighbors == nullptr &&
628 get_outgoing_neighbors == nullptr)
629 ? 2
630 : 1,
631 /*skip_locally_optimal_paths=*/true,
632 /*accept_path_end_base=*/true,
633 std::move(start_empty_path_class),
634 std::move(get_incoming_neighbors),
635 std::move(get_outgoing_neighbors)) {}
636 ~Cross() override = default;
637 bool MakeNeighbor() override;
638
639 std::string DebugString() const override { return "Cross"; }
640};
641
642template <bool ignore_path_vars>
644 const int64_t start0 = this->StartNode(0);
645 int64_t start1 = -1;
646 const int64_t node0 = this->BaseNode(0);
647 int64_t node1 = -1;
648 if (node0 == start0) return false;
649 bool cross_path_starts = false;
650 if (this->HasNeighbors()) {
651 const auto [neighbor, outgoing] = this->GetNeighborForBaseNode(0);
652 if (neighbor < 0) return false;
653 cross_path_starts = outgoing;
654 DCHECK(!this->IsPathStart(neighbor));
655 if (this->IsInactive(neighbor)) return false;
656 start1 = this->CurrentNodePathStart(neighbor);
657 // Tricky: In all cases we want to connect node0 to neighbor. If we are
658 // crossing path starts, node0 is the end of a chain and neighbor is the
659 // the first node after the other chain ending at node1, therefore
660 // node1 = prev(neighbor).
661 // If we are crossing path ends, node0 is the start of a chain and neighbor
662 // is the last node before the other chain starting at node1, therefore
663 // node1 = next(neighbor).
664 node1 = cross_path_starts ? this->Prev(neighbor) : this->Next(neighbor);
665 } else {
666 start1 = this->StartNode(1);
667 node1 = this->BaseNode(1);
668 cross_path_starts = start0 < start1;
669 }
670 if (start1 == start0 || node1 == start1) return false;
671
672 bool moved = false;
673 if (cross_path_starts) {
674 // Cross path starts.
675 // If two paths are equivalent don't exchange the full paths.
676 if (this->PathClassFromStartNode(start0) ==
677 this->PathClassFromStartNode(start1) &&
678 !this->IsPathEnd(node0) && this->IsPathEnd(this->Next(node0)) &&
679 !this->IsPathEnd(node1) && this->IsPathEnd(this->Next(node1))) {
680 return false;
681 }
682 const int first1 = this->Next(start1);
683 if (!this->IsPathEnd(node0))
684 moved |= this->MoveChain(start0, node0, start1);
685 if (!this->IsPathEnd(node1))
686 moved |= this->MoveChain(this->Prev(first1), node1, start0);
687 } else {
688 // Cross path ends.
689 // If paths are equivalent, every end crossing has a corresponding start
690 // crossing, we don't generate those symmetric neighbors.
691 if (this->PathClassFromStartNode(start0) ==
692 this->PathClassFromStartNode(start1) &&
693 !this->HasNeighbors()) {
694 return false;
695 }
696 // Never exchange full paths, equivalent or not.
697 // Full path exchange is only performed when start0 < start1.
698 if (this->IsPathStart(this->Prev(node0)) &&
699 this->IsPathStart(this->Prev(node1)) && !this->HasNeighbors()) {
700 return false;
701 }
702
703 const int prev_end_node1 = this->Prev(this->CurrentNodePathEnd(node1));
704 if (!this->IsPathEnd(node0)) {
705 moved |= this->MoveChain(this->Prev(node0), this->Prev(this->EndNode(0)),
706 prev_end_node1);
707 }
708 if (!this->IsPathEnd(node1)) {
709 moved |= this->MoveChain(this->Prev(node1), prev_end_node1,
710 this->Prev(this->EndNode(0)));
711 }
712 }
713 return moved;
714}
715
717 Solver* solver, const std::vector<IntVar*>& vars,
718 const std::vector<IntVar*>& secondary_vars,
719 std::function<int(int64_t)> start_empty_path_class,
720 NeighborAccessor get_incoming_neighbors,
721 NeighborAccessor get_outgoing_neighbors) {
722 if (secondary_vars.empty()) {
723 return solver->RevAlloc(new Cross<true>(
724 vars, secondary_vars, std::move(start_empty_path_class),
725 std::move(get_incoming_neighbors), std::move(get_outgoing_neighbors)));
726 }
727 return solver->RevAlloc(new Cross<false>(
728 vars, secondary_vars, std::move(start_empty_path_class),
729 std::move(get_incoming_neighbors), std::move(get_outgoing_neighbors)));
730}
731
732// ----- BaseInactiveNodeToPathOperator -----
733// Base class of path operators which make inactive nodes active.
734
735template <bool ignore_path_vars>
736class BaseInactiveNodeToPathOperator : public PathOperator<ignore_path_vars> {
737 public:
739 const std::vector<IntVar*>& vars,
740 const std::vector<IntVar*>& secondary_vars, int number_of_base_nodes,
741 std::function<int(int64_t)> start_empty_path_class,
742 NeighborAccessor get_incoming_neighbors = nullptr,
743 NeighborAccessor get_outgoing_neighbors = nullptr)
744 : PathOperator<ignore_path_vars>(vars, secondary_vars,
745 number_of_base_nodes, false, false,
746 std::move(start_empty_path_class),
747 std::move(get_incoming_neighbors),
748 std::move(get_outgoing_neighbors)),
749 inactive_node_(0) {
750 // TODO(user): Activate skipping optimal paths.
751 }
753
754 protected:
755 bool MakeOneNeighbor() override;
756 int64_t GetInactiveNode() const { return inactive_node_; }
757
758 private:
759 void OnNodeInitialization() override;
760
761 int inactive_node_;
762};
763
764template <bool ignore_path_vars>
765void BaseInactiveNodeToPathOperator<ignore_path_vars>::OnNodeInitialization() {
766 for (int i = 0; i < this->Size(); ++i) {
767 if (this->IsInactive(i)) {
768 inactive_node_ = i;
769 return;
770 }
771 }
772 inactive_node_ = this->Size();
773}
774
775template <bool ignore_path_vars>
777 while (inactive_node_ < this->Size()) {
778 if (!this->IsInactive(inactive_node_) ||
780 this->ResetPosition();
781 ++inactive_node_;
782 } else {
783 return true;
784 }
785 }
786 return false;
787}
788
789// ----- MakeActiveOperator -----
790
791template <bool ignore_path_vars>
793 : public BaseInactiveNodeToPathOperator<ignore_path_vars> {
794 public:
795 MakeActiveOperator(const std::vector<IntVar*>& vars,
796 const std::vector<IntVar*>& secondary_vars,
797 std::function<int(int64_t)> start_empty_path_class,
798 NeighborAccessor get_incoming_neighbors,
799 NeighborAccessor get_outgoing_neighbors)
800 : BaseInactiveNodeToPathOperator<ignore_path_vars>(
801 vars, secondary_vars, 1, std::move(start_empty_path_class),
802 std::move(get_incoming_neighbors),
803 std::move(get_outgoing_neighbors)) {}
804 ~MakeActiveOperator() override = default;
805 bool MakeNeighbor() override;
806
807 std::string DebugString() const override { return "MakeActiveOperator"; }
808};
809
810template <bool ignore_path_vars>
812 // TODO(user): Add support for neighbors of inactive nodes; would require
813 // having a version without base nodes (probably not a PathOperator).
814 return this->MakeActive(this->GetInactiveNode(), this->BaseNode(0));
815}
816
818 Solver* solver, const std::vector<IntVar*>& vars,
819 const std::vector<IntVar*>& secondary_vars,
820 std::function<int(int64_t)> start_empty_path_class,
821 NeighborAccessor get_incoming_neighbors,
822 NeighborAccessor get_outgoing_neighbors) {
823 if (secondary_vars.empty()) {
824 return solver->RevAlloc(new MakeActiveOperator<true>(
825 vars, secondary_vars, std::move(start_empty_path_class),
826 std::move(get_incoming_neighbors), std::move(get_outgoing_neighbors)));
827 }
828 return solver->RevAlloc(new MakeActiveOperator<false>(
829 vars, secondary_vars, std::move(start_empty_path_class),
830 std::move(get_incoming_neighbors), std::move(get_outgoing_neighbors)));
831}
832
833// ---- RelocateAndMakeActiveOperator -----
834
835template <bool ignore_path_vars>
837 : public BaseInactiveNodeToPathOperator<ignore_path_vars> {
838 public:
840 const std::vector<IntVar*>& vars,
841 const std::vector<IntVar*>& secondary_vars,
842 std::function<int(int64_t)> start_empty_path_class)
843 : BaseInactiveNodeToPathOperator<ignore_path_vars>(
844 vars, secondary_vars, 2, std::move(start_empty_path_class)) {}
845 ~RelocateAndMakeActiveOperator() override = default;
846 bool MakeNeighbor() override {
847 const int64_t before_node_to_move = this->BaseNode(1);
848 const int64_t node = this->Next(before_node_to_move);
849 return !this->IsPathEnd(node) &&
850 this->MoveChain(before_node_to_move, node, this->BaseNode(0)) &&
851 this->MakeActive(this->GetInactiveNode(), before_node_to_move);
852 }
853
854 std::string DebugString() const override {
855 return "RelocateAndMakeActiveOperator";
856 }
857};
858
860 Solver* solver, const std::vector<IntVar*>& vars,
861 const std::vector<IntVar*>& secondary_vars,
862 std::function<int(int64_t)> start_empty_path_class) {
863 if (secondary_vars.empty()) {
865 vars, secondary_vars, std::move(start_empty_path_class)));
866 }
868 vars, secondary_vars, std::move(start_empty_path_class)));
869}
870
871// ----- ExchangeAndMakeActiveOperator -----
872
873template <bool ignore_path_vars>
875 : public BaseInactiveNodeToPathOperator<ignore_path_vars> {
876 public:
878 const std::vector<IntVar*>& vars,
879 const std::vector<IntVar*>& secondary_vars,
880 std::function<int(int64_t)> start_empty_path_class)
881 : BaseInactiveNodeToPathOperator<ignore_path_vars>(
882 vars, secondary_vars, 3, std::move(start_empty_path_class)) {}
884 bool MakeNeighbor() override {
885 return this->SwapNodes(this->Next(this->BaseNode(0)),
886 this->Next(this->BaseNode(1))) &&
887 this->MakeActive(this->GetInactiveNode(), this->BaseNode(2));
888 }
889 std::string DebugString() const override {
890 return "ExchangeAndMakeActiveOperator";
891 }
892
893 protected:
894 bool OnSamePathAsPreviousBase(int64_t base_index) override {
895 return base_index == 2;
896 }
897};
898
900 Solver* solver, const std::vector<IntVar*>& vars,
901 const std::vector<IntVar*>& secondary_vars,
902 std::function<int(int64_t)> start_empty_path_class) {
903 if (secondary_vars.empty()) {
905 vars, secondary_vars, std::move(start_empty_path_class)));
906 }
908 vars, secondary_vars, std::move(start_empty_path_class)));
909}
910
911// ----- ExchangePathEndsAndMakeActiveOperator -----
912
913template <bool ignore_path_vars>
915 : public BaseInactiveNodeToPathOperator<ignore_path_vars> {
916 public:
918 const std::vector<IntVar*>& vars,
919 const std::vector<IntVar*>& secondary_vars,
920 std::function<int(int64_t)> start_empty_path_class)
921 : BaseInactiveNodeToPathOperator<ignore_path_vars>(
922 vars, secondary_vars, 2, std::move(start_empty_path_class)) {}
924 int64_t GetBaseNodeRestartPosition(int base_index) override {
925 return (base_index == 1) ? this->Prev(this->EndNode(1))
926 : this->StartNode(base_index);
927 }
928 bool MakeNeighbor() override {
929 const int64_t end_node0 = this->Prev(this->EndNode(0));
930 const int64_t end_node1 = this->BaseNode(1);
931 if (end_node0 == end_node1 || end_node1 != this->Prev(this->EndNode(1))) {
932 return false;
933 }
934 const int64_t start_node0 = this->Next(this->StartNode(0));
935 const int64_t start_node1 = this->Next(this->StartNode(1));
936 DCHECK_NE(start_node0, start_node1);
937 return this->SwapNodes(end_node0, end_node1) &&
938 this->SwapNodes(start_node0, start_node1) &&
939 this->MakeActive(this->GetInactiveNode(), this->BaseNode(0));
940 }
941 std::string DebugString() const override {
942 return "ExchangePathEndsAndMakeActiveOperator";
943 }
944};
945
947 Solver* solver, const std::vector<IntVar*>& vars,
948 const std::vector<IntVar*>& secondary_vars,
949 std::function<int(int64_t)> start_empty_path_class) {
950 if (secondary_vars.empty()) {
951 return solver->RevAlloc(
953 vars, secondary_vars, std::move(start_empty_path_class)));
954 }
956 vars, secondary_vars, std::move(start_empty_path_class)));
957}
958
959// ----- MakeActiveAndRelocate -----
960
961template <bool ignore_path_vars>
963 : public BaseInactiveNodeToPathOperator<ignore_path_vars> {
964 public:
966 const std::vector<IntVar*>& vars,
967 const std::vector<IntVar*>& secondary_vars,
968 std::function<int(int64_t)> start_empty_path_class)
969 : BaseInactiveNodeToPathOperator<ignore_path_vars>(
970 vars, secondary_vars, 2, std::move(start_empty_path_class)) {}
971 ~MakeActiveAndRelocateOperator() override = default;
972 bool MakeNeighbor() override;
973
974 std::string DebugString() const override {
975 return "MakeActiveAndRelocateOperator";
976 }
977};
978
979template <bool ignore_path_vars>
981 const int64_t before_chain = this->BaseNode(1);
982 const int64_t chain_end = this->Next(before_chain);
983 const int64_t destination = this->BaseNode(0);
984 return !this->IsPathEnd(chain_end) &&
985 this->MoveChain(before_chain, chain_end, destination) &&
986 this->MakeActive(this->GetInactiveNode(), destination);
987}
988
990 Solver* solver, const std::vector<IntVar*>& vars,
991 const std::vector<IntVar*>& secondary_vars,
992 std::function<int(int64_t)> start_empty_path_class) {
993 if (secondary_vars.empty()) {
995 vars, secondary_vars, std::move(start_empty_path_class)));
996 }
998 vars, secondary_vars, std::move(start_empty_path_class)));
999}
1000
1001// ----- MakeInactiveOperator -----
1002
1003template <bool ignore_path_vars>
1004class MakeInactiveOperator : public PathOperator<ignore_path_vars> {
1005 public:
1006 MakeInactiveOperator(const std::vector<IntVar*>& vars,
1007 const std::vector<IntVar*>& secondary_vars,
1008 std::function<int(int64_t)> start_empty_path_class)
1009 : PathOperator<ignore_path_vars>(vars, secondary_vars, 1, true, false,
1010 std::move(start_empty_path_class),
1011 nullptr, nullptr) {}
1012 ~MakeInactiveOperator() override = default;
1013 bool MakeNeighbor() override {
1014 const int64_t base = this->BaseNode(0);
1015 return this->MakeChainInactive(base, this->Next(base));
1016 }
1017
1018 std::string DebugString() const override { return "MakeInactiveOperator"; }
1019};
1020
1022 Solver* solver, const std::vector<IntVar*>& vars,
1023 const std::vector<IntVar*>& secondary_vars,
1024 std::function<int(int64_t)> start_empty_path_class) {
1025 if (secondary_vars.empty()) {
1026 return solver->RevAlloc(new MakeInactiveOperator<true>(
1027 vars, secondary_vars, std::move(start_empty_path_class)));
1028 }
1029 return solver->RevAlloc(new MakeInactiveOperator<false>(
1030 vars, secondary_vars, std::move(start_empty_path_class)));
1031}
1032
1033// ----- RelocateAndMakeInactiveOperator -----
1034
1035template <bool ignore_path_vars>
1036class RelocateAndMakeInactiveOperator : public PathOperator<ignore_path_vars> {
1037 public:
1039 const std::vector<IntVar*>& vars,
1040 const std::vector<IntVar*>& secondary_vars,
1041 std::function<int(int64_t)> start_empty_path_class)
1042 : PathOperator<ignore_path_vars>(vars, secondary_vars, 2, true, false,
1043 std::move(start_empty_path_class),
1044 nullptr, nullptr) {}
1046 bool MakeNeighbor() override {
1047 const int64_t destination = this->BaseNode(1);
1048 const int64_t before_to_move = this->BaseNode(0);
1049 const int64_t node_to_inactivate = this->Next(destination);
1050 if (node_to_inactivate == before_to_move ||
1051 this->IsPathEnd(node_to_inactivate) ||
1052 !this->MakeChainInactive(destination, node_to_inactivate)) {
1053 return false;
1054 }
1055 const int64_t node = this->Next(before_to_move);
1056 return !this->IsPathEnd(node) &&
1057 this->MoveChain(before_to_move, node, destination);
1058 }
1059
1060 std::string DebugString() const override {
1061 return "RelocateAndMakeInactiveOperator";
1062 }
1063};
1064
1066 Solver* solver, const std::vector<IntVar*>& vars,
1067 const std::vector<IntVar*>& secondary_vars,
1068 std::function<int(int64_t)> start_empty_path_class) {
1069 if (secondary_vars.empty()) {
1071 vars, secondary_vars, std::move(start_empty_path_class)));
1072 }
1074 vars, secondary_vars, std::move(start_empty_path_class)));
1075}
1076
1077// ----- MakeChainInactiveOperator -----
1078
1079template <bool ignore_path_vars>
1080class MakeChainInactiveOperator : public PathOperator<ignore_path_vars> {
1081 public:
1082 MakeChainInactiveOperator(const std::vector<IntVar*>& vars,
1083 const std::vector<IntVar*>& secondary_vars,
1084 std::function<int(int64_t)> start_empty_path_class)
1085 : PathOperator<ignore_path_vars>(vars, secondary_vars, 2,
1086 /*skip_locally_optimal_paths=*/true,
1087 /*accept_path_end_base=*/false,
1088 std::move(start_empty_path_class),
1089 nullptr, nullptr) {}
1090 ~MakeChainInactiveOperator() override = default;
1091 bool MakeNeighbor() override {
1092 const int64_t chain_end = this->BaseNode(1);
1093 if (!this->IsPathEnd(chain_end) && chain_end != this->BaseNode(0) &&
1094 !this->Var(chain_end)->Contains(chain_end)) {
1095 // Move to the next before_chain since an unskippable node has been
1096 // encountered.
1097 this->SetNextBaseToIncrement(0);
1098 return false;
1099 }
1100 return this->MakeChainInactive(this->BaseNode(0), chain_end);
1101 }
1102
1103 std::string DebugString() const override {
1104 return "MakeChainInactiveOperator";
1105 }
1106
1107 protected:
1108 bool OnSamePathAsPreviousBase(int64_t) override {
1109 // Start and end of chain (defined by both base nodes) must be on the same
1110 // path.
1111 return true;
1112 }
1113
1114 int64_t GetBaseNodeRestartPosition(int base_index) override {
1115 // Base node 1 must be after base node 0.
1116 return (base_index == 0) ? this->StartNode(base_index)
1117 : this->BaseNode(base_index - 1);
1118 }
1119};
1120
1122 Solver* solver, const std::vector<IntVar*>& vars,
1123 const std::vector<IntVar*>& secondary_vars,
1124 std::function<int(int64_t)> start_empty_path_class) {
1125 if (secondary_vars.empty()) {
1126 return solver->RevAlloc(new MakeChainInactiveOperator<true>(
1127 vars, secondary_vars, std::move(start_empty_path_class)));
1128 }
1129 return solver->RevAlloc(new MakeChainInactiveOperator<false>(
1130 vars, secondary_vars, std::move(start_empty_path_class)));
1131}
1132
1133// ----- SwapActiveOperator -----
1134
1135template <bool ignore_path_vars>
1137 : public BaseInactiveNodeToPathOperator<ignore_path_vars> {
1138 public:
1139 SwapActiveOperator(const std::vector<IntVar*>& vars,
1140 const std::vector<IntVar*>& secondary_vars,
1141 std::function<int(int64_t)> start_empty_path_class)
1142 : BaseInactiveNodeToPathOperator<ignore_path_vars>(
1143 vars, secondary_vars, 1, std::move(start_empty_path_class)) {}
1144 ~SwapActiveOperator() override = default;
1145 bool MakeNeighbor() override {
1146 const int64_t base = this->BaseNode(0);
1147 return this->MakeChainInactive(base, this->Next(base)) &&
1148 this->MakeActive(this->GetInactiveNode(), base);
1149 }
1150
1151 std::string DebugString() const override { return "SwapActiveOperator"; }
1152};
1153
1155 Solver* solver, const std::vector<IntVar*>& vars,
1156 const std::vector<IntVar*>& secondary_vars,
1157 std::function<int(int64_t)> start_empty_path_class) {
1158 if (secondary_vars.empty()) {
1159 return solver->RevAlloc(new SwapActiveOperator<true>(
1160 vars, secondary_vars, std::move(start_empty_path_class)));
1161 }
1162 return solver->RevAlloc(new SwapActiveOperator<false>(
1163 vars, secondary_vars, std::move(start_empty_path_class)));
1164}
1165
1166// ----- SwapActiveChainOperator -----
1167
1168template <bool ignore_path_vars>
1170 : public BaseInactiveNodeToPathOperator<ignore_path_vars> {
1171 public:
1172 SwapActiveChainOperator(const std::vector<IntVar*>& vars,
1173 const std::vector<IntVar*>& secondary_vars,
1174 std::function<int(int64_t)> start_empty_path_class,
1175 int max_chain_size)
1176 : BaseInactiveNodeToPathOperator<ignore_path_vars>(
1177 vars, secondary_vars, 2, std::move(start_empty_path_class)),
1178 last_before_chain_(-1),
1179 last_chain_end_(-1),
1180 current_chain_size_(0),
1181 max_chain_size_(max_chain_size) {
1182 DCHECK_GE(max_chain_size_, 1);
1183 }
1184 ~SwapActiveChainOperator() override = default;
1185 bool MakeNeighbor() override;
1186 bool IsIncremental() const override { return true; }
1187
1188 protected:
1189 void ResetIncrementalism() override {
1190 last_chain_end_ = -1;
1191 current_chain_size_ = 0;
1192 }
1193 bool OnSamePathAsPreviousBase(int64_t /*base_index*/) override {
1194 return true;
1195 }
1196 // TODO(user): Skip unfeasible chains by forcing the first base node to be
1197 // before the second one. Ideally this should be done as follows:
1198 // int64_t GetBaseNodeRestartPosition(int base_index) override {
1199 // return (base_index == 0) ? StartNode(base_index) : BaseNode(base_index -
1200 // 1);
1201 // }
1202 // However due to the fact we are iterating over the chains multiple times
1203 // (once for each unperformed node), this breaks the ending position of the
1204 // neighborhood (causing an infinite iteration).
1205
1206 std::string DebugString() const override { return "SwapActiveChainOperator"; }
1207
1208 private:
1209 void OnNodeInitialization() override {
1210 last_chain_end_ = -1;
1211 current_chain_size_ = 0;
1212 }
1213
1214 int64_t last_before_chain_;
1215 int64_t last_chain_end_;
1216 int current_chain_size_;
1217 const int max_chain_size_;
1218};
1219
1220template <bool ignore_path_vars>
1222 const int64_t before_chain = this->BaseNode(0);
1223 const int64_t chain_end = this->BaseNode(1);
1224 if (last_before_chain_ != before_chain || last_chain_end_ == -1) {
1225 this->RevertChanges(/*change_was_incremental=*/false);
1226 last_before_chain_ = before_chain;
1227 last_chain_end_ = this->GetInactiveNode();
1228 if (!this->IsPathEnd(chain_end) && before_chain != chain_end &&
1229 this->MakeChainInactive(before_chain, chain_end) &&
1230 this->MakeActive(this->GetInactiveNode(), before_chain)) {
1231 ++current_chain_size_;
1232 return true;
1233 } else {
1234 last_chain_end_ = -1;
1235 current_chain_size_ = 0;
1236 return false;
1237 }
1238 }
1239 if (current_chain_size_ >= max_chain_size_) {
1240 // Move to the next before_chain.
1241 this->SetNextBaseToIncrement(0);
1242 current_chain_size_ = 0;
1243 return false;
1244 }
1245 if (!this->IsPathEnd(last_chain_end_) &&
1246 this->MakeChainInactive(last_chain_end_, this->Next(last_chain_end_))) {
1247 ++current_chain_size_;
1248 return true;
1249 }
1250 last_chain_end_ = -1;
1251 current_chain_size_ = 0;
1252 return false;
1253}
1254
1256 Solver* solver, const std::vector<IntVar*>& vars,
1257 const std::vector<IntVar*>& secondary_vars,
1258 std::function<int(int64_t)> start_empty_path_class, int max_chain_size) {
1259 if (secondary_vars.empty()) {
1260 return solver->RevAlloc(new SwapActiveChainOperator<true>(
1261 vars, secondary_vars, std::move(start_empty_path_class),
1262 max_chain_size));
1263 }
1264 return solver->RevAlloc(new SwapActiveChainOperator<false>(
1265 vars, secondary_vars, std::move(start_empty_path_class), max_chain_size));
1266}
1267
1268// ----- ExtendedSwapActiveOperator -----
1269
1270template <bool ignore_path_vars>
1272 : public BaseInactiveNodeToPathOperator<ignore_path_vars> {
1273 public:
1274 ExtendedSwapActiveOperator(const std::vector<IntVar*>& vars,
1275 const std::vector<IntVar*>& secondary_vars,
1276 std::function<int(int64_t)> start_empty_path_class)
1277 : BaseInactiveNodeToPathOperator<ignore_path_vars>(
1278 vars, secondary_vars, 2, std::move(start_empty_path_class)) {}
1279 ~ExtendedSwapActiveOperator() override = default;
1280 bool MakeNeighbor() override {
1281 const int64_t base0 = this->BaseNode(0);
1282 const int64_t base1 = this->BaseNode(1);
1283 if (this->Next(base0) == base1) {
1284 return false;
1285 }
1286 return this->MakeChainInactive(base0, this->Next(base0)) &&
1287 this->MakeActive(this->GetInactiveNode(), base1);
1288 }
1289
1290 std::string DebugString() const override {
1291 return "ExtendedSwapActiveOperator";
1292 }
1293};
1294
1296 Solver* solver, const std::vector<IntVar*>& vars,
1297 const std::vector<IntVar*>& secondary_vars,
1298 std::function<int(int64_t)> start_empty_path_class) {
1299 if (secondary_vars.empty()) {
1300 return solver->RevAlloc(new ExtendedSwapActiveOperator<true>(
1301 vars, secondary_vars, std::move(start_empty_path_class)));
1302 }
1304 vars, secondary_vars, std::move(start_empty_path_class)));
1305}
1306
1307// ----- TSP-based operators -----
1308
1309template <bool ignore_path_vars>
1310class TSPOpt : public PathOperator<ignore_path_vars> {
1311 public:
1312 TSPOpt(const std::vector<IntVar*>& vars,
1313 const std::vector<IntVar*>& secondary_vars,
1314 Solver::IndexEvaluator3 evaluator, int chain_length);
1315 ~TSPOpt() override = default;
1316 bool MakeNeighbor() override;
1317
1318 std::string DebugString() const override { return "TSPOpt"; }
1319
1320 private:
1321 std::vector<std::vector<int64_t>> cost_;
1323 hamiltonian_path_solver_;
1324 Solver::IndexEvaluator3 evaluator_;
1325 const int chain_length_;
1326};
1327
1328template <bool ignore_path_vars>
1329TSPOpt<ignore_path_vars>::TSPOpt(const std::vector<IntVar*>& vars,
1330 const std::vector<IntVar*>& secondary_vars,
1331 Solver::IndexEvaluator3 evaluator,
1332 int chain_length)
1333 : PathOperator<ignore_path_vars>(vars, secondary_vars, 1, true, false,
1334 nullptr, nullptr, nullptr),
1335 hamiltonian_path_solver_(cost_),
1336 evaluator_(std::move(evaluator)),
1337 chain_length_(chain_length) {}
1338
1339template <bool ignore_path_vars>
1341 std::vector<int64_t> nodes;
1342 int64_t chain_end = this->BaseNode(0);
1343 for (int i = 0; i < chain_length_ + 1; ++i) {
1344 nodes.push_back(chain_end);
1345 if (this->IsPathEnd(chain_end)) {
1346 break;
1347 }
1348 chain_end = this->Next(chain_end);
1349 }
1350 if (nodes.size() <= 3) {
1351 return false;
1352 }
1353 int64_t chain_path = this->Path(this->BaseNode(0));
1354 const int size = nodes.size() - 1;
1355 cost_.resize(size);
1356 for (int i = 0; i < size; ++i) {
1357 cost_[i].resize(size);
1358 cost_[i][0] = evaluator_(nodes[i], nodes[size], chain_path);
1359 for (int j = 1; j < size; ++j) {
1360 cost_[i][j] = evaluator_(nodes[i], nodes[j], chain_path);
1361 }
1362 }
1363 hamiltonian_path_solver_.ChangeCostMatrix(cost_);
1364 std::vector<PathNodeIndex> path;
1365 hamiltonian_path_solver_.TravelingSalesmanPath(&path);
1366 CHECK_EQ(size + 1, path.size());
1367 for (int i = 0; i < size - 1; ++i) {
1368 this->SetNext(nodes[path[i]], nodes[path[i + 1]], chain_path);
1369 }
1370 this->SetNext(nodes[path[size - 1]], nodes[size], chain_path);
1371 return true;
1372}
1373
1375 const std::vector<IntVar*>& vars,
1376 const std::vector<IntVar*>& secondary_vars,
1377 Solver::IndexEvaluator3 evaluator,
1378 int chain_length) {
1379 if (secondary_vars.empty()) {
1380 return solver->RevAlloc(new TSPOpt<true>(
1381 vars, secondary_vars, std::move(evaluator), chain_length));
1382 }
1383 return solver->RevAlloc(new TSPOpt<false>(
1384 vars, secondary_vars, std::move(evaluator), chain_length));
1385}
1386
1387template <bool ignore_path_vars>
1388class TSPLns : public PathOperator<ignore_path_vars> {
1389 public:
1390 TSPLns(const std::vector<IntVar*>& vars,
1391 const std::vector<IntVar*>& secondary_vars,
1392 Solver::IndexEvaluator3 evaluator, int tsp_size);
1393 ~TSPLns() override = default;
1394 bool MakeNeighbor() override;
1395
1396 std::string DebugString() const override { return "TSPLns"; }
1397
1398 protected:
1399 bool MakeOneNeighbor() override;
1400
1401 private:
1402 void OnNodeInitialization() override {
1403 // NOTE: Avoid any computations if there are no vars added.
1404 has_long_enough_paths_ = this->Size() != 0;
1405 }
1406
1407 std::vector<std::vector<int64_t>> cost_;
1408 HamiltonianPathSolver<int64_t, std::vector<std::vector<int64_t>>>
1409 hamiltonian_path_solver_;
1410 Solver::IndexEvaluator3 evaluator_;
1411 const int tsp_size_;
1412 std::mt19937 rand_;
1413 bool has_long_enough_paths_;
1414};
1415
1416template <bool ignore_path_vars>
1417TSPLns<ignore_path_vars>::TSPLns(const std::vector<IntVar*>& vars,
1418 const std::vector<IntVar*>& secondary_vars,
1419 Solver::IndexEvaluator3 evaluator,
1420 int tsp_size)
1421 : PathOperator<ignore_path_vars>(vars, secondary_vars, 1, true, false,
1422 nullptr, nullptr, nullptr),
1423 hamiltonian_path_solver_(cost_),
1424 evaluator_(std::move(evaluator)),
1425 tsp_size_(tsp_size),
1426 rand_(CpRandomSeed()),
1427 has_long_enough_paths_(true) {
1428 CHECK_GE(tsp_size_, 0);
1429 cost_.resize(tsp_size_);
1430 for (int i = 0; i < tsp_size_; ++i) {
1431 cost_[i].resize(tsp_size_);
1432 }
1433}
1434
1435template <bool ignore_path_vars>
1437 while (has_long_enough_paths_) {
1438 has_long_enough_paths_ = false;
1440 return true;
1441 }
1442 this->Var(0)->solver()->TopPeriodicCheck();
1443 }
1444 return false;
1445}
1446
1447template <bool ignore_path_vars>
1449 const int64_t base_node = this->BaseNode(0);
1450 std::vector<int64_t> nodes;
1451 for (int64_t node = this->StartNode(0); !this->IsPathEnd(node);
1452 node = this->Next(node)) {
1453 nodes.push_back(node);
1454 }
1455 if (nodes.size() <= tsp_size_) {
1456 return false;
1457 }
1458 has_long_enough_paths_ = true;
1459 // Randomly select break nodes (final nodes of a meta-node, after which
1460 // an arc is relaxed.
1461 absl::flat_hash_set<int64_t> breaks_set;
1462 // Always add base node to break nodes (diversification)
1463 breaks_set.insert(base_node);
1464 CHECK(!nodes.empty()); // Should have been caught earlier.
1465 while (breaks_set.size() < tsp_size_) {
1466 breaks_set.insert(nodes[absl::Uniform<int>(rand_, 0, nodes.size())]);
1467 }
1468 CHECK_EQ(breaks_set.size(), tsp_size_);
1469 // Setup break node indexing and internal meta-node cost (cost of partial
1470 // route starting at first node of the meta-node and ending at its last node);
1471 // this cost has to be added to the TSP matrix cost in order to respect the
1472 // triangle inequality.
1473 std::vector<int> breaks;
1474 std::vector<int64_t> meta_node_costs;
1475 int64_t cost = 0;
1476 int64_t node = this->StartNode(0);
1477 int64_t node_path = this->Path(node);
1478 while (!this->IsPathEnd(node)) {
1479 int64_t next = this->Next(node);
1480 if (breaks_set.contains(node)) {
1481 breaks.push_back(node);
1482 meta_node_costs.push_back(cost);
1483 cost = 0;
1484 } else {
1485 cost = CapAdd(cost, evaluator_(node, next, node_path));
1486 }
1487 node = next;
1488 }
1489 meta_node_costs[0] += cost;
1490 CHECK_EQ(breaks.size(), tsp_size_);
1491 // Setup TSP cost matrix
1492 CHECK_EQ(meta_node_costs.size(), tsp_size_);
1493 for (int i = 0; i < tsp_size_; ++i) {
1494 cost_[i][0] = CapAdd(
1495 meta_node_costs[i],
1496 evaluator_(breaks[i], this->Next(breaks[tsp_size_ - 1]), node_path));
1497 for (int j = 1; j < tsp_size_; ++j) {
1498 cost_[i][j] =
1499 CapAdd(meta_node_costs[i],
1500 evaluator_(breaks[i], this->Next(breaks[j - 1]), node_path));
1501 }
1502 cost_[i][i] = 0;
1503 }
1504 // Solve TSP and inject solution in delta (only if it leads to a new solution)
1505 hamiltonian_path_solver_.ChangeCostMatrix(cost_);
1506 std::vector<PathNodeIndex> path;
1507 hamiltonian_path_solver_.TravelingSalesmanPath(&path);
1508 bool nochange = true;
1509 for (int i = 0; i < path.size() - 1; ++i) {
1510 if (path[i] != i) {
1511 nochange = false;
1512 break;
1513 }
1514 }
1515 if (nochange) {
1516 return false;
1517 }
1518 CHECK_EQ(0, path[path.size() - 1]);
1519 for (int i = 0; i < tsp_size_ - 1; ++i) {
1520 this->SetNext(breaks[path[i]], this->OldNext(breaks[path[i + 1] - 1]),
1521 node_path);
1522 }
1523 this->SetNext(breaks[path[tsp_size_ - 1]],
1524 this->OldNext(breaks[tsp_size_ - 1]), node_path);
1525 return true;
1526}
1527
1529 const std::vector<IntVar*>& vars,
1530 const std::vector<IntVar*>& secondary_vars,
1531 Solver::IndexEvaluator3 evaluator,
1532 int tsp_size) {
1533 if (secondary_vars.empty()) {
1534 return solver->RevAlloc(
1535 new TSPLns<true>(vars, secondary_vars, std::move(evaluator), tsp_size));
1536 }
1537 return solver->RevAlloc(
1538 new TSPLns<false>(vars, secondary_vars, std::move(evaluator), tsp_size));
1539}
1540
1541// ----- Lin-Kernighan -----
1542
1543// For each variable in vars, stores the 'size' pairs(i,j) with the smallest
1544// value according to evaluator, where i is the index of the variable in vars
1545// and j is in the domain of the variable.
1546// Note that the resulting pairs are sorted.
1547// Works in O(size) per variable on average (same approach as qsort)
1548
1549template <bool ignore_path_vars>
1551 public:
1553 const PathOperator<ignore_path_vars>& path_operator,
1554 int size);
1555
1556 // This type is neither copyable nor movable.
1559
1560 virtual ~NearestNeighbors() = default;
1561 void Initialize(absl::Span<const int> path);
1562 const std::vector<int>& Neighbors(int index) const;
1563
1564 virtual std::string DebugString() const { return "NearestNeighbors"; }
1565
1566 private:
1567 void ComputeNearest(int row, absl::Span<const int> path);
1568
1569 std::vector<std::vector<int>> neighbors_;
1570 Solver::IndexEvaluator3 evaluator_;
1571 const PathOperator<ignore_path_vars>& path_operator_;
1572 const int size_;
1573};
1574
1575template <bool ignore_path_vars>
1577 Solver::IndexEvaluator3 evaluator,
1578 const PathOperator<ignore_path_vars>& path_operator, int size)
1579 : neighbors_(path_operator.number_of_nexts()),
1580 evaluator_(std::move(evaluator)),
1581 path_operator_(path_operator),
1582 size_(size) {}
1583
1584template <bool ignore_path_vars>
1586 absl::Span<const int> path) {
1587 for (int node : path) {
1588 if (node < path_operator_.number_of_nexts()) ComputeNearest(node, path);
1589 }
1590}
1591
1592template <bool ignore_path_vars>
1594 int index) const {
1595 return neighbors_[index];
1596}
1597
1598template <bool ignore_path_vars>
1599void NearestNeighbors<ignore_path_vars>::ComputeNearest(
1600 int row, absl::Span<const int> path_nodes) {
1601 // Find size_ nearest neighbors for row of index 'row'.
1602 const int path = path_operator_.Path(row);
1603 const IntVar* var = path_operator_.Var(row);
1604 using ValuedIndex = std::pair<int64_t /*value*/, int /*index*/>;
1605 std::vector<ValuedIndex> neighbors;
1606 for (int index : path_nodes) {
1607 if (!var->Contains(index)) continue;
1608 neighbors.push_back({evaluator_(row, index, path), index});
1609 }
1610 const int neighbors_size = neighbors.size();
1611 if (neighbors_size > size_) {
1612 std::nth_element(neighbors.begin(), neighbors.begin() + size_ - 1,
1613 neighbors.end());
1614 }
1615
1616 // Setup global neighbor matrix for row row_index
1617 neighbors_[row].clear();
1618 for (int i = 0; i < std::min(size_, neighbors_size); ++i) {
1619 neighbors_[row].push_back(neighbors[i].second);
1620 }
1621 std::sort(neighbors_[row].begin(), neighbors_[row].end());
1622}
1623
1624template <bool ignore_path_vars>
1625class LinKernighan : public PathOperator<ignore_path_vars> {
1626 public:
1627 LinKernighan(const std::vector<IntVar*>& vars,
1628 const std::vector<IntVar*>& secondary_vars,
1629 const Solver::IndexEvaluator3& evaluator, bool topt);
1630 ~LinKernighan() override = default;
1631 bool MakeNeighbor() override;
1632
1633 std::string DebugString() const override { return "LinKernighan"; }
1634
1635 private:
1636 void OnNodeInitialization() override;
1637
1638 bool GetBestOut(int64_t in_i, int64_t in_j, int64_t* out, int64_t* gain);
1639
1640 Solver::IndexEvaluator3 const evaluator_;
1642 absl::flat_hash_set<int64_t> marked_;
1643 const bool topt_;
1644 std::vector<int> old_path_starts_;
1645};
1646
1647// While the accumulated local gain is positive, perform a 2opt or a 3opt move
1648// followed by a series of 2opt moves. Return a neighbor for which the global
1649// gain is positive.
1650
1651template <bool ignore_path_vars>
1653 const std::vector<IntVar*>& vars,
1654 const std::vector<IntVar*>& secondary_vars,
1655 const Solver::IndexEvaluator3& evaluator, bool topt)
1656 : PathOperator<ignore_path_vars>(vars, secondary_vars, 1, true, false,
1657 nullptr, nullptr, nullptr),
1658 evaluator_(evaluator),
1659 neighbors_(evaluator, *this, /*size=*/5 + 1),
1660 topt_(topt) {
1661 old_path_starts_.resize(this->number_of_nexts(), -1);
1662}
1663
1664template <bool ignore_path_vars>
1665void LinKernighan<ignore_path_vars>::OnNodeInitialization() {
1666 absl::flat_hash_set<int> touched_paths;
1667 for (int i = 0; i < this->number_of_nexts(); ++i) {
1668 if (this->IsPathStart(i)) {
1669 for (int node = i; !this->IsPathEnd(node); node = this->Next(node)) {
1670 if (i != old_path_starts_[node]) {
1671 touched_paths.insert(old_path_starts_[node]);
1672 touched_paths.insert(i);
1673 old_path_starts_[node] = i;
1674 }
1675 }
1676 } else if (this->Next(i) == i) {
1677 touched_paths.insert(old_path_starts_[i]);
1678 old_path_starts_[i] = -1;
1679 }
1680 }
1681 for (int touched_path_start : touched_paths) {
1682 if (touched_path_start == -1) continue;
1683 std::vector<int> path;
1684 int node = touched_path_start;
1685 while (!this->IsPathEnd(node)) {
1686 path.push_back(node);
1687 node = this->Next(node);
1688 }
1689 path.push_back(node);
1690 neighbors_.Initialize(path);
1691 }
1692}
1693
1694template <bool ignore_path_vars>
1696 marked_.clear();
1697 int64_t node = this->BaseNode(0);
1698 int64_t path = this->Path(node);
1699 int64_t base = node;
1700 int64_t next = this->Next(node);
1701 if (this->IsPathEnd(next)) return false;
1702 int64_t out = -1;
1703 int64_t gain = 0;
1704 marked_.insert(node);
1705 if (topt_) { // Try a 3opt first
1706 if (!GetBestOut(node, next, &out, &gain)) return false;
1707 marked_.insert(next);
1708 marked_.insert(out);
1709 const int64_t node1 = out;
1710 if (this->IsPathEnd(node1)) return false;
1711 const int64_t next1 = this->Next(node1);
1712 if (this->IsPathEnd(next1)) return false;
1713 if (!GetBestOut(node1, next1, &out, &gain)) return false;
1714 marked_.insert(next1);
1715 marked_.insert(out);
1716 if (!this->CheckChainValidity(out, node1, node) ||
1717 !this->MoveChain(out, node1, node)) {
1718 return false;
1719 }
1720 const int64_t next_out = this->Next(out);
1721 const int64_t in_cost = evaluator_(node, next_out, path);
1722 const int64_t out_cost = evaluator_(out, next_out, path);
1723 if (CapAdd(CapSub(gain, in_cost), out_cost) > 0) return true;
1724 node = out;
1725 if (this->IsPathEnd(node)) return false;
1726 next = next_out;
1727 if (this->IsPathEnd(next)) return false;
1728 }
1729 // Try 2opts
1730 while (GetBestOut(node, next, &out, &gain)) {
1731 marked_.insert(next);
1732 marked_.insert(out);
1733 int64_t chain_last;
1734 if (this->Next(base) == out ||
1735 (!this->IsPathEnd(out) && this->Next(out) == base)) {
1736 return false;
1737 }
1738 const bool success = this->ReverseChain(base, out, &chain_last) ||
1739 this->ReverseChain(out, base, &chain_last);
1740 if (!success) {
1741#ifndef NDEBUG
1742 LOG(ERROR) << "ReverseChain failed: " << base << " " << out;
1743 for (int node = this->StartNode(0); !this->IsPathEnd(node);
1744 node = this->Next(node)) {
1745 LOG(ERROR) << "node: " << node;
1746 }
1747 LOG(ERROR) << "node: " << node;
1748 DCHECK(false);
1749#endif
1750 }
1751 const int64_t in_cost = evaluator_(base, chain_last, path);
1752 const int64_t out_cost = evaluator_(chain_last, out, path);
1753 if (CapAdd(CapSub(gain, in_cost), out_cost) > 0) {
1754 return true;
1755 }
1756 node = out;
1757 if (this->IsPathEnd(node)) {
1758 return false;
1759 }
1760 next = chain_last;
1761 if (this->IsPathEnd(next)) {
1762 return false;
1763 }
1764 }
1765 return false;
1766}
1767
1768template <bool ignore_path_vars>
1769bool LinKernighan<ignore_path_vars>::GetBestOut(int64_t in_i, int64_t in_j,
1770 int64_t* out, int64_t* gain) {
1771 int64_t best_gain = std::numeric_limits<int64_t>::min();
1772 const int64_t path = this->Path(in_i);
1773 const int64_t out_cost = evaluator_(in_i, in_j, path);
1774 const int64_t current_gain = CapAdd(*gain, out_cost);
1775 for (int next : neighbors_.Neighbors(in_j)) {
1776 if (next != in_j && next != this->Next(in_j) && !marked_.contains(in_j) &&
1777 !marked_.contains(next)) {
1778 const int64_t in_cost = evaluator_(in_j, next, path);
1779 const int64_t new_gain = CapSub(current_gain, in_cost);
1780 if (new_gain > 0 && best_gain < new_gain) {
1781 *out = next;
1782 best_gain = new_gain;
1783 }
1784 }
1785 }
1786 *gain = best_gain;
1787 return (best_gain > std::numeric_limits<int64_t>::min());
1788}
1789
1791 Solver* solver, const std::vector<IntVar*>& vars,
1792 const std::vector<IntVar*>& secondary_vars,
1793 const Solver::IndexEvaluator3& evaluator, bool topt) {
1794 if (secondary_vars.empty()) {
1795 return solver->RevAlloc(new LinKernighan<true>(vars, secondary_vars,
1796 std::move(evaluator), topt));
1797 }
1798 return solver->RevAlloc(new LinKernighan<false>(vars, secondary_vars,
1799 std::move(evaluator), topt));
1800}
1801
1802// ----- Path-based Large Neighborhood Search -----
1803
1804template <bool ignore_path_vars>
1805class PathLns : public PathOperator<ignore_path_vars> {
1806 public:
1807 PathLns(const std::vector<IntVar*>& vars,
1808 const std::vector<IntVar*>& secondary_vars, int number_of_chunks,
1809 int chunk_size, bool unactive_fragments)
1810 : PathOperator<ignore_path_vars>(vars, secondary_vars, number_of_chunks,
1811 true, true, nullptr, nullptr, nullptr),
1812 number_of_chunks_(number_of_chunks),
1813 chunk_size_(chunk_size),
1814 unactive_fragments_(unactive_fragments) {
1815 CHECK_GE(chunk_size_, 0);
1816 }
1817 ~PathLns() override = default;
1818 bool MakeNeighbor() override;
1819
1820 std::string DebugString() const override { return "PathLns"; }
1821 bool HasFragments() const override { return true; }
1822
1823 private:
1824 inline bool ChainsAreFullPaths() const { return chunk_size_ == 0; }
1825 void DeactivateChain(int64_t node);
1826 void DeactivateUnactives();
1827
1828 const int number_of_chunks_;
1829 const int chunk_size_;
1830 const bool unactive_fragments_;
1831};
1832
1833template <bool ignore_path_vars>
1835 if (ChainsAreFullPaths()) {
1836 // Reject the current position as a neighbor if any of its base node
1837 // isn't at the start of a path.
1838 // TODO(user): make this more efficient.
1839 for (int i = 0; i < number_of_chunks_; ++i) {
1840 if (this->BaseNode(i) != this->StartNode(i)) return false;
1841 }
1842 }
1843 for (int i = 0; i < number_of_chunks_; ++i) {
1844 DeactivateChain(this->BaseNode(i));
1845 }
1846 DeactivateUnactives();
1847 return true;
1848}
1849
1850template <bool ignore_path_vars>
1851void PathLns<ignore_path_vars>::DeactivateChain(int64_t node) {
1852 for (int i = 0, current = node;
1853 (ChainsAreFullPaths() || i < chunk_size_) && !this->IsPathEnd(current);
1854 ++i, current = this->Next(current)) {
1855 this->Deactivate(current);
1856 if constexpr (!ignore_path_vars) {
1857 this->Deactivate(this->number_of_nexts_ + current);
1858 }
1859 }
1860}
1861
1862template <bool ignore_path_vars>
1863void PathLns<ignore_path_vars>::DeactivateUnactives() {
1864 if (unactive_fragments_) {
1865 for (int i = 0; i < this->Size(); ++i) {
1866 if (this->IsInactive(i)) {
1867 this->Deactivate(i);
1868 if constexpr (!ignore_path_vars) {
1869 this->Deactivate(this->number_of_nexts_ + i);
1870 }
1871 }
1872 }
1873 }
1874}
1875
1877 const std::vector<IntVar*>& vars,
1878 const std::vector<IntVar*>& secondary_vars,
1879 int number_of_chunks, int chunk_size,
1880 bool unactive_fragments) {
1881 if (secondary_vars.empty()) {
1882 return solver->RevAlloc(new PathLns<true>(vars, secondary_vars,
1883 number_of_chunks, chunk_size,
1884 unactive_fragments));
1885 }
1886 return solver->RevAlloc(new PathLns<false>(
1887 vars, secondary_vars, number_of_chunks, chunk_size, unactive_fragments));
1888}
1889
1890// ----- Limit the number of neighborhoods explored -----
1891
1893 public:
1894 NeighborhoodLimit(LocalSearchOperator* const op, int64_t limit)
1895 : operator_(op), limit_(limit), next_neighborhood_calls_(0) {
1896 CHECK(op != nullptr);
1897 CHECK_GT(limit, 0);
1898 }
1899
1900 void Start(const Assignment* assignment) override {
1901 next_neighborhood_calls_ = 0;
1902 operator_->Start(assignment);
1903 }
1904
1905 bool MakeNextNeighbor(Assignment* delta, Assignment* deltadelta) override {
1906 if (next_neighborhood_calls_ >= limit_) {
1907 return false;
1908 }
1909 ++next_neighborhood_calls_;
1910 return operator_->MakeNextNeighbor(delta, deltadelta);
1911 }
1912
1913 bool HoldsDelta() const override { return operator_->HoldsDelta(); }
1914
1915 std::string DebugString() const override { return "NeighborhoodLimit"; }
1916
1917 private:
1918 LocalSearchOperator* const operator_;
1919 const int64_t limit_;
1920 int64_t next_neighborhood_calls_;
1921};
1922
1924 LocalSearchOperator* const op, int64_t limit) {
1925 return RevAlloc(new NeighborhoodLimit(op, limit));
1926}
1927
1928// ----- Concatenation of operators -----
1929
1930namespace {
1931class CompoundOperator : public LocalSearchOperator {
1932 public:
1933 CompoundOperator(std::vector<LocalSearchOperator*> operators,
1934 std::function<int64_t(int, int)> evaluator);
1935 ~CompoundOperator() override {}
1936 void EnterSearch() override;
1937 void Reset() override;
1938 void Start(const Assignment* assignment) override;
1939 bool MakeNextNeighbor(Assignment* delta, Assignment* deltadelta) override;
1940 bool HasFragments() const override { return has_fragments_; }
1941 bool HoldsDelta() const override { return true; }
1942
1943 std::string DebugString() const override {
1944 return operators_.empty()
1945 ? ""
1946 : operators_[operator_indices_[index_]]->DebugString();
1947 }
1948 const LocalSearchOperator* Self() const override {
1949 return operators_.empty() ? this
1950 : operators_[operator_indices_[index_]]->Self();
1951 }
1952
1953 private:
1954 class OperatorComparator {
1955 public:
1956 OperatorComparator(std::function<int64_t(int, int)> evaluator,
1957 int active_operator)
1958 : evaluator_(std::move(evaluator)), active_operator_(active_operator) {}
1959 bool operator()(int lhs, int rhs) const {
1960 const int64_t lhs_value = Evaluate(lhs);
1961 const int64_t rhs_value = Evaluate(rhs);
1962 return lhs_value < rhs_value || (lhs_value == rhs_value && lhs < rhs);
1963 }
1964
1965 private:
1966 int64_t Evaluate(int operator_index) const {
1967 return evaluator_(active_operator_, operator_index);
1968 }
1969
1970 std::function<int64_t(int, int)> evaluator_;
1971 const int active_operator_;
1972 };
1973
1974 int64_t index_;
1975 std::vector<LocalSearchOperator*> operators_;
1976 std::vector<int> operator_indices_;
1977 std::function<int64_t(int, int)> evaluator_;
1978 Bitset64<> started_;
1979 const Assignment* start_assignment_;
1980 bool has_fragments_;
1981};
1982
1983CompoundOperator::CompoundOperator(std::vector<LocalSearchOperator*> operators,
1984 std::function<int64_t(int, int)> evaluator)
1985 : index_(0),
1986 operators_(std::move(operators)),
1987 evaluator_(std::move(evaluator)),
1988 started_(operators_.size()),
1989 start_assignment_(nullptr),
1990 has_fragments_(false) {
1991 operators_.erase(std::remove(operators_.begin(), operators_.end(), nullptr),
1992 operators_.end());
1993 operator_indices_.resize(operators_.size());
1994 absl::c_iota(operator_indices_, 0);
1995 for (LocalSearchOperator* const op : operators_) {
1996 if (op->HasFragments()) {
1997 has_fragments_ = true;
1998 break;
1999 }
2000 }
2001}
2002
2003void CompoundOperator::EnterSearch() {
2004 absl::c_iota(operator_indices_, 0);
2005 index_ = 0;
2006 for (LocalSearchOperator* const op : operators_) {
2007 op->EnterSearch();
2008 }
2009}
2010
2011void CompoundOperator::Reset() {
2012 for (LocalSearchOperator* const op : operators_) {
2013 op->Reset();
2014 }
2015}
2016
2017void CompoundOperator::Start(const Assignment* assignment) {
2018 start_assignment_ = assignment;
2019 started_.ClearAll();
2020 if (!operators_.empty()) {
2021 std::sort(operator_indices_.begin(), operator_indices_.end(),
2022 OperatorComparator(evaluator_, operator_indices_[index_]));
2023 index_ = 0;
2024 }
2025}
2026
2027bool CompoundOperator::MakeNextNeighbor(Assignment* delta,
2028 Assignment* deltadelta) {
2029 const auto is_leaf = [](const LocalSearchOperator* op) {
2030 return op == op->Self();
2031 };
2032 if (!operators_.empty()) {
2033 Solver* solver = delta->solver();
2034 do {
2035 // TODO(user): keep copy of delta in case MakeNextNeighbor
2036 // pollutes delta on a fail.
2037 const int64_t operator_index = operator_indices_[index_];
2038 LocalSearchOperator* op = operators_[operator_index];
2039 if (!started_[operator_index]) {
2040 op->Start(start_assignment_);
2041 started_.Set(operator_index);
2042 }
2043 if (!op->HoldsDelta()) {
2044 delta->Clear();
2045 }
2046 if (is_leaf(op)) {
2047 solver->GetLocalSearchMonitor()->BeginMakeNextNeighbor(op);
2048 }
2049 if (op->MakeNextNeighbor(delta, deltadelta)) return true;
2050 if (is_leaf(op)) {
2051 solver->GetLocalSearchMonitor()->EndMakeNextNeighbor(
2052 op, /*has_neighbor*/ false, delta, deltadelta);
2053 }
2054 ++index_;
2055 delta->Clear();
2056 if (index_ == operators_.size()) {
2057 index_ = 0;
2058 }
2059 } while (index_ != 0);
2060 }
2061 return false;
2062}
2063
2064int64_t CompoundOperatorNoRestart(int size, int active_index,
2065 int operator_index) {
2066 return (operator_index < active_index) ? size + operator_index - active_index
2067 : operator_index - active_index;
2068}
2069} // namespace
2070
2072 const std::vector<LocalSearchOperator*>& ops) {
2073 return ConcatenateOperators(ops, false);
2074}
2075
2077 const std::vector<LocalSearchOperator*>& ops, bool restart) {
2078 if (restart) {
2079 return ConcatenateOperators(
2080 ops, std::function<int64_t(int, int)>([](int, int) { return 0; }));
2081 }
2082 const int size = ops.size();
2083 return ConcatenateOperators(ops, [size](int i, int j) {
2084 return CompoundOperatorNoRestart(size, i, j);
2085 });
2086}
2087
2089 const std::vector<LocalSearchOperator*>& ops,
2090 std::function<int64_t(int, int)> evaluator) {
2091 return RevAlloc(new CompoundOperator(ops, std::move(evaluator)));
2092}
2093
2094namespace {
2095class RandomCompoundOperator : public LocalSearchOperator {
2096 public:
2097 explicit RandomCompoundOperator(std::vector<LocalSearchOperator*> operators);
2098 RandomCompoundOperator(std::vector<LocalSearchOperator*> operators,
2099 int32_t seed);
2100 ~RandomCompoundOperator() override {}
2101 void EnterSearch() override;
2102 void Reset() override;
2103 void Start(const Assignment* assignment) override;
2104 bool MakeNextNeighbor(Assignment* delta, Assignment* deltadelta) override;
2105 bool HoldsDelta() const override { return true; }
2106
2107 std::string DebugString() const override { return "RandomCompoundOperator"; }
2108 // TODO(user): define Self method.
2109
2110 private:
2111 std::mt19937 rand_;
2112 const std::vector<LocalSearchOperator*> operators_;
2113 bool has_fragments_;
2114};
2115
2116void RandomCompoundOperator::Start(const Assignment* assignment) {
2117 for (LocalSearchOperator* const op : operators_) {
2118 op->Start(assignment);
2119 }
2120}
2121
2122RandomCompoundOperator::RandomCompoundOperator(
2123 std::vector<LocalSearchOperator*> operators)
2124 : RandomCompoundOperator(std::move(operators), CpRandomSeed()) {}
2125
2126RandomCompoundOperator::RandomCompoundOperator(
2127 std::vector<LocalSearchOperator*> operators, int32_t seed)
2128 : rand_(seed), operators_(std::move(operators)), has_fragments_(false) {
2129 for (LocalSearchOperator* const op : operators_) {
2130 if (op->HasFragments()) {
2131 has_fragments_ = true;
2132 break;
2133 }
2134 }
2135}
2136
2137void RandomCompoundOperator::EnterSearch() {
2138 for (LocalSearchOperator* const op : operators_) {
2139 op->EnterSearch();
2140 }
2141}
2142
2143void RandomCompoundOperator::Reset() {
2144 for (LocalSearchOperator* const op : operators_) {
2145 op->Reset();
2146 }
2147}
2148
2149bool RandomCompoundOperator::MakeNextNeighbor(Assignment* delta,
2150 Assignment* deltadelta) {
2151 const int size = operators_.size();
2152 std::vector<int> indices(size);
2153 absl::c_iota(indices, 0);
2154 std::shuffle(indices.begin(), indices.end(), rand_);
2155 for (int index : indices) {
2156 if (!operators_[index]->HoldsDelta()) {
2157 delta->Clear();
2158 }
2159 if (operators_[index]->MakeNextNeighbor(delta, deltadelta)) {
2160 return true;
2161 }
2162 delta->Clear();
2163 }
2164 return false;
2165}
2166} // namespace
2167
2169 const std::vector<LocalSearchOperator*>& ops) {
2170 return RevAlloc(new RandomCompoundOperator(ops));
2171}
2172
2174 const std::vector<LocalSearchOperator*>& ops, int32_t seed) {
2175 return RevAlloc(new RandomCompoundOperator(ops, seed));
2176}
2177
2178namespace {
2179class MultiArmedBanditCompoundOperator : public LocalSearchOperator {
2180 public:
2181 explicit MultiArmedBanditCompoundOperator(
2182 std::vector<LocalSearchOperator*> operators, double memory_coefficient,
2183 double exploration_coefficient, bool maximize);
2184 ~MultiArmedBanditCompoundOperator() override {}
2185 void EnterSearch() override;
2186 void Reset() override;
2187 void Start(const Assignment* assignment) override;
2188 bool MakeNextNeighbor(Assignment* delta, Assignment* deltadelta) override;
2189 bool HoldsDelta() const override { return true; }
2190
2191 std::string DebugString() const override {
2192 return operators_.empty()
2193 ? ""
2194 : operators_[operator_indices_[index_]]->DebugString();
2195 }
2196 const LocalSearchOperator* Self() const override {
2197 return operators_.empty() ? this
2198 : operators_[operator_indices_[index_]]->Self();
2199 }
2200
2201 private:
2202 double Score(int index);
2203 int index_;
2204 std::vector<LocalSearchOperator*> operators_;
2205 Bitset64<> started_;
2206 const Assignment* start_assignment_;
2207 bool has_fragments_;
2208 std::vector<int> operator_indices_;
2209 int64_t last_objective_;
2210 std::vector<double> avg_improvement_;
2211 int num_neighbors_;
2212 std::vector<double> num_neighbors_per_operator_;
2213 const bool maximize_;
2214 // Sets how much the objective improvement of previous accepted neighbors
2215 // influence the current average improvement. The formula is
2216 // avg_improvement +=
2217 // memory_coefficient * (current_improvement - avg_improvement).
2218 const double memory_coefficient_;
2219 // Sets how often we explore rarely used and unsuccessful in the past
2220 // operators. Operators are sorted by
2221 // avg_improvement_[i] + exploration_coefficient_ *
2222 // sqrt(2 * log(1 + num_neighbors_) / (1 + num_neighbors_per_operator_[i])).
2223 // This definition uses the UCB1 exploration bonus for unstructured
2224 // multi-armed bandits.
2225 const double exploration_coefficient_;
2226};
2227
2228MultiArmedBanditCompoundOperator::MultiArmedBanditCompoundOperator(
2229 std::vector<LocalSearchOperator*> operators, double memory_coefficient,
2230 double exploration_coefficient, bool maximize)
2231 : index_(0),
2232 operators_(std::move(operators)),
2233 started_(operators_.size()),
2234 start_assignment_(nullptr),
2235 has_fragments_(false),
2236 last_objective_(std::numeric_limits<int64_t>::max()),
2237 num_neighbors_(0),
2238 maximize_(maximize),
2239 memory_coefficient_(memory_coefficient),
2240 exploration_coefficient_(exploration_coefficient) {
2241 DCHECK_GE(memory_coefficient_, 0);
2242 DCHECK_LE(memory_coefficient_, 1);
2243 DCHECK_GE(exploration_coefficient_, 0);
2244 operators_.erase(std::remove(operators_.begin(), operators_.end(), nullptr),
2245 operators_.end());
2246 operator_indices_.resize(operators_.size());
2247 absl::c_iota(operator_indices_, 0);
2248 num_neighbors_per_operator_.resize(operators_.size(), 0);
2249 avg_improvement_.resize(operators_.size(), 0);
2250 for (LocalSearchOperator* const op : operators_) {
2251 if (op->HasFragments()) {
2252 has_fragments_ = true;
2253 break;
2254 }
2255 }
2256}
2257
2258void MultiArmedBanditCompoundOperator::EnterSearch() {
2259 last_objective_ = std::numeric_limits<int64_t>::max();
2260 num_neighbors_ = 0;
2261 absl::c_iota(operator_indices_, 0);
2262 index_ = 0;
2263 num_neighbors_per_operator_.resize(operators_.size(), 0);
2264 avg_improvement_.resize(operators_.size(), 0);
2265 for (LocalSearchOperator* const op : operators_) {
2266 op->EnterSearch();
2267 }
2268}
2269
2270void MultiArmedBanditCompoundOperator::Reset() {
2271 for (LocalSearchOperator* const op : operators_) {
2272 op->Reset();
2273 }
2274}
2275
2276double MultiArmedBanditCompoundOperator::Score(int index) {
2277 return avg_improvement_[index] +
2278 exploration_coefficient_ *
2279 sqrt(2 * log(1 + num_neighbors_) /
2280 (1 + num_neighbors_per_operator_[index]));
2281}
2282
2283void MultiArmedBanditCompoundOperator::Start(const Assignment* assignment) {
2284 start_assignment_ = assignment;
2285 started_.ClearAll();
2286 if (operators_.empty()) return;
2287
2288 const double objective = assignment->ObjectiveValue();
2289
2290 if (objective == last_objective_) return;
2291 // Skip a neighbor evaluation if last_objective_ hasn't been set yet.
2292 if (last_objective_ == std::numeric_limits<int64_t>::max()) {
2293 last_objective_ = objective;
2294 return;
2295 }
2296
2297 const double improvement =
2298 maximize_ ? objective - last_objective_ : last_objective_ - objective;
2299 if (improvement < 0) {
2300 return;
2301 }
2302 last_objective_ = objective;
2303 avg_improvement_[operator_indices_[index_]] +=
2304 memory_coefficient_ *
2305 (improvement - avg_improvement_[operator_indices_[index_]]);
2306
2307 std::sort(operator_indices_.begin(), operator_indices_.end(),
2308 [this](int lhs, int rhs) {
2309 const double lhs_score = Score(lhs);
2310 const double rhs_score = Score(rhs);
2311 return lhs_score > rhs_score ||
2312 (lhs_score == rhs_score && lhs < rhs);
2313 });
2314
2315 index_ = 0;
2316}
2317
2318bool MultiArmedBanditCompoundOperator::MakeNextNeighbor(
2319 Assignment* delta, Assignment* deltadelta) {
2320 if (operators_.empty()) return false;
2321 do {
2322 const int operator_index = operator_indices_[index_];
2323 if (!started_[operator_index]) {
2324 operators_[operator_index]->Start(start_assignment_);
2325 started_.Set(operator_index);
2326 }
2327 if (!operators_[operator_index]->HoldsDelta()) {
2328 delta->Clear();
2329 }
2330 if (operators_[operator_index]->MakeNextNeighbor(delta, deltadelta)) {
2331 ++num_neighbors_;
2332 ++num_neighbors_per_operator_[operator_index];
2333 return true;
2334 }
2335 ++index_;
2336 delta->Clear();
2337 if (index_ == operators_.size()) {
2338 index_ = 0;
2339 }
2340 } while (index_ != 0);
2341 return false;
2342}
2343} // namespace
2344
2346 const std::vector<LocalSearchOperator*>& ops, double memory_coefficient,
2347 double exploration_coefficient, bool maximize) {
2348 return RevAlloc(new MultiArmedBanditCompoundOperator(
2349 ops, memory_coefficient, exploration_coefficient, maximize));
2350}
2351
2352// TODO(user): Remove (parts of) the following methods as they are mostly
2353// redundant with individual operator builder functions.
2355 const std::vector<IntVar*>& vars, Solver::LocalSearchOperators op,
2356 NeighborAccessor get_incoming_neighbors,
2357 NeighborAccessor get_outgoing_neighbors) {
2358 return MakeOperator(vars, std::vector<IntVar*>(), op,
2359 std::move(get_incoming_neighbors),
2360 std::move(get_outgoing_neighbors));
2361}
2362
2363LocalSearchOperator* Solver::MakeOperator(
2364 const std::vector<IntVar*>& vars,
2365 const std::vector<IntVar*>& secondary_vars, Solver::LocalSearchOperators op,
2366 NeighborAccessor get_incoming_neighbors,
2367 NeighborAccessor get_outgoing_neighbors) {
2368 switch (op) {
2369 case Solver::TWOOPT: {
2370 return MakeTwoOpt(this, vars, secondary_vars, nullptr,
2371 std::move(get_incoming_neighbors),
2372 std::move(get_outgoing_neighbors));
2373 }
2374 case Solver::OROPT: {
2375 std::vector<LocalSearchOperator*> operators;
2376 for (int i = 1; i < 4; ++i) {
2377 operators.push_back(MakeRelocate(this, vars, secondary_vars,
2378 /*start_empty_path_class=*/nullptr,
2379 /*get_incoming_neighbors=*/nullptr,
2380 /*get_outgoing_neighbors=*/nullptr,
2381 /*chain_length=*/i,
2382 /*single_path=*/true,
2383 /*name=*/"OrOpt"));
2384 }
2385 return ConcatenateOperators(operators);
2386 }
2387 case Solver::RELOCATE: {
2388 return MakeRelocate(
2389 this, vars, secondary_vars, /*start_empty_path_class=*/nullptr,
2390 std::move(get_incoming_neighbors), std::move(get_outgoing_neighbors));
2391 }
2392 case Solver::EXCHANGE: {
2393 return MakeExchange(this, vars, secondary_vars, nullptr,
2394 std::move(get_incoming_neighbors),
2395 std::move(get_outgoing_neighbors));
2396 }
2397 case Solver::CROSS: {
2398 return MakeCross(this, vars, secondary_vars, nullptr,
2399 std::move(get_incoming_neighbors),
2400 std::move(get_outgoing_neighbors));
2401 }
2402 case Solver::MAKEACTIVE: {
2403 return MakeActive(this, vars, secondary_vars, nullptr);
2404 }
2405 case Solver::MAKEINACTIVE: {
2406 return MakeInactive(this, vars, secondary_vars, nullptr);
2407 }
2409 return MakeChainInactive(this, vars, secondary_vars, nullptr);
2410 }
2411 case Solver::SWAPACTIVE: {
2412 return MakeSwapActive(this, vars, secondary_vars, nullptr);
2413 }
2415 return MakeSwapActiveChain(this, vars, secondary_vars, nullptr,
2416 kint32max);
2417 }
2419 return MakeExtendedSwapActive(this, vars, secondary_vars, nullptr);
2420 }
2421 case Solver::PATHLNS: {
2422 return MakePathLns(this, vars, secondary_vars, /*number_of_chunks=*/2,
2423 /*chunk_size=*/3, /*unactive_fragments=*/false);
2424 }
2425 case Solver::FULLPATHLNS: {
2426 return MakePathLns(this, vars, secondary_vars,
2427 /*number_of_chunks=*/1,
2428 /*chunk_size=*/0,
2429 /*unactive_fragments=*/true);
2430 }
2431 case Solver::UNACTIVELNS: {
2432 return MakePathLns(this, vars, secondary_vars, /*number_of_chunks=*/1,
2433 /*chunk_size=*/6, /*unactive_fragments=*/true);
2434 }
2435 case Solver::INCREMENT: {
2436 if (!secondary_vars.empty()) {
2437 LOG(FATAL) << "Operator " << op
2438 << " does not support secondary variables";
2439 }
2440 return RevAlloc(new IncrementValue(vars));
2441 }
2442 case Solver::DECREMENT: {
2443 if (!secondary_vars.empty()) {
2444 LOG(FATAL) << "Operator " << op
2445 << " does not support secondary variables";
2446 }
2447 return RevAlloc(new DecrementValue(vars));
2448 }
2449 case Solver::SIMPLELNS: {
2450 if (!secondary_vars.empty()) {
2451 LOG(FATAL) << "Operator " << op
2452 << " does not support secondary variables";
2453 }
2454 return RevAlloc(new SimpleLns(vars, 1));
2455 }
2456 default:
2457 LOG(FATAL) << "Unknown operator " << op;
2458 }
2459 return nullptr;
2460}
2461
2463 const std::vector<IntVar*>& vars, Solver::IndexEvaluator3 evaluator,
2465 return MakeOperator(vars, std::vector<IntVar*>(), std::move(evaluator), op);
2466}
2467
2469 const std::vector<IntVar*>& vars,
2470 const std::vector<IntVar*>& secondary_vars,
2471 Solver::IndexEvaluator3 evaluator,
2473 switch (op) {
2474 case Solver::LK: {
2475 std::vector<LocalSearchOperator*> operators;
2476 operators.push_back(MakeLinKernighan(this, vars, secondary_vars,
2477 evaluator, /*topt=*/false));
2478 operators.push_back(MakeLinKernighan(this, vars, secondary_vars,
2479 evaluator, /*topt=*/true));
2480 return ConcatenateOperators(operators);
2481 }
2482 case Solver::TSPOPT: {
2483 return MakeTSPOpt(this, vars, secondary_vars, std::move(evaluator),
2484 absl::GetFlag(FLAGS_cp_local_search_tsp_opt_size));
2485 }
2486 case Solver::TSPLNS: {
2487 return MakeTSPLns(this, vars, secondary_vars, std::move(evaluator),
2488 absl::GetFlag(FLAGS_cp_local_search_tsp_lns_size));
2489 }
2490 default:
2491 LOG(FATAL) << "Unknown operator " << op;
2492 }
2493 return nullptr;
2494}
2495
2496namespace {
2497// Always accepts deltas, cost 0.
2498class AcceptFilter : public LocalSearchFilter {
2499 public:
2500 std::string DebugString() const override { return "AcceptFilter"; }
2501 bool Accept(const Assignment*, const Assignment*, int64_t, int64_t) override {
2502 return true;
2503 }
2504 void Synchronize(const Assignment*, const Assignment*) override {}
2505};
2506} // namespace
2507
2509 return RevAlloc(new AcceptFilter());
2510}
2511
2512namespace {
2513// Never accepts deltas, cost 0.
2514class RejectFilter : public LocalSearchFilter {
2515 public:
2516 std::string DebugString() const override { return "RejectFilter"; }
2517 bool Accept(const Assignment*, const Assignment*, int64_t, int64_t) override {
2518 return false;
2519 }
2520 void Synchronize(const Assignment*, const Assignment*) override {}
2521};
2522} // namespace
2523
2525 return RevAlloc(new RejectFilter());
2526}
2527
2528namespace {
2529// ----- Variable domain filter -----
2530// Rejects assignments to values outside the domain of variables
2531
2532class VariableDomainFilter : public LocalSearchFilter {
2533 public:
2534 VariableDomainFilter() {}
2535 ~VariableDomainFilter() override {}
2536 bool Accept(const Assignment* delta, const Assignment* deltadelta,
2537 int64_t objective_min, int64_t objective_max) override;
2538 void Synchronize(const Assignment*, const Assignment*) override {}
2539
2540 std::string DebugString() const override { return "VariableDomainFilter"; }
2541};
2542
2543bool VariableDomainFilter::Accept(const Assignment* delta, const Assignment*,
2544 int64_t, int64_t) {
2545 const Assignment::IntContainer& container = delta->IntVarContainer();
2546 const int size = container.Size();
2547 for (int i = 0; i < size; ++i) {
2548 const IntVarElement& element = container.Element(i);
2549 if (element.Activated() && !element.Var()->Contains(element.Value())) {
2550 return false;
2551 }
2552 }
2553 return true;
2554}
2555} // namespace
2556
2558 return RevAlloc(new VariableDomainFilter());
2559}
2560
2561// ----- IntVarLocalSearchFilter -----
2562
2563const int IntVarLocalSearchFilter::kUnassigned = -1;
2564
2566 const std::vector<IntVar*>& vars) {
2567 AddVars(vars);
2568}
2569
2570void IntVarLocalSearchFilter::AddVars(const std::vector<IntVar*>& vars) {
2571 if (!vars.empty()) {
2572 for (int i = 0; i < vars.size(); ++i) {
2573 const int index = vars[i]->index();
2574 if (index >= var_index_to_index_.size()) {
2575 var_index_to_index_.resize(index + 1, kUnassigned);
2576 }
2577 var_index_to_index_[index] = i + vars_.size();
2578 }
2579 vars_.insert(vars_.end(), vars.begin(), vars.end());
2580 values_.resize(vars_.size(), /*junk*/ 0);
2581 var_synced_.resize(vars_.size(), false);
2582 }
2583}
2584
2586
2588 const Assignment* delta) {
2589 if (delta == nullptr || delta->Empty()) {
2590 var_synced_.assign(var_synced_.size(), false);
2591 SynchronizeOnAssignment(assignment);
2592 } else {
2594 }
2595 OnSynchronize(delta);
2596}
2597
2599 const Assignment* assignment) {
2600 const Assignment::IntContainer& container = assignment->IntVarContainer();
2601 const int size = container.Size();
2602 for (int i = 0; i < size; ++i) {
2603 const IntVarElement& element = container.Element(i);
2604 IntVar* const var = element.Var();
2605 if (var != nullptr) {
2606 if (i < vars_.size() && vars_[i] == var) {
2607 values_[i] = element.Value();
2608 var_synced_[i] = true;
2609 } else {
2610 const int64_t kUnallocated = -1;
2611 int64_t index = kUnallocated;
2612 if (FindIndex(var, &index)) {
2613 values_[index] = element.Value();
2614 var_synced_[index] = true;
2615 }
2616 }
2617 }
2618 }
2619}
2620
2621// ----- Sum Objective filter ------
2622// Maintains the sum of costs of variables, where the subclass implements
2623// CostOfSynchronizedVariable() and FillCostOfBoundDeltaVariable() to compute
2624// the cost of a variable depending on its value.
2625// An assignment is accepted by this filter if the total cost is allowed
2626// depending on the relation defined by filter_enum:
2627// - Solver::LE -> total_cost <= objective_max.
2628// - Solver::GE -> total_cost >= objective_min.
2629// - Solver::EQ -> the conjunction of LE and GE.
2630namespace {
2631template <typename Filter>
2632class SumObjectiveFilter : public IntVarLocalSearchFilter {
2633 public:
2634 SumObjectiveFilter(const std::vector<IntVar*>& vars, Filter filter)
2636 primary_vars_size_(vars.size()),
2637 synchronized_costs_(vars.size()),
2638 delta_costs_(vars.size()),
2639 filter_(std::move(filter)),
2640 synchronized_sum_(std::numeric_limits<int64_t>::min()),
2641 delta_sum_(std::numeric_limits<int64_t>::min()),
2642 incremental_(false) {}
2643 ~SumObjectiveFilter() override {}
2644 bool Accept(const Assignment* delta, const Assignment* deltadelta,
2645 int64_t objective_min, int64_t objective_max) override {
2646 if (delta == nullptr) return false;
2647 if (deltadelta->Empty()) {
2648 if (incremental_) {
2649 for (int i = 0; i < primary_vars_size_; ++i) {
2650 delta_costs_[i] = synchronized_costs_[i];
2651 }
2652 }
2653 incremental_ = false;
2654 delta_sum_ = CapAdd(synchronized_sum_, CostOfChanges(delta, false));
2655 } else {
2656 if (incremental_) {
2657 delta_sum_ = CapAdd(delta_sum_, CostOfChanges(deltadelta, true));
2658 } else {
2659 delta_sum_ = CapAdd(synchronized_sum_, CostOfChanges(delta, true));
2660 }
2661 incremental_ = true;
2662 }
2663 return filter_(delta_sum_, objective_min, objective_max);
2664 }
2665 // If the variable is synchronized, returns its associated cost, otherwise
2666 // returns 0.
2667 virtual int64_t CostOfSynchronizedVariable(int64_t index) = 0;
2668 // Returns the cost of applying changes to the current solution.
2669 virtual int64_t CostOfChanges(const Assignment* changes,
2670 bool incremental) = 0;
2671 bool IsIncremental() const override { return true; }
2672
2673 std::string DebugString() const override { return "SumObjectiveFilter"; }
2674
2675 int64_t GetSynchronizedObjectiveValue() const override {
2676 return synchronized_sum_;
2677 }
2678 int64_t GetAcceptedObjectiveValue() const override { return delta_sum_; }
2679
2680 protected:
2681 const int primary_vars_size_;
2682 std::vector<int64_t> synchronized_costs_;
2683 std::vector<int64_t> delta_costs_;
2684 Filter filter_;
2685 int64_t synchronized_sum_;
2686 int64_t delta_sum_;
2687 bool incremental_;
2688
2689 private:
2690 void OnSynchronize(const Assignment*) override {
2691 synchronized_sum_ = 0;
2692 for (int i = 0; i < primary_vars_size_; ++i) {
2693 const int64_t cost = CostOfSynchronizedVariable(i);
2694 synchronized_costs_[i] = cost;
2695 delta_costs_[i] = cost;
2696 synchronized_sum_ = CapAdd(synchronized_sum_, cost);
2697 }
2698 delta_sum_ = synchronized_sum_;
2699 incremental_ = false;
2700 }
2701};
2702
2703template <typename Filter>
2704class BinaryObjectiveFilter : public SumObjectiveFilter<Filter> {
2705 public:
2706 BinaryObjectiveFilter(const std::vector<IntVar*>& vars,
2707 Solver::IndexEvaluator2 value_evaluator, Filter filter)
2708 : SumObjectiveFilter<Filter>(vars, std::move(filter)),
2709 value_evaluator_(std::move(value_evaluator)) {}
2710 ~BinaryObjectiveFilter() override {}
2711 int64_t CostOfSynchronizedVariable(int64_t index) override {
2712 return IntVarLocalSearchFilter::IsVarSynced(index)
2713 ? value_evaluator_(index, IntVarLocalSearchFilter::Value(index))
2714 : 0;
2715 }
2716 int64_t CostOfChanges(const Assignment* changes, bool incremental) override {
2717 int64_t total_cost = 0;
2718 const Assignment::IntContainer& container = changes->IntVarContainer();
2719 for (const IntVarElement& new_element : container.elements()) {
2720 IntVar* const var = new_element.Var();
2721 int64_t index = -1;
2722 if (this->FindIndex(var, &index)) {
2723 total_cost = CapSub(total_cost, this->delta_costs_[index]);
2724 int64_t new_cost = 0LL;
2725 if (new_element.Activated()) {
2726 new_cost = value_evaluator_(index, new_element.Value());
2727 } else if (var->Bound()) {
2728 new_cost = value_evaluator_(index, var->Min());
2729 }
2730 total_cost = CapAdd(total_cost, new_cost);
2731 if (incremental) {
2732 this->delta_costs_[index] = new_cost;
2733 }
2734 }
2735 }
2736 return total_cost;
2737 }
2738
2739 private:
2740 Solver::IndexEvaluator2 value_evaluator_;
2741};
2742
2743template <typename Filter>
2744class TernaryObjectiveFilter : public SumObjectiveFilter<Filter> {
2745 public:
2746 TernaryObjectiveFilter(const std::vector<IntVar*>& vars,
2747 const std::vector<IntVar*>& secondary_vars,
2748 Solver::IndexEvaluator3 value_evaluator, Filter filter)
2749 : SumObjectiveFilter<Filter>(vars, std::move(filter)),
2750 secondary_vars_offset_(vars.size()),
2751 secondary_values_(vars.size(), -1),
2752 value_evaluator_(std::move(value_evaluator)) {
2753 IntVarLocalSearchFilter::AddVars(secondary_vars);
2754 CHECK_GE(IntVarLocalSearchFilter::Size(), 0);
2755 }
2756 ~TernaryObjectiveFilter() override {}
2757 int64_t CostOfSynchronizedVariable(int64_t index) override {
2758 DCHECK_LT(index, secondary_vars_offset_);
2759 return IntVarLocalSearchFilter::IsVarSynced(index)
2760 ? value_evaluator_(index, IntVarLocalSearchFilter::Value(index),
2761 IntVarLocalSearchFilter::Value(
2762 index + secondary_vars_offset_))
2763 : 0;
2764 }
2765 int64_t CostOfChanges(const Assignment* changes, bool incremental) override {
2766 int64_t total_cost = 0;
2767 const Assignment::IntContainer& container = changes->IntVarContainer();
2768 for (const IntVarElement& new_element : container.elements()) {
2769 IntVar* const var = new_element.Var();
2770 int64_t index = -1;
2771 if (this->FindIndex(var, &index) && index < secondary_vars_offset_) {
2772 secondary_values_[index] = -1;
2773 }
2774 }
2775 // Primary variable indices range from 0 to secondary_vars_offset_ - 1,
2776 // matching secondary indices from secondary_vars_offset_ to
2777 // 2 * secondary_vars_offset_ - 1.
2778 const int max_secondary_index = 2 * secondary_vars_offset_;
2779 for (const IntVarElement& new_element : container.elements()) {
2780 IntVar* const var = new_element.Var();
2781 int64_t index = -1;
2782 if (new_element.Activated() && this->FindIndex(var, &index) &&
2783 index >= secondary_vars_offset_ &&
2784 // Only consider secondary_variables linked to primary ones.
2785 index < max_secondary_index) {
2786 secondary_values_[index - secondary_vars_offset_] = new_element.Value();
2787 }
2788 }
2789 for (const IntVarElement& new_element : container.elements()) {
2790 IntVar* const var = new_element.Var();
2791 int64_t index = -1;
2792 if (this->FindIndex(var, &index) && index < secondary_vars_offset_) {
2793 total_cost = CapSub(total_cost, this->delta_costs_[index]);
2794 int64_t new_cost = 0LL;
2795 if (new_element.Activated()) {
2796 new_cost = value_evaluator_(index, new_element.Value(),
2797 secondary_values_[index]);
2798 } else if (var->Bound() &&
2799 IntVarLocalSearchFilter::Var(index + secondary_vars_offset_)
2800 ->Bound()) {
2801 new_cost = value_evaluator_(
2802 index, var->Min(),
2803 IntVarLocalSearchFilter::Var(index + secondary_vars_offset_)
2804 ->Min());
2805 }
2806 total_cost = CapAdd(total_cost, new_cost);
2807 if (incremental) {
2808 this->delta_costs_[index] = new_cost;
2809 }
2810 }
2811 }
2812 return total_cost;
2813 }
2814
2815 private:
2816 int secondary_vars_offset_;
2817 std::vector<int64_t> secondary_values_;
2818 Solver::IndexEvaluator3 value_evaluator_;
2819};
2820} // namespace
2821
2823 const std::vector<IntVar*>& vars, Solver::IndexEvaluator2 values,
2824 Solver::LocalSearchFilterBound filter_enum) {
2825 switch (filter_enum) {
2826 case Solver::LE: {
2827 auto filter = [](int64_t value, int64_t, int64_t max_value) {
2828 return value <= max_value;
2829 };
2830 return RevAlloc(new BinaryObjectiveFilter<decltype(filter)>(
2831 vars, std::move(values), std::move(filter)));
2832 }
2833 case Solver::GE: {
2834 auto filter = [](int64_t value, int64_t min_value, int64_t) {
2835 return value >= min_value;
2836 };
2837 return RevAlloc(new BinaryObjectiveFilter<decltype(filter)>(
2838 vars, std::move(values), std::move(filter)));
2839 }
2840 case Solver::EQ: {
2841 auto filter = [](int64_t value, int64_t min_value, int64_t max_value) {
2842 return min_value <= value && value <= max_value;
2843 };
2844 return RevAlloc(new BinaryObjectiveFilter<decltype(filter)>(
2845 vars, std::move(values), std::move(filter)));
2846 }
2847 default: {
2848 LOG(ERROR) << "Unknown local search filter enum value";
2849 return nullptr;
2850 }
2851 }
2852}
2853
2855 const std::vector<IntVar*>& vars,
2856 const std::vector<IntVar*>& secondary_vars, Solver::IndexEvaluator3 values,
2857 Solver::LocalSearchFilterBound filter_enum) {
2858 switch (filter_enum) {
2859 case Solver::LE: {
2860 auto filter = [](int64_t value, int64_t, int64_t max_value) {
2861 return value <= max_value;
2862 };
2863 return RevAlloc(new TernaryObjectiveFilter<decltype(filter)>(
2864 vars, secondary_vars, std::move(values), std::move(filter)));
2865 }
2866 case Solver::GE: {
2867 auto filter = [](int64_t value, int64_t min_value, int64_t) {
2868 return value >= min_value;
2869 };
2870 return RevAlloc(new TernaryObjectiveFilter<decltype(filter)>(
2871 vars, secondary_vars, std::move(values), std::move(filter)));
2872 }
2873 case Solver::EQ: {
2874 auto filter = [](int64_t value, int64_t min_value, int64_t max_value) {
2875 return min_value <= value && value <= max_value;
2876 };
2877 return RevAlloc(new TernaryObjectiveFilter<decltype(filter)>(
2878 vars, secondary_vars, std::move(values), std::move(filter)));
2879 }
2880 default: {
2881 LOG(ERROR) << "Unknown local search filter enum value";
2882 return nullptr;
2883 }
2884 }
2885}
2886
2887void SubDagComputer::BuildGraph(int num_nodes) {
2888 DCHECK_GE(num_nodes, num_nodes_);
2889 DCHECK(!graph_was_built_);
2890 graph_was_built_ = true;
2891 std::sort(arcs_.begin(), arcs_.end());
2892 arcs_of_node_.clear();
2893 NodeId prev_tail(-1);
2894 for (int a = 0; a < arcs_.size(); ++a) {
2895 const NodeId tail = arcs_[a].tail;
2896 if (tail != prev_tail) {
2897 prev_tail = tail;
2898 arcs_of_node_.resize(tail.value() + 1, a);
2899 }
2900 }
2901 num_nodes_ = std::max(num_nodes_, num_nodes);
2902 arcs_of_node_.resize(num_nodes_ + 1, arcs_.size());
2903 DCHECK(!HasDirectedCycle()) << "Graph has a directed cycle";
2904}
2905
2906bool SubDagComputer::HasDirectedCycle() const {
2907 DCHECK(graph_was_built_);
2908 util_intops::StrongVector<NodeId, bool> node_is_open(num_nodes_, false);
2909 util_intops::StrongVector<NodeId, bool> node_was_visited(num_nodes_, false);
2910 // Depth first search event: a node and a boolean indicating whether
2911 // to open or to close it.
2912 struct DFSEvent {
2913 NodeId node;
2914 bool to_open;
2915 };
2916 std::vector<DFSEvent> event_stack;
2917
2918 for (NodeId node(0); node.value() < num_nodes_; ++node) {
2919 if (node_was_visited[node]) continue;
2920 event_stack.push_back({node, true});
2921 while (!event_stack.empty()) {
2922 const auto [node, to_open] = event_stack.back();
2923 event_stack.pop_back();
2924 if (node_was_visited[node]) continue;
2925 if (to_open) {
2926 if (node_is_open[node]) return true;
2927 node_is_open[node] = true;
2928 event_stack.push_back({node, false});
2929 for (int a = arcs_of_node_[node];
2930 a < arcs_of_node_[NodeId(node.value() + 1)]; ++a) {
2931 const NodeId head = arcs_[a].head;
2932 if (node_was_visited[head]) continue; // Optim, keeps stack smaller.
2933 event_stack.push_back({head, true});
2934 }
2935 } else {
2936 node_was_visited[node] = true;
2937 node_is_open[node] = false;
2938 }
2939 }
2940 }
2941 return false;
2942}
2943
2944const std::vector<SubDagComputer::ArcId>&
2946 DCHECK_LT(node.value(), num_nodes_);
2947 DCHECK(graph_was_built_);
2948 if (indegree_of_node_.size() < num_nodes_) {
2949 indegree_of_node_.resize(num_nodes_, 0);
2950 }
2951 // Compute indegrees of nodes of the sub-DAG reachable from node.
2952 nodes_to_visit_.clear();
2953 nodes_to_visit_.push_back(node);
2954 while (!nodes_to_visit_.empty()) {
2955 const NodeId node = nodes_to_visit_.back();
2956 nodes_to_visit_.pop_back();
2957 const NodeId next(node.value() + 1);
2958 for (int a = arcs_of_node_[node]; a < arcs_of_node_[next]; ++a) {
2959 const NodeId head = arcs_[a].head;
2960 if (indegree_of_node_[head] == 0) {
2961 nodes_to_visit_.push_back(head);
2962 }
2963 ++indegree_of_node_[head];
2964 }
2965 }
2966 // Generate arc ordering by iteratively removing zero-indegree nodes.
2967 sorted_arcs_.clear();
2968 nodes_to_visit_.push_back(node);
2969 while (!nodes_to_visit_.empty()) {
2970 const NodeId node = nodes_to_visit_.back();
2971 nodes_to_visit_.pop_back();
2972 const NodeId next(node.value() + 1);
2973 for (int a = arcs_of_node_[node]; a < arcs_of_node_[next]; ++a) {
2974 const NodeId head = arcs_[a].head;
2975 --indegree_of_node_[head];
2976 if (indegree_of_node_[head] == 0) {
2977 nodes_to_visit_.push_back(head);
2978 }
2979 sorted_arcs_.push_back(arcs_[a].arc_id);
2980 }
2981 }
2982 // Invariant: indegree_of_node_ must be all 0, or the graph has a cycle.
2983 DCHECK(absl::c_all_of(indegree_of_node_, [](int x) { return x == 0; }));
2984 return sorted_arcs_;
2985}
2986
2987using VariableDomainId = LocalSearchState::VariableDomainId;
2989 int64_t relaxed_max) {
2990 DCHECK(state_domains_are_all_nonempty_);
2991 DCHECK_LE(relaxed_min, relaxed_max);
2992 relaxed_domains_.push_back({relaxed_min, relaxed_max});
2993 current_domains_.push_back({relaxed_min, relaxed_max});
2994 domain_is_trailed_.push_back(false);
2995 return VariableDomainId(current_domains_.size() - 1);
2996}
2997
2999 VariableDomainId domain_id) {
3000 return {this, domain_id};
3001}
3002
3004 int64_t min, int64_t max) {
3005 const VariableDomainId domain_id = AddVariableDomain(min, max);
3006 return {this, domain_id};
3007}
3008
3012
3014 DCHECK(state_domains_are_all_nonempty_);
3015 if (!state_has_relaxed_domains_) {
3016 trailed_num_committed_empty_domains_ = num_committed_empty_domains_;
3017 }
3018 state_has_relaxed_domains_ = true;
3019 if (!domain_is_trailed_[domain_id]) {
3020 domain_is_trailed_[domain_id] = true;
3021 trailed_domains_.push_back({current_domains_[domain_id], domain_id});
3022 if (IntersectionIsEmpty(relaxed_domains_[domain_id],
3023 current_domains_[domain_id])) {
3024 DCHECK_GT(num_committed_empty_domains_, 0);
3025 --num_committed_empty_domains_;
3026 }
3027 current_domains_[domain_id] = relaxed_domains_[domain_id];
3028 return true;
3029 }
3030 return false;
3031}
3032
3034 DCHECK(state_domains_are_all_nonempty_);
3035 return current_domains_[domain_id].min;
3036}
3037
3039 DCHECK(state_domains_are_all_nonempty_);
3040 return current_domains_[domain_id].max;
3041}
3042
3044 int64_t min_value) {
3045 DCHECK(state_domains_are_all_nonempty_);
3046 DCHECK(domain_is_trailed_[domain_id]);
3047 VariableDomain& domain = current_domains_[domain_id];
3048 if (domain.max < min_value) {
3049 state_domains_are_all_nonempty_ = false;
3050 }
3051 domain.min = std::max(domain.min, min_value);
3052 return state_domains_are_all_nonempty_;
3053}
3054
3056 int64_t max_value) {
3057 DCHECK(state_domains_are_all_nonempty_);
3058 DCHECK(domain_is_trailed_[domain_id]);
3059 VariableDomain& domain = current_domains_[domain_id];
3060 if (domain.min > max_value) {
3061 state_domains_are_all_nonempty_ = false;
3062 }
3063 domain.max = std::min(domain.max, max_value);
3064 return state_domains_are_all_nonempty_;
3065}
3066
3068 int64_t min, int64_t max) {
3069 DCHECK(state_domains_are_all_nonempty_);
3070 DCHECK(!domain_is_trailed_[domain_id]);
3071 const bool domain_was_empty = IntersectionIsEmpty(
3072 relaxed_domains_[domain_id], current_domains_[domain_id]);
3073 relaxed_domains_[domain_id] = {min, max};
3074 const bool domain_is_empty =
3075 IntersectionIsEmpty({min, max}, current_domains_[domain_id]);
3076
3077 if (!domain_was_empty && domain_is_empty) {
3078 num_committed_empty_domains_++;
3079 } else if (domain_was_empty && !domain_is_empty) {
3080 num_committed_empty_domains_--;
3081 }
3082}
3083
3084// TODO(user): When the class has more users, find a threshold ratio of
3085// saved/total domains under which a sparse clear would be more efficient
3086// for both Commit() and Revert().
3088 DCHECK(StateIsFeasible());
3089 // Clear domains trail.
3090 state_has_relaxed_domains_ = false;
3091 trailed_domains_.clear();
3092 domain_is_trailed_.assign(domain_is_trailed_.size(), false);
3093 // Clear constraint trail.
3094 for (Constraint* constraint : trailed_constraints_) {
3095 constraint->Commit();
3096 }
3097 trailed_constraints_.clear();
3098}
3099
3101 // Revert trailed domains.
3102 for (const auto& [domain, id] : trailed_domains_) {
3103 DCHECK(domain_is_trailed_[id]);
3104 current_domains_[id] = domain;
3105 }
3106 trailed_domains_.clear();
3107 state_has_relaxed_domains_ = false;
3108 domain_is_trailed_.assign(domain_is_trailed_.size(), false);
3109 state_domains_are_all_nonempty_ = true;
3110 num_committed_empty_domains_ = trailed_num_committed_empty_domains_;
3111 // Revert trailed constraints.
3112 for (Constraint* constraint : trailed_constraints_) {
3113 constraint->Revert();
3114 }
3115 trailed_constraints_.clear();
3116}
3117
3118using NodeId = SubDagComputer::NodeId;
3119NodeId LocalSearchState::DependencyGraph::GetOrCreateNodeOfDomainId(
3120 VariableDomainId domain_id) {
3121 if (domain_id.value() >= dag_node_of_domain_.size()) {
3122 dag_node_of_domain_.resize(domain_id.value() + 1, NodeId(0));
3123 }
3124 if (dag_node_of_domain_[domain_id] == NodeId(0)) {
3125 dag_node_of_domain_[domain_id] = NodeId(num_dag_nodes_++);
3126 }
3127 return dag_node_of_domain_[domain_id];
3128}
3129
3130NodeId LocalSearchState::DependencyGraph::GetOrCreateNodeOfConstraintId(
3131 ConstraintId constraint_id) {
3132 if (constraint_id.value() >= dag_node_of_constraint_.size()) {
3133 dag_node_of_constraint_.resize(constraint_id.value() + 1, NodeId(0));
3134 }
3135 if (dag_node_of_constraint_[constraint_id] == NodeId(0)) {
3136 dag_node_of_constraint_[constraint_id] = NodeId(num_dag_nodes_++);
3137 }
3138 return dag_node_of_constraint_[constraint_id];
3139}
3140
3141void LocalSearchState::DependencyGraph::AddDomainsConstraintDependencies(
3142 const std::vector<VariableDomainId>& domain_ids,
3143 ConstraintId constraint_id) {
3144 const NodeId cnode = GetOrCreateNodeOfConstraintId(constraint_id);
3145 for (int i = 0; i < domain_ids.size(); ++i) {
3146 const NodeId dnode = GetOrCreateNodeOfDomainId(domain_ids[i]);
3147 dag_.AddArc(dnode, cnode);
3148 dependency_of_dag_arc_.push_back({.domain_id = domain_ids[i],
3149 .input_index = i,
3150 .constraint_id = constraint_id});
3151 }
3152}
3153
3154void LocalSearchState::DependencyGraph::AddConstraintDomainDependency(
3155 ConstraintId constraint_id, VariableDomainId domain_id) {
3156 const NodeId cnode = GetOrCreateNodeOfConstraintId(constraint_id);
3157 const NodeId dnode = GetOrCreateNodeOfDomainId(domain_id);
3158 dag_.AddArc(cnode, dnode);
3159 dependency_of_dag_arc_.push_back({.domain_id = domain_id,
3160 .input_index = -1,
3161 .constraint_id = constraint_id});
3162}
3163
3164using ArcId = SubDagComputer::ArcId;
3165const std::vector<LocalSearchState::DependencyGraph::Dependency>&
3166LocalSearchState::DependencyGraph::ComputeSortedDependencies(
3167 VariableDomainId domain_id) {
3168 sorted_dependencies_.clear();
3169 const NodeId node = dag_node_of_domain_[domain_id];
3170 for (const ArcId a : dag_.ComputeSortedSubDagArcs(node)) {
3171 if (dependency_of_dag_arc_[a].input_index == -1) continue;
3172 sorted_dependencies_.push_back(dependency_of_dag_arc_[a]);
3173 }
3174 return sorted_dependencies_;
3175}
3176
3178 const std::vector<VariableDomainId>& input_domain_ids,
3179 const std::vector<int64_t>& input_weights, int64_t input_offset,
3180 VariableDomainId output_domain_id) {
3181 DCHECK_EQ(input_domain_ids.size(), input_weights.size());
3182 // Store domain/constraint dependencies.
3183 const ConstraintId constraint_id(constraints_.size());
3184 dependency_graph_.AddDomainsConstraintDependencies(input_domain_ids,
3185 constraint_id);
3186 dependency_graph_.AddConstraintDomainDependency(constraint_id,
3187 output_domain_id);
3188 // Store constraint.
3189 auto constraint = std::make_unique<WeightedSum>(
3190 this, input_domain_ids, input_weights, input_offset, output_domain_id);
3191 constraints_.push_back(std::move(constraint));
3192}
3193
3194void LocalSearchState::DependencyGraph::BuildDependencyDAG(int num_domains) {
3195 dag_.BuildGraph(num_dag_nodes_);
3196 // Assign all unassigned nodes to dummy node 0.
3197 const int num_assigned_nodes = dag_node_of_domain_.size();
3198 DCHECK_GE(num_domains, num_assigned_nodes);
3199 num_domains = std::max(num_domains, num_assigned_nodes);
3200 dag_node_of_domain_.resize(num_domains, NodeId(0));
3201}
3202
3204 triggers_.clear();
3205 triggers_of_domain_.clear();
3206 const int num_domains = current_domains_.size();
3207 dependency_graph_.BuildDependencyDAG(num_domains);
3208 for (int vid = 0; vid < num_domains; ++vid) {
3209 triggers_of_domain_.push_back(triggers_.size());
3210 for (const auto& [domain_id, input_index, constraint_id] :
3211 dependency_graph_.ComputeSortedDependencies(VariableDomainId(vid))) {
3212 triggers_.push_back({.constraint = constraints_[constraint_id].get(),
3213 .input_index = input_index});
3214 }
3215 }
3216 triggers_of_domain_.push_back(triggers_.size());
3217}
3218
3219LocalSearchState::WeightedSum::WeightedSum(
3220 LocalSearchState* state,
3221 const std::vector<VariableDomainId>& input_domain_ids,
3222 const std::vector<int64_t>& input_weights, int64_t input_offset,
3223 VariableDomainId output)
3224 : output_(output), state_(state) {
3225 // Make trailable values that mirror last known value of inputs,
3226 // and others to represent internal counts and sums of inputs.
3227 invariants_.num_neg_inf = 0;
3228 invariants_.num_pos_inf = 0;
3229 invariants_.wsum_mins = input_offset;
3230 invariants_.wsum_maxs = input_offset;
3231 for (int i = 0; i < input_domain_ids.size(); ++i) {
3232 const VariableDomainId domain_id = input_domain_ids[i];
3233 const int64_t weight = input_weights[i];
3234 const int64_t min = state->VariableDomainMin(domain_id);
3235 const int64_t max = state->VariableDomainMax(domain_id);
3236 inputs_.push_back({.min = min,
3237 .max = max,
3238 .committed_min = min,
3239 .committed_max = max,
3240 .weight = weight,
3241 .domain = domain_id,
3242 .is_trailed = false});
3243
3244 if (weight > 0) {
3245 if (min == kint64min) {
3246 ++invariants_.num_neg_inf;
3247 } else {
3248 invariants_.wsum_mins =
3249 CapAdd(invariants_.wsum_mins, CapProd(weight, min));
3250 }
3251 if (max == kint64max) {
3252 ++invariants_.num_pos_inf;
3253 } else {
3254 invariants_.wsum_maxs =
3255 CapAdd(invariants_.wsum_maxs, CapProd(weight, max));
3256 }
3257 } else {
3258 if (min == kint64min) {
3259 ++invariants_.num_pos_inf;
3260 } else {
3261 invariants_.wsum_maxs =
3262 CapAdd(invariants_.wsum_maxs, CapProd(weight, min));
3263 }
3264 if (max == kint64max) {
3265 ++invariants_.num_neg_inf;
3266 } else {
3267 invariants_.wsum_mins =
3268 CapAdd(invariants_.wsum_mins, CapProd(weight, max));
3269 }
3270 }
3271 }
3272 committed_invariants_ = invariants_;
3273}
3274
3275LocalSearchState::VariableDomain LocalSearchState::WeightedSum::Propagate(
3276 int input_index) {
3277 if (!constraint_is_trailed_) {
3278 constraint_is_trailed_ = true;
3279 state_->TrailConstraint(this);
3280 }
3281 WeightedVariable& input = inputs_[input_index];
3282 if (!input.is_trailed) {
3283 input.is_trailed = true;
3284 trailed_inputs_.push_back(&input);
3285 }
3286 const int64_t new_min = state_->VariableDomainMin(input.domain);
3287 const int64_t new_max = state_->VariableDomainMax(input.domain);
3288 const int64_t weight = input.weight;
3289 if (weight > 0) {
3290 if (input.min != new_min) {
3291 // Remove contribution of last known min.
3292 if (input.min == kint64min) {
3293 --invariants_.num_neg_inf;
3294 } else {
3295 invariants_.wsum_mins =
3296 CapSub(invariants_.wsum_mins, CapProd(weight, input.min));
3297 }
3298 // Add contribution of new min.
3299 if (new_min == kint64min) {
3300 ++invariants_.num_neg_inf;
3301 } else {
3302 invariants_.wsum_mins =
3303 CapAdd(invariants_.wsum_mins, CapProd(weight, new_min));
3304 }
3305 input.min = new_min;
3306 }
3307 if (input.max != new_max) {
3308 // Remove contribution of last known max.
3309 if (input.max == kint64max) {
3310 --invariants_.num_pos_inf;
3311 } else {
3312 invariants_.wsum_maxs =
3313 CapSub(invariants_.wsum_maxs, CapProd(weight, input.max));
3314 }
3315 // Add contribution of new max.
3316 if (new_max == kint64max) {
3317 ++invariants_.num_pos_inf;
3318 } else {
3319 invariants_.wsum_maxs =
3320 CapAdd(invariants_.wsum_maxs, CapProd(weight, new_max));
3321 }
3322 input.max = new_max;
3323 }
3324 } else { // weight <= 0
3325 if (input.min != new_min) {
3326 // Remove contribution of last known min.
3327 if (input.min == kint64min) {
3328 --invariants_.num_pos_inf;
3329 } else {
3330 invariants_.wsum_maxs =
3331 CapSub(invariants_.wsum_maxs, CapProd(weight, input.min));
3332 }
3333 // Add contribution of new min.
3334 if (new_min == kint64min) {
3335 ++invariants_.num_pos_inf;
3336 } else {
3337 invariants_.wsum_maxs =
3338 CapAdd(invariants_.wsum_maxs, CapProd(weight, new_min));
3339 }
3340 input.min = new_min;
3341 }
3342 if (input.max != new_max) {
3343 // Remove contribution of last known max.
3344 if (input.max == kint64max) {
3345 --invariants_.num_neg_inf;
3346 } else {
3347 invariants_.wsum_mins =
3348 CapSub(invariants_.wsum_mins, CapProd(weight, input.max));
3349 }
3350 // Add contribution of new max.
3351 if (new_max == kint64max) {
3352 ++invariants_.num_neg_inf;
3353 } else {
3354 invariants_.wsum_mins =
3355 CapAdd(invariants_.wsum_mins, CapProd(weight, new_max));
3356 }
3357 input.max = new_max;
3358 }
3359 }
3360 return {invariants_.num_neg_inf == 0 ? invariants_.wsum_mins : kint64min,
3361 invariants_.num_pos_inf == 0 ? invariants_.wsum_maxs : kint64max};
3362}
3363
3364void LocalSearchState::WeightedSum::Commit() {
3365 committed_invariants_ = invariants_;
3366 constraint_is_trailed_ = false;
3367 for (WeightedVariable* wv : trailed_inputs_) wv->Commit();
3368 trailed_inputs_.clear();
3369}
3370
3371void LocalSearchState::WeightedSum::Revert() {
3372 invariants_ = committed_invariants_;
3373 constraint_is_trailed_ = false;
3374 for (WeightedVariable* wv : trailed_inputs_) wv->Revert();
3375 trailed_inputs_.clear();
3376}
3377
3379 const VariableDomainId next_id = VariableDomainId(domain_id.value() + 1);
3380 for (int t = triggers_of_domain_[domain_id]; t < triggers_of_domain_[next_id];
3381 ++t) {
3382 const auto& [constraint, input_index] = triggers_[t];
3383 constraint->Propagate(input_index);
3384 RelaxVariableDomain(constraint->Output());
3385 }
3386}
3387
3389 const VariableDomainId next_id = VariableDomainId(domain_id.value() + 1);
3390 for (int t = triggers_of_domain_[domain_id]; t < triggers_of_domain_[next_id];
3391 ++t) {
3392 const auto& [constraint, input_index] = triggers_[t];
3393 const auto [output_min, output_max] = constraint->Propagate(input_index);
3394 if (output_min != kint64min &&
3395 !TightenVariableDomainMin(constraint->Output(), output_min)) {
3396 return false;
3397 }
3398 if (output_max != kint64max &&
3399 !TightenVariableDomainMax(constraint->Output(), output_max)) {
3400 return false;
3401 }
3402 }
3403 return true;
3404}
3405
3406// ----- LocalSearchProfiler -----
3407
3409 public:
3411 std::string DebugString() const override { return "LocalSearchProfiler"; }
3412 void RestartSearch() override {
3413 operator_stats_.clear();
3414 filter_stats_per_context_.clear();
3415 last_operator_ = nullptr;
3416 }
3417 void ExitSearch() override {
3418 // Update times for current operator when the search ends.
3419 UpdateTime();
3420 last_operator_ = nullptr;
3421 }
3422 template <typename Callback>
3423 void ParseFirstSolutionStatistics(const Callback& callback) const {
3424 for (ProfiledDecisionBuilder* db : profiled_decision_builders_) {
3425 if (db->seconds() == 0) continue;
3426 callback(db->name(), db->seconds());
3427 }
3428 }
3429
3430 template <typename Callback>
3431 void ParseLocalSearchOperatorStatistics(const Callback& callback) const {
3432 std::vector<const LocalSearchOperator*> operators;
3433 for (const auto& stat : operator_stats_) {
3434 operators.push_back(stat.first);
3435 }
3436 std::sort(
3437 operators.begin(), operators.end(),
3438 [this](const LocalSearchOperator* op1, const LocalSearchOperator* op2) {
3439 return gtl::FindOrDie(operator_stats_, op1).neighbors >
3440 gtl::FindOrDie(operator_stats_, op2).neighbors;
3441 });
3442 for (const LocalSearchOperator* const op : operators) {
3443 const OperatorStats& stats = gtl::FindOrDie(operator_stats_, op);
3444 const std::string& label = op->DebugString();
3445 // Skip operators with no name: these come from empty compound operators.
3446 if (label.empty() &&
3447 dynamic_cast<const CompoundOperator*>(op) != nullptr) {
3448 continue;
3449 }
3450 callback(label, stats.neighbors, stats.filtered_neighbors,
3451 stats.accepted_neighbors, stats.seconds,
3452 stats.make_next_neighbor_seconds, stats.accept_neighbor_seconds);
3453 }
3454 }
3455
3456 template <typename Callback>
3457 void ParseLocalSearchFilterStatistics(const Callback& callback) const {
3458 for (const auto& [context, filter_stats] : filter_stats_per_context_) {
3459 std::vector<const LocalSearchFilter*> filters;
3460 for (const auto& [filter, stats] : filter_stats) {
3461 filters.push_back(filter);
3462 }
3463 std::sort(
3464 filters.begin(), filters.end(),
3465 [filter_stats_ptr = &filter_stats](const LocalSearchFilter* filter1,
3466 const LocalSearchFilter* filter2) {
3467 return gtl::FindOrDie(*filter_stats_ptr, filter1).calls >
3468 gtl::FindOrDie(*filter_stats_ptr, filter2).calls;
3469 });
3470 for (const LocalSearchFilter* const filter : filters) {
3471 const FilterStats& stats = gtl::FindOrDie(filter_stats, filter);
3472 callback(context, filter->DebugString(), stats.calls, stats.rejects,
3473 stats.seconds);
3474 }
3475 }
3476 }
3477 LocalSearchStatistics ExportToLocalSearchStatistics() const {
3478 LocalSearchStatistics statistics_proto;
3480 [&statistics_proto](absl::string_view name, double duration_seconds) {
3481 LocalSearchStatistics::FirstSolutionStatistics* const
3482 first_solution_statistics =
3483 statistics_proto.add_first_solution_statistics();
3484 first_solution_statistics->set_strategy(name);
3485 first_solution_statistics->set_duration_seconds(duration_seconds);
3486 });
3488 [&statistics_proto](
3489 absl::string_view name, int64_t num_neighbors,
3490 int64_t num_filtered_neighbors, int64_t num_accepted_neighbors,
3491 double duration_seconds, double make_next_neighbor_duration_seconds,
3492 double accept_neighbor_duration_seconds) {
3493 LocalSearchStatistics::LocalSearchOperatorStatistics* const
3494 local_search_operator_statistics =
3495 statistics_proto.add_local_search_operator_statistics();
3496 local_search_operator_statistics->set_local_search_operator(name);
3497 local_search_operator_statistics->set_num_neighbors(num_neighbors);
3498 local_search_operator_statistics->set_num_filtered_neighbors(
3499 num_filtered_neighbors);
3500 local_search_operator_statistics->set_num_accepted_neighbors(
3501 num_accepted_neighbors);
3502 local_search_operator_statistics->set_duration_seconds(
3503 duration_seconds);
3504 local_search_operator_statistics
3505 ->set_make_next_neighbor_duration_seconds(
3506 make_next_neighbor_duration_seconds);
3507 local_search_operator_statistics
3508 ->set_accept_neighbor_duration_seconds(
3509 accept_neighbor_duration_seconds);
3510 });
3511 ParseLocalSearchFilterStatistics([&statistics_proto](
3512 absl::string_view context,
3513 absl::string_view name,
3514 int64_t num_calls, int64_t num_rejects,
3515 double duration_seconds) {
3516 LocalSearchStatistics::LocalSearchFilterStatistics* const
3517 local_search_filter_statistics =
3518 statistics_proto.add_local_search_filter_statistics();
3519 local_search_filter_statistics->set_local_search_filter(name);
3520 local_search_filter_statistics->set_num_calls(num_calls);
3521 local_search_filter_statistics->set_num_rejects(num_rejects);
3522 local_search_filter_statistics->set_duration_seconds(duration_seconds);
3523 local_search_filter_statistics->set_num_rejects_per_second(
3524 num_rejects / duration_seconds);
3525 local_search_filter_statistics->set_context(context);
3526 });
3527 statistics_proto.set_total_num_neighbors(solver()->neighbors());
3528 statistics_proto.set_total_num_filtered_neighbors(
3529 solver()->filtered_neighbors());
3530 statistics_proto.set_total_num_accepted_neighbors(
3531 solver()->accepted_neighbors());
3532 return statistics_proto;
3533 }
3534 std::string PrintOverview() const {
3535 std::string overview;
3536 size_t max_name_size = 0;
3538 [&max_name_size](absl::string_view name, double) {
3539 max_name_size = std::max(max_name_size, name.length());
3540 });
3541 if (max_name_size > 0) {
3542 absl::StrAppendFormat(&overview,
3543 "First solution statistics:\n%*s | Time (s)\n",
3544 max_name_size, "");
3546 [&overview, max_name_size](absl::string_view name,
3547 double duration_seconds) {
3548 absl::StrAppendFormat(&overview, "%*s | %7.2g\n", max_name_size,
3549 name, duration_seconds);
3550 });
3551 }
3552 max_name_size = 0;
3554 [&max_name_size](absl::string_view name, int64_t, int64_t, int64_t,
3555 double, double, double) {
3556 max_name_size = std::max(max_name_size, name.length());
3557 });
3558 if (max_name_size > 0) {
3559 absl::StrAppendFormat(
3560 &overview,
3561 "Local search operator statistics:\n%*s | Neighbors | Filtered "
3562 "| Accepted | Time (s)\n",
3563 max_name_size, "");
3564 OperatorStats total_stats;
3566 [&overview, &total_stats, max_name_size](
3567 absl::string_view name, int64_t num_neighbors,
3568 int64_t num_filtered_neighbors, int64_t num_accepted_neighbors,
3569 double duration_seconds,
3570 double /*make_next_neighbor_duration_seconds*/,
3571 double /*accept_neighbor_duration_seconds*/) {
3572 // TODO(user): Add make_next_neighbor_duration_seconds and
3573 // accept_neighbor_duration_seconds to stats.
3574 absl::StrAppendFormat(
3575 &overview, "%*s | %9ld | %8ld | %8ld | %7.2g\n", max_name_size,
3576 name, num_neighbors, num_filtered_neighbors,
3577 num_accepted_neighbors, duration_seconds);
3578 total_stats.neighbors += num_neighbors;
3579 total_stats.filtered_neighbors += num_filtered_neighbors;
3580 total_stats.accepted_neighbors += num_accepted_neighbors;
3581 total_stats.seconds += duration_seconds;
3582 });
3583 absl::StrAppendFormat(
3584 &overview, "%*s | %9ld | %8ld | %8ld | %7.2g\n", max_name_size,
3585 "Total", total_stats.neighbors, total_stats.filtered_neighbors,
3586 total_stats.accepted_neighbors, total_stats.seconds);
3587 }
3588 max_name_size = 0;
3590 [&max_name_size](absl::string_view, absl::string_view name, int64_t,
3591 int64_t, double) {
3592 max_name_size = std::max(max_name_size, name.length());
3593 });
3594 if (max_name_size > 0) {
3595 std::optional<std::string> filter_context;
3596 FilterStats total_filter_stats;
3598 [&overview, &filter_context, &total_filter_stats, max_name_size](
3599 const std::string& context, const std::string& name,
3600 int64_t num_calls, int64_t num_rejects, double duration_seconds) {
3601 if (!filter_context.has_value() ||
3602 filter_context.value() != context) {
3603 if (filter_context.has_value()) {
3604 absl::StrAppendFormat(
3605 &overview, "%*s | %9ld | %9ld | %7.2g | %7.2g\n",
3606 max_name_size, "Total", total_filter_stats.calls,
3607 total_filter_stats.rejects, total_filter_stats.seconds,
3608 total_filter_stats.rejects / total_filter_stats.seconds);
3609 total_filter_stats = {};
3610 }
3611 filter_context = context;
3612 absl::StrAppendFormat(
3613 &overview,
3614 "Local search filter statistics%s:\n%*s | Calls | "
3615 " Rejects | Time (s) | Rejects/s\n",
3616 context.empty() ? "" : " (" + context + ")", max_name_size,
3617 "");
3618 }
3619 absl::StrAppendFormat(
3620 &overview, "%*s | %9ld | %9ld | %7.2g | %7.2g\n",
3621 max_name_size, name, num_calls, num_rejects, duration_seconds,
3622 num_rejects / duration_seconds);
3623 total_filter_stats.calls += num_calls;
3624 total_filter_stats.rejects += num_rejects;
3625 total_filter_stats.seconds += duration_seconds;
3626 });
3627 absl::StrAppendFormat(
3628 &overview, "%*s | %9ld | %9ld | %7.2g | %7.2g\n", max_name_size,
3629 "Total", total_filter_stats.calls, total_filter_stats.rejects,
3630 total_filter_stats.seconds,
3631 total_filter_stats.rejects / total_filter_stats.seconds);
3632 }
3633 return overview;
3634 }
3635 void BeginOperatorStart() override {}
3636 void EndOperatorStart() override {}
3638 if (last_operator_ != op->Self()) {
3639 UpdateTime();
3640 last_operator_ = op->Self();
3641 }
3642 make_next_neighbor_timer_.Start();
3643 }
3644 void EndMakeNextNeighbor(const LocalSearchOperator* op, bool neighbor_found,
3645 const Assignment*, const Assignment*) override {
3646 // To be robust to multiple calls to EndMakeNextNeighbor, we only collect
3647 // data if the timer was not stopped.
3648 if (!make_next_neighbor_timer_.IsRunning()) return;
3649 make_next_neighbor_timer_.Stop();
3650 operator_stats_[op->Self()].make_next_neighbor_seconds +=
3651 make_next_neighbor_timer_.Get();
3652 if (neighbor_found) {
3653 operator_stats_[op->Self()].neighbors++;
3654 }
3655 }
3658 bool neighbor_found) override {
3659 if (neighbor_found) {
3660 operator_stats_[op->Self()].filtered_neighbors++;
3661 }
3662 }
3664 accept_neighbor_timer_.Start();
3665 }
3667 bool neighbor_found) override {
3668 accept_neighbor_timer_.Stop();
3669 operator_stats_[op->Self()].accept_neighbor_seconds +=
3670 accept_neighbor_timer_.Get();
3671 if (neighbor_found) {
3672 operator_stats_[op->Self()].accepted_neighbors++;
3673 }
3674 }
3675 void BeginFiltering(const LocalSearchFilter* filter) override {
3676 FilterStats& filter_stats =
3677 filter_stats_per_context_[solver()->context()][filter];
3678 filter_stats.calls++;
3679 filter_timer_.Start();
3680 }
3681 void EndFiltering(const LocalSearchFilter* filter, bool reject) override {
3682 filter_timer_.Stop();
3683 auto& stats = filter_stats_per_context_[solver()->context()][filter];
3684 stats.seconds += filter_timer_.Get();
3685 if (reject) {
3686 stats.rejects++;
3687 }
3688 }
3690 ProfiledDecisionBuilder* profiled_db) {
3691 profiled_decision_builders_.push_back(profiled_db);
3692 }
3693 bool IsActive() const override { return true; }
3694 void Install() override { SearchMonitor::Install(); }
3695
3696 private:
3697 void UpdateTime() {
3698 if (last_operator_ != nullptr) {
3699 timer_.Stop();
3700 operator_stats_[last_operator_].seconds += timer_.Get();
3701 }
3702 timer_.Start();
3703 }
3704
3705 struct OperatorStats {
3706 int64_t neighbors = 0;
3707 int64_t filtered_neighbors = 0;
3708 int64_t accepted_neighbors = 0;
3709 double seconds = 0;
3710 double make_next_neighbor_seconds = 0;
3711 double accept_neighbor_seconds = 0;
3712 };
3713
3714 struct FilterStats {
3715 int64_t calls = 0;
3716 int64_t rejects = 0;
3717 double seconds = 0;
3718 };
3719 WallTimer timer_;
3720 WallTimer make_next_neighbor_timer_;
3721 WallTimer accept_neighbor_timer_;
3722 WallTimer filter_timer_;
3723 const LocalSearchOperator* last_operator_ = nullptr;
3724 absl::flat_hash_map<const LocalSearchOperator*, OperatorStats>
3725 operator_stats_;
3726 absl::flat_hash_map<
3727 std::string, absl::flat_hash_map<const LocalSearchFilter*, FilterStats>>
3728 filter_stats_per_context_;
3729 // Profiled decision builders.
3730 std::vector<ProfiledDecisionBuilder*> profiled_decision_builders_;
3731};
3732
3734 DecisionBuilder* db) {
3736 ProfiledDecisionBuilder* profiled_db =
3738 local_search_profiler_->AddFirstSolutionProfiledDecisionBuilder(
3739 profiled_db);
3740 return profiled_db;
3741 }
3742 return db;
3743}
3744
3746 monitor->Install();
3747}
3748
3750 if (solver->IsLocalSearchProfilingEnabled()) {
3751 return new LocalSearchProfiler(solver);
3752 }
3753 return nullptr;
3754}
3755
3756void DeleteLocalSearchProfiler(LocalSearchProfiler* monitor) { delete monitor; }
3757
3758std::string Solver::LocalSearchProfile() const {
3759 if (local_search_profiler_ != nullptr) {
3760 return local_search_profiler_->PrintOverview();
3761 }
3762 return "";
3763}
3764
3765LocalSearchStatistics Solver::GetLocalSearchStatistics() const {
3766 if (local_search_profiler_ != nullptr) {
3767 return local_search_profiler_->ExportToLocalSearchStatistics();
3768 }
3769 return LocalSearchStatistics();
3770}
3771
3772void LocalSearchFilterManager::FindIncrementalEventEnd() {
3773 const int num_events = events_.size();
3774 incremental_events_end_ = num_events;
3775 int last_priority = -1;
3776 for (int e = num_events - 1; e >= 0; --e) {
3777 const auto& [filter, event_type, priority] = events_[e];
3778 if (priority != last_priority) {
3779 incremental_events_end_ = e + 1;
3780 last_priority = priority;
3781 }
3782 if (filter->IsIncremental()) break;
3783 }
3784}
3785
3787 std::vector<LocalSearchFilter*> filters)
3788 : synchronized_value_(std::numeric_limits<int64_t>::min()),
3789 accepted_value_(std::numeric_limits<int64_t>::min()) {
3790 events_.reserve(2 * filters.size());
3791 int priority = 0;
3792 for (LocalSearchFilter* filter : filters) {
3793 events_.push_back({filter, FilterEventType::kRelax, priority++});
3794 }
3795 for (LocalSearchFilter* filter : filters) {
3796 events_.push_back({filter, FilterEventType::kAccept, priority++});
3797 }
3798 FindIncrementalEventEnd();
3799}
3800
3802 std::vector<FilterEvent> filter_events)
3803 : events_(std::move(filter_events)),
3804 synchronized_value_(std::numeric_limits<int64_t>::min()),
3805 accepted_value_(std::numeric_limits<int64_t>::min()) {
3806 std::sort(events_.begin(), events_.end(),
3807 [](const FilterEvent& e1, const FilterEvent& e2) {
3808 return e1.priority < e2.priority;
3809 });
3810 FindIncrementalEventEnd();
3811}
3812
3813// Filters' Revert() must be called in the reverse order in which their
3814// Relax() was called.
3816 for (int e = last_event_called_; e >= 0; --e) {
3817 const auto [filter, event_type, _priority] = events_[e];
3818 if (event_type == FilterEventType::kRelax) filter->Revert();
3819 }
3820 last_event_called_ = -1;
3821}
3822
3823// TODO(user): the behaviour of Accept relies on the initial order of
3824// filters having at most one filter with negative objective values,
3825// this could be fixed by having filters return their general bounds.
3827 const Assignment* delta,
3828 const Assignment* deltadelta,
3829 int64_t objective_min,
3830 int64_t objective_max) {
3831 Revert();
3832 accepted_value_ = 0;
3833 bool feasible = true;
3834 bool reordered = false;
3835 int events_end = events_.size();
3836 for (int e = 0; e < events_end; ++e) {
3837 last_event_called_ = e;
3838 const auto [filter, event_type, priority] = events_[e];
3839 switch (event_type) {
3841 if (!feasible && !filter->IsIncremental()) continue;
3842 if (monitor != nullptr) monitor->BeginFiltering(filter);
3843 const bool accept = filter->Accept(
3844 delta, deltadelta, CapSub(objective_min, accepted_value_),
3845 CapSub(objective_max, accepted_value_));
3846 feasible &= accept;
3847 if (monitor != nullptr) monitor->EndFiltering(filter, !accept);
3848 if (feasible) {
3849 accepted_value_ =
3850 CapAdd(accepted_value_, filter->GetAcceptedObjectiveValue());
3851 // TODO(user): handle objective min.
3852 feasible = accepted_value_ <= objective_max;
3853 }
3854 if (!feasible) {
3855 events_end = incremental_events_end_;
3856 if (!reordered) {
3857 // Bump up rejected event, together with its kRelax event,
3858 // unless it is already first in its priority layer.
3859 reordered = true;
3860 int to_move = e - 1;
3861 if (to_move >= 0 && events_[to_move].filter == filter) --to_move;
3862 if (to_move >= 0 && events_[to_move].priority == priority) {
3863 std::rotate(events_.begin() + to_move,
3864 events_.begin() + to_move + 1,
3865 events_.begin() + e + 1);
3866 }
3867 }
3868 }
3869 break;
3870 }
3872 filter->Relax(delta, deltadelta);
3873 break;
3874 }
3875 default:
3876 LOG(FATAL) << "Unknown filter event type.";
3877 }
3878 }
3879 return feasible;
3880}
3881
3883 const Assignment* delta) {
3884 // If delta is nullptr or empty, then assignment may be a partial solution.
3885 // Send a signal to Relaxing filters to inform them,
3886 // so they can show the partial solution as a change from the empty solution.
3887 const bool reset_to_assignment = delta == nullptr || delta->Empty();
3888 // Relax in the forward direction.
3889 for (auto [filter, event_type, unused_priority] : events_) {
3890 switch (event_type) {
3892 break;
3893 }
3895 if (reset_to_assignment) {
3896 filter->Reset();
3897 filter->Relax(assignment, nullptr);
3898 } else {
3899 filter->Relax(delta, nullptr);
3900 }
3901 break;
3902 }
3903 default:
3904 LOG(FATAL) << "Unknown filter event type.";
3905 }
3906 }
3907 // Synchronize/Commit backwards, so filters can read changes from their
3908 // dependencies before those are synchronized/committed.
3909 synchronized_value_ = 0;
3910 for (auto [filter, event_type, _priority] : ::gtl::reversed_view(events_)) {
3911 switch (event_type) {
3913 filter->Synchronize(assignment, delta);
3914 synchronized_value_ = CapAdd(synchronized_value_,
3915 filter->GetSynchronizedObjectiveValue());
3916 break;
3917 }
3919 filter->Commit(assignment, delta);
3920 break;
3921 }
3922 default:
3923 LOG(FATAL) << "Unknown filter event type.";
3924 }
3925 }
3926}
3927
3928// ----- Finds a neighbor of the assignment passed -----
3929
3931 public:
3932 FindOneNeighbor(Assignment* assignment, IntVar* objective, SolutionPool* pool,
3933 LocalSearchOperator* ls_operator,
3934 DecisionBuilder* sub_decision_builder,
3935 const RegularLimit* limit,
3936 LocalSearchFilterManager* filter_manager);
3937 ~FindOneNeighbor() override {}
3938 void EnterSearch();
3939 Decision* Next(Solver* solver) override;
3940 std::string DebugString() const override { return "FindOneNeighbor"; }
3941
3942 private:
3943 bool FilterAccept(Solver* solver, Assignment* delta, Assignment* deltadelta,
3944 int64_t objective_min, int64_t objective_max);
3945 void SynchronizeAll(Solver* solver);
3946
3947 Assignment* const assignment_;
3948 IntVar* const objective_;
3949 std::unique_ptr<Assignment> reference_assignment_;
3950 std::unique_ptr<Assignment> last_synchronized_assignment_;
3951 Assignment* const filter_assignment_delta_;
3952 SolutionPool* const pool_;
3953 LocalSearchOperator* const ls_operator_;
3954 DecisionBuilder* const sub_decision_builder_;
3955 RegularLimit* limit_;
3956 const RegularLimit* const original_limit_;
3957 bool neighbor_found_;
3958 LocalSearchFilterManager* const filter_manager_;
3959 int64_t solutions_since_last_check_;
3960 int64_t check_period_;
3961 Assignment last_checked_assignment_;
3962 bool has_checked_assignment_ = false;
3963};
3964
3965// reference_assignment_ is used to keep track of the last assignment on which
3966// operators were started, assignment_ corresponding to the last successful
3967// neighbor.
3968// last_synchronized_assignment_ keeps track of the last assignment on which
3969// filters were synchronized and is used to compute the filter_assignment_delta_
3970// when synchronizing again.
3972 IntVar* objective, SolutionPool* const pool,
3973 LocalSearchOperator* const ls_operator,
3974 DecisionBuilder* const sub_decision_builder,
3975 const RegularLimit* const limit,
3976 LocalSearchFilterManager* filter_manager)
3977 : assignment_(assignment),
3978 objective_(objective),
3979 reference_assignment_(new Assignment(assignment_)),
3980 filter_assignment_delta_(assignment->solver()->MakeAssignment()),
3981 pool_(pool),
3982 ls_operator_(ls_operator),
3983 sub_decision_builder_(sub_decision_builder),
3984 limit_(nullptr),
3985 original_limit_(limit),
3986 neighbor_found_(false),
3987 filter_manager_(filter_manager),
3988 solutions_since_last_check_(0),
3989 check_period_(
3990 assignment_->solver()->parameters().check_solution_period()),
3991 last_checked_assignment_(assignment) {
3992 CHECK(nullptr != assignment);
3993 CHECK(nullptr != ls_operator);
3994
3995 Solver* const solver = assignment_->solver();
3996 // If limit is nullptr, default limit is 1 solution
3997 if (nullptr == limit) {
3998 limit_ = solver->MakeSolutionsLimit(1);
3999 } else {
4000 limit_ = limit->MakeIdenticalClone();
4001 // TODO(user): Support skipping neighborhood checks for limits accepting
4002 // more than one solution (e.g. best accept). For now re-enabling systematic
4003 // checks.
4004 if (limit_->solutions() != 1) {
4005 VLOG(1) << "Disabling neighbor-check skipping outside of first accept.";
4006 check_period_ = 1;
4007 }
4008 }
4009 // TODO(user): Support skipping neighborhood checks with LNS (at least on
4010 // the non-LNS operators).
4011 if (ls_operator->HasFragments()) {
4012 VLOG(1) << "Disabling neighbor-check skipping for LNS.";
4013 check_period_ = 1;
4014 }
4015
4016 if (!reference_assignment_->HasObjective()) {
4017 reference_assignment_->AddObjective(objective_);
4018 }
4019}
4020
4022 // Reset neighbor_found_ to false to ensure everything is properly
4023 // synchronized at the beginning of the search.
4024 neighbor_found_ = false;
4025 last_synchronized_assignment_.reset();
4026}
4027
4029 CHECK(nullptr != solver);
4030
4031 if (original_limit_ != nullptr) {
4032 limit_->Copy(original_limit_);
4033 }
4034
4035 if (!last_checked_assignment_.HasObjective()) {
4036 last_checked_assignment_.AddObjective(assignment_->Objective());
4037 }
4038
4039 if (!neighbor_found_) {
4040 // Only called on the first call to Next(), reference_assignment_ has not
4041 // been synced with assignment_ yet
4042
4043 // Keeping the code in case a performance problem forces us to
4044 // use the old code with a zero test on pool_.
4045 // reference_assignment_->CopyIntersection(assignment_);
4046 pool_->Initialize(assignment_);
4047 SynchronizeAll(solver);
4048 }
4049
4050 {
4051 // Another assignment is needed to apply the delta
4052 Assignment* assignment_copy =
4053 solver->MakeAssignment(reference_assignment_.get());
4054 int counter = 0;
4055
4056 DecisionBuilder* restore = solver->MakeRestoreAssignment(assignment_copy);
4057 if (sub_decision_builder_) {
4058 restore = solver->Compose(restore, sub_decision_builder_);
4059 }
4060 Assignment* delta = solver->MakeAssignment();
4061 Assignment* deltadelta = solver->MakeAssignment();
4062 while (true) {
4063 if (!ls_operator_->HoldsDelta()) {
4064 delta->Clear();
4065 }
4066 delta->ClearObjective();
4067 deltadelta->Clear();
4068 solver->TopPeriodicCheck();
4069 if (++counter >= absl::GetFlag(FLAGS_cp_local_search_sync_frequency) &&
4070 pool_->SyncNeeded(reference_assignment_.get())) {
4071 // TODO(user) : SyncNeed(assignment_) ?
4072 counter = 0;
4073 SynchronizeAll(solver);
4074 }
4075
4076 bool has_neighbor = false;
4077 if (!limit_->Check()) {
4078 solver->GetLocalSearchMonitor()->BeginMakeNextNeighbor(ls_operator_);
4079 has_neighbor = ls_operator_->MakeNextNeighbor(delta, deltadelta);
4081 ls_operator_, has_neighbor, delta, deltadelta);
4082 }
4083
4084 if (has_neighbor && !solver->IsUncheckedSolutionLimitReached()) {
4085 solver->neighbors_ += 1;
4086 // All filters must be called for incrementality reasons.
4087 // Empty deltas must also be sent to incremental filters; can be needed
4088 // to resync filters on non-incremental (empty) moves.
4089 // TODO(user): Don't call both if no filter is incremental and one
4090 // of them returned false.
4091 solver->GetLocalSearchMonitor()->BeginFilterNeighbor(ls_operator_);
4092 const bool mh_filter =
4093 AcceptDelta(solver->ParentSearch(), delta, deltadelta);
4094 int64_t objective_min = std::numeric_limits<int64_t>::min();
4095 int64_t objective_max = std::numeric_limits<int64_t>::max();
4096 if (objective_) {
4097 objective_min = objective_->Min();
4098 objective_max = objective_->Max();
4099 }
4100 if (delta->HasObjective() && delta->Objective() == objective_) {
4101 objective_min = std::max(objective_min, delta->ObjectiveMin());
4102 objective_max = std::min(objective_max, delta->ObjectiveMax());
4103 }
4104 const bool move_filter = FilterAccept(solver, delta, deltadelta,
4105 objective_min, objective_max);
4107 ls_operator_, mh_filter && move_filter);
4108 if (!mh_filter || !move_filter) {
4109 if (filter_manager_ != nullptr) filter_manager_->Revert();
4110 continue;
4111 }
4112 solver->filtered_neighbors_ += 1;
4113 if (delta->HasObjective()) {
4114 if (!assignment_copy->HasObjective()) {
4115 assignment_copy->AddObjective(delta->Objective());
4116 }
4117 if (!assignment_->HasObjective()) {
4118 assignment_->AddObjective(delta->Objective());
4119 last_checked_assignment_.AddObjective(delta->Objective());
4120 }
4121 }
4122 assignment_copy->CopyIntersection(reference_assignment_.get());
4123 assignment_copy->CopyIntersection(delta);
4124 solver->GetLocalSearchMonitor()->BeginAcceptNeighbor(ls_operator_);
4125 const bool check_solution = (solutions_since_last_check_ == 0) ||
4126 !solver->UseFastLocalSearch() ||
4127 // LNS deltas need to be restored
4128 !delta->AreAllElementsBound();
4129 if (has_checked_assignment_) solutions_since_last_check_++;
4130 if (solutions_since_last_check_ >= check_period_) {
4131 solutions_since_last_check_ = 0;
4132 }
4133 const bool accept = !check_solution || solver->SolveAndCommit(restore);
4134 solver->GetLocalSearchMonitor()->EndAcceptNeighbor(ls_operator_,
4135 accept);
4136 if (accept) {
4137 solver->accepted_neighbors_ += 1;
4138 if (check_solution) {
4139 solver->SetSearchContext(solver->ParentSearch(),
4140 ls_operator_->DebugString());
4141 assignment_->Store();
4142 last_checked_assignment_.CopyIntersection(assignment_);
4143 neighbor_found_ = true;
4144 has_checked_assignment_ = true;
4145 return nullptr;
4146 }
4147 solver->SetSearchContext(solver->ActiveSearch(),
4148 ls_operator_->DebugString());
4149 assignment_->CopyIntersection(assignment_copy);
4150 assignment_->SetObjectiveValue(
4151 filter_manager_ ? filter_manager_->GetAcceptedObjectiveValue()
4152 : 0);
4153 // Advancing local search to the current solution without
4154 // checking.
4155 // TODO(user): support the case were limit_ accepts more than
4156 // one solution (e.g. best accept).
4157 AcceptUncheckedNeighbor(solver->ParentSearch());
4158 solver->IncrementUncheckedSolutionCounter();
4159 pool_->RegisterNewSolution(assignment_);
4160 SynchronizeAll(solver);
4161 // NOTE: SynchronizeAll() sets neighbor_found_ to false, force it
4162 // back to true when skipping checks.
4163 neighbor_found_ = true;
4164 } else {
4165 if (filter_manager_ != nullptr) filter_manager_->Revert();
4166 if (check_period_ > 1 && has_checked_assignment_) {
4167 // Filtering is not perfect, disabling fast local search and
4168 // resynchronizing with the last checked solution.
4169 // TODO(user): Restore state of local search operators to
4170 // make sure we are exploring neighbors in the same order. This can
4171 // affect the local optimum found.
4172 VLOG(1) << "Imperfect filtering detected, backtracking to last "
4173 "checked solution and checking all solutions.";
4174 check_period_ = 1;
4175 solutions_since_last_check_ = 0;
4176 pool_->RegisterNewSolution(&last_checked_assignment_);
4177 SynchronizeAll(solver);
4178 assignment_->CopyIntersection(&last_checked_assignment_);
4179 }
4180 }
4181 } else {
4182 // Reset the last synchronized assignment in case it's no longer up to
4183 // date or we fail below.
4184 last_synchronized_assignment_.reset();
4185 if (neighbor_found_) {
4186 // In case the last checked assignment isn't the current one, restore
4187 // it to make sure the solver knows about it, especially if this is
4188 // the end of the search.
4189 // TODO(user): Compare assignments in addition to their cost.
4190 if (last_checked_assignment_.ObjectiveValue() !=
4191 assignment_->ObjectiveValue()) {
4192 // If restoring fails this means filtering is not perfect and the
4193 // solver will consider the last checked assignment.
4194 assignment_copy->CopyIntersection(assignment_);
4195 if (!solver->SolveAndCommit(restore)) solver->Fail();
4196 last_checked_assignment_.CopyIntersection(assignment_);
4197 has_checked_assignment_ = true;
4198 return nullptr;
4199 }
4200 AcceptNeighbor(solver->ParentSearch());
4201 // Keeping the code in case a performance problem forces us to
4202 // use the old code with a zero test on pool_.
4203 // reference_assignment_->CopyIntersection(assignment_);
4204 pool_->RegisterNewSolution(assignment_);
4205 SynchronizeAll(solver);
4206 } else {
4207 break;
4208 }
4209 }
4210 }
4211 }
4212 // NOTE(user): The last synchronized assignment must be reset here to
4213 // guarantee filters will be properly synched in case we re-solve using an
4214 // assignment that wasn't the last accepted and synchronized assignment.
4215 last_synchronized_assignment_.reset();
4216 solver->Fail();
4217 return nullptr;
4218}
4219
4220bool FindOneNeighbor::FilterAccept(Solver* solver, Assignment* delta,
4221 Assignment* deltadelta,
4222 int64_t objective_min,
4223 int64_t objective_max) {
4224 if (filter_manager_ == nullptr) return true;
4225 LocalSearchMonitor* const monitor = solver->GetLocalSearchMonitor();
4226 return filter_manager_->Accept(monitor, delta, deltadelta, objective_min,
4227 objective_max);
4228}
4229
4230namespace {
4231
4232template <typename Container>
4233void AddDeltaElements(const Container& old_container,
4234 const Container& new_container, Assignment* delta) {
4235 for (const auto& new_element : new_container.elements()) {
4236 const auto var = new_element.Var();
4237 const auto old_element_ptr = old_container.ElementPtrOrNull(var);
4238 if (old_element_ptr == nullptr || *old_element_ptr != new_element) {
4239 delta->FastAdd(var)->Copy(new_element);
4240 }
4241 }
4242}
4243
4244void MakeDelta(const Assignment* old_assignment,
4245 const Assignment* new_assignment, Assignment* delta) {
4246 DCHECK_NE(delta, nullptr);
4247 delta->Clear();
4248 AddDeltaElements(old_assignment->IntVarContainer(),
4249 new_assignment->IntVarContainer(), delta);
4250 AddDeltaElements(old_assignment->IntervalVarContainer(),
4251 new_assignment->IntervalVarContainer(), delta);
4252 AddDeltaElements(old_assignment->SequenceVarContainer(),
4253 new_assignment->SequenceVarContainer(), delta);
4254}
4255} // namespace
4256
4257void FindOneNeighbor::SynchronizeAll(Solver* solver) {
4258 Assignment* const reference_assignment = reference_assignment_.get();
4259 pool_->GetNextSolution(reference_assignment);
4260 neighbor_found_ = false;
4261 limit_->Init();
4262 solver->GetLocalSearchMonitor()->BeginOperatorStart();
4263 ls_operator_->Start(reference_assignment);
4264 if (filter_manager_ != nullptr) {
4265 Assignment* delta = nullptr;
4266 if (last_synchronized_assignment_ == nullptr) {
4267 last_synchronized_assignment_ =
4268 std::make_unique<Assignment>(reference_assignment);
4269 } else {
4270 MakeDelta(last_synchronized_assignment_.get(), reference_assignment,
4271 filter_assignment_delta_);
4272 delta = filter_assignment_delta_;
4273 last_synchronized_assignment_->Copy(reference_assignment);
4274 }
4275 filter_manager_->Synchronize(reference_assignment_.get(), delta);
4276 }
4277 solver->GetLocalSearchMonitor()->EndOperatorStart();
4278}
4279
4280// ---------- Local Search Phase Parameters ----------
4281
4283 public:
4287 RegularLimit* const limit,
4289 : objective_(objective),
4290 solution_pool_(pool),
4291 ls_operator_(ls_operator),
4292 sub_decision_builder_(sub_decision_builder),
4293 limit_(limit),
4294 filter_manager_(filter_manager) {}
4296 std::string DebugString() const override {
4297 return "LocalSearchPhaseParameters";
4298 }
4299
4300 IntVar* objective() const { return objective_; }
4301 SolutionPool* solution_pool() const { return solution_pool_; }
4302 LocalSearchOperator* ls_operator() const { return ls_operator_; }
4304 return sub_decision_builder_;
4305 }
4306 RegularLimit* limit() const { return limit_; }
4307 LocalSearchFilterManager* filter_manager() const { return filter_manager_; }
4308
4309 private:
4310 IntVar* const objective_;
4311 SolutionPool* const solution_pool_;
4312 LocalSearchOperator* const ls_operator_;
4313 DecisionBuilder* const sub_decision_builder_;
4314 RegularLimit* const limit_;
4315 LocalSearchFilterManager* const filter_manager_;
4316};
4317
4319 IntVar* objective, LocalSearchOperator* const ls_operator,
4320 DecisionBuilder* const sub_decision_builder) {
4322 ls_operator, sub_decision_builder,
4323 nullptr, nullptr);
4324}
4325
4327 IntVar* objective, LocalSearchOperator* const ls_operator,
4328 DecisionBuilder* const sub_decision_builder, RegularLimit* const limit) {
4330 ls_operator, sub_decision_builder,
4331 limit, nullptr);
4332}
4333
4335 IntVar* objective, LocalSearchOperator* const ls_operator,
4336 DecisionBuilder* const sub_decision_builder, RegularLimit* const limit,
4337 LocalSearchFilterManager* filter_manager) {
4339 ls_operator, sub_decision_builder,
4340 limit, filter_manager);
4341}
4342
4344 IntVar* objective, SolutionPool* const pool,
4345 LocalSearchOperator* const ls_operator,
4346 DecisionBuilder* const sub_decision_builder) {
4347 return MakeLocalSearchPhaseParameters(objective, pool, ls_operator,
4348 sub_decision_builder, nullptr, nullptr);
4349}
4350
4352 IntVar* objective, SolutionPool* const pool,
4353 LocalSearchOperator* const ls_operator,
4354 DecisionBuilder* const sub_decision_builder, RegularLimit* const limit) {
4355 return MakeLocalSearchPhaseParameters(objective, pool, ls_operator,
4356 sub_decision_builder, limit, nullptr);
4357}
4358
4360 IntVar* objective, SolutionPool* const pool,
4361 LocalSearchOperator* const ls_operator,
4362 DecisionBuilder* const sub_decision_builder, RegularLimit* const limit,
4363 LocalSearchFilterManager* filter_manager) {
4364 return RevAlloc(new LocalSearchPhaseParameters(objective, pool, ls_operator,
4365 sub_decision_builder, limit,
4366 filter_manager));
4367}
4368
4369namespace {
4370// ----- NestedSolve decision wrapper -----
4371
4372// This decision calls a nested Solve on the given DecisionBuilder in its
4373// left branch; does nothing in the left branch.
4374// The state of the decision corresponds to the result of the nested Solve:
4375// DECISION_PENDING - Nested Solve not called yet
4376// DECISION_FAILED - Nested Solve failed
4377// DECISION_FOUND - Nested Solve succeeded
4378
4379class NestedSolveDecision : public Decision {
4380 public:
4381 // This enum is used internally to tag states in the local search tree.
4382 enum StateType { DECISION_PENDING, DECISION_FAILED, DECISION_FOUND };
4383
4384 NestedSolveDecision(DecisionBuilder* db, bool restore,
4385 const std::vector<SearchMonitor*>& monitors);
4386 NestedSolveDecision(DecisionBuilder* db, bool restore);
4387 ~NestedSolveDecision() override {}
4388 void Apply(Solver* solver) override;
4389 void Refute(Solver* solver) override;
4390 std::string DebugString() const override { return "NestedSolveDecision"; }
4391 int state() const { return state_; }
4392
4393 private:
4394 DecisionBuilder* const db_;
4395 bool restore_;
4396 std::vector<SearchMonitor*> monitors_;
4397 int state_;
4398};
4399
4400NestedSolveDecision::NestedSolveDecision(
4401 DecisionBuilder* const db, bool restore,
4402 const std::vector<SearchMonitor*>& monitors)
4403 : db_(db),
4404 restore_(restore),
4405 monitors_(monitors),
4406 state_(DECISION_PENDING) {
4407 CHECK(nullptr != db);
4408}
4409
4410NestedSolveDecision::NestedSolveDecision(DecisionBuilder* const db,
4411 bool restore)
4412 : db_(db), restore_(restore), state_(DECISION_PENDING) {
4413 CHECK(nullptr != db);
4414}
4415
4416void NestedSolveDecision::Apply(Solver* const solver) {
4417 CHECK(nullptr != solver);
4418 if (restore_) {
4419 if (solver->Solve(db_, monitors_)) {
4420 solver->SaveAndSetValue(&state_, static_cast<int>(DECISION_FOUND));
4421 } else {
4422 solver->SaveAndSetValue(&state_, static_cast<int>(DECISION_FAILED));
4423 }
4424 } else {
4425 if (solver->SolveAndCommit(db_, monitors_)) {
4426 solver->SaveAndSetValue(&state_, static_cast<int>(DECISION_FOUND));
4427 } else {
4428 solver->SaveAndSetValue(&state_, static_cast<int>(DECISION_FAILED));
4429 }
4430 }
4431}
4432
4433void NestedSolveDecision::Refute(Solver* const) {}
4434} // namespace
4435
4436// ----- Local search decision builder -----
4437
4438// Given a first solution (resulting from either an initial assignment or the
4439// result of a decision builder), it searches for neighbors using a local
4440// search operator. The first solution corresponds to the first leaf of the
4441// search.
4442// The local search applies to the variables contained either in the assignment
4443// or the vector of variables passed.
4444
4446 public:
4447 LocalSearch(Assignment* assignment, IntVar* objective, SolutionPool* pool,
4448 LocalSearchOperator* ls_operator,
4449 DecisionBuilder* sub_decision_builder, RegularLimit* limit,
4450 LocalSearchFilterManager* filter_manager);
4451 // TODO(user): find a way to not have to pass vars here: redundant with
4452 // variables in operators
4453 LocalSearch(const std::vector<IntVar*>& vars, IntVar* objective,
4454 SolutionPool* pool, DecisionBuilder* first_solution,
4455 LocalSearchOperator* ls_operator,
4456 DecisionBuilder* sub_decision_builder, RegularLimit* limit,
4457 LocalSearchFilterManager* filter_manager);
4458 LocalSearch(const std::vector<IntVar*>& vars, IntVar* objective,
4459 SolutionPool* pool, DecisionBuilder* first_solution,
4460 DecisionBuilder* first_solution_sub_decision_builder,
4461 LocalSearchOperator* ls_operator,
4462 DecisionBuilder* sub_decision_builder, RegularLimit* limit,
4463 LocalSearchFilterManager* filter_manager);
4464 LocalSearch(const std::vector<SequenceVar*>& vars, IntVar* objective,
4465 SolutionPool* pool, DecisionBuilder* first_solution,
4466 LocalSearchOperator* ls_operator,
4467 DecisionBuilder* sub_decision_builder, RegularLimit* limit,
4468 LocalSearchFilterManager* filter_manager);
4469 ~LocalSearch() override;
4470 Decision* Next(Solver* solver) override;
4471 std::string DebugString() const override { return "LocalSearch"; }
4472 void Accept(ModelVisitor* visitor) const override;
4473
4474 protected:
4475 void PushFirstSolutionDecision(DecisionBuilder* first_solution);
4476 void PushLocalSearchDecision();
4477
4478 private:
4479 Assignment* assignment_;
4480 IntVar* const objective_ = nullptr;
4481 SolutionPool* const pool_;
4482 LocalSearchOperator* const ls_operator_;
4483 DecisionBuilder* const first_solution_sub_decision_builder_;
4484 DecisionBuilder* const sub_decision_builder_;
4485 FindOneNeighbor* find_neighbors_db_;
4486 std::vector<NestedSolveDecision*> nested_decisions_;
4487 int nested_decision_index_;
4488 RegularLimit* const limit_;
4489 LocalSearchFilterManager* const filter_manager_;
4490 bool has_started_;
4491};
4492
4493LocalSearch::LocalSearch(Assignment* const assignment, IntVar* objective,
4494 SolutionPool* const pool,
4495 LocalSearchOperator* const ls_operator,
4496 DecisionBuilder* const sub_decision_builder,
4497 RegularLimit* const limit,
4498 LocalSearchFilterManager* filter_manager)
4499 : assignment_(nullptr),
4500 objective_(objective),
4501 pool_(pool),
4502 ls_operator_(ls_operator),
4503 first_solution_sub_decision_builder_(sub_decision_builder),
4504 sub_decision_builder_(sub_decision_builder),
4505 nested_decision_index_(0),
4506 limit_(limit),
4507 filter_manager_(filter_manager),
4508 has_started_(false) {
4509 CHECK(nullptr != assignment);
4510 CHECK(nullptr != ls_operator);
4511 Solver* const solver = assignment->solver();
4512 assignment_ = solver->GetOrCreateLocalSearchState();
4513 assignment_->Copy(assignment);
4514 DecisionBuilder* restore = solver->MakeRestoreAssignment(assignment);
4517}
4518
4519LocalSearch::LocalSearch(const std::vector<IntVar*>& vars, IntVar* objective,
4520 SolutionPool* const pool,
4521 DecisionBuilder* const first_solution,
4522 LocalSearchOperator* const ls_operator,
4523 DecisionBuilder* const sub_decision_builder,
4524 RegularLimit* const limit,
4525 LocalSearchFilterManager* filter_manager)
4526 : assignment_(nullptr),
4527 objective_(objective),
4528 pool_(pool),
4529 ls_operator_(ls_operator),
4530 first_solution_sub_decision_builder_(sub_decision_builder),
4531 sub_decision_builder_(sub_decision_builder),
4532 nested_decision_index_(0),
4533 limit_(limit),
4534 filter_manager_(filter_manager),
4535 has_started_(false) {
4536 CHECK(nullptr != first_solution);
4537 CHECK(nullptr != ls_operator);
4538 CHECK(!vars.empty());
4539 Solver* const solver = vars[0]->solver();
4540 assignment_ = solver->GetOrCreateLocalSearchState();
4541 assignment_->Add(vars);
4542 PushFirstSolutionDecision(first_solution);
4544}
4545
4547 const std::vector<IntVar*>& vars, IntVar* objective,
4548 SolutionPool* const pool, DecisionBuilder* const first_solution,
4549 DecisionBuilder* const first_solution_sub_decision_builder,
4550 LocalSearchOperator* const ls_operator,
4551 DecisionBuilder* const sub_decision_builder, RegularLimit* const limit,
4552 LocalSearchFilterManager* filter_manager)
4553 : assignment_(nullptr),
4554 objective_(objective),
4555 pool_(pool),
4556 ls_operator_(ls_operator),
4557 first_solution_sub_decision_builder_(first_solution_sub_decision_builder),
4558 sub_decision_builder_(sub_decision_builder),
4559 nested_decision_index_(0),
4560 limit_(limit),
4561 filter_manager_(filter_manager),
4562 has_started_(false) {
4563 CHECK(nullptr != first_solution);
4564 CHECK(nullptr != ls_operator);
4565 CHECK(!vars.empty());
4566 Solver* const solver = vars[0]->solver();
4567 assignment_ = solver->GetOrCreateLocalSearchState();
4568 assignment_->Add(vars);
4569 PushFirstSolutionDecision(first_solution);
4571}
4572
4573LocalSearch::LocalSearch(const std::vector<SequenceVar*>& vars,
4574 IntVar* objective, SolutionPool* const pool,
4575 DecisionBuilder* const first_solution,
4576 LocalSearchOperator* const ls_operator,
4577 DecisionBuilder* const sub_decision_builder,
4578 RegularLimit* const limit,
4579 LocalSearchFilterManager* filter_manager)
4580 : assignment_(nullptr),
4581 objective_(objective),
4582 pool_(pool),
4583 ls_operator_(ls_operator),
4584 first_solution_sub_decision_builder_(sub_decision_builder),
4585 sub_decision_builder_(sub_decision_builder),
4586 nested_decision_index_(0),
4587 limit_(limit),
4588 filter_manager_(filter_manager),
4589 has_started_(false) {
4590 CHECK(nullptr != first_solution);
4591 CHECK(nullptr != ls_operator);
4592 CHECK(!vars.empty());
4593 Solver* const solver = vars[0]->solver();
4594 assignment_ = solver->GetOrCreateLocalSearchState();
4595 assignment_->Add(vars);
4596 PushFirstSolutionDecision(first_solution);
4598}
4599
4601
4602// Model Visitor support.
4603void LocalSearch::Accept(ModelVisitor* const visitor) const {
4604 DCHECK(assignment_ != nullptr);
4606 // We collect decision variables from the assignment.
4607 const std::vector<IntVarElement>& elements =
4608 assignment_->IntVarContainer().elements();
4609 if (!elements.empty()) {
4610 std::vector<IntVar*> vars;
4611 for (const IntVarElement& elem : elements) {
4612 vars.push_back(elem.Var());
4613 }
4615 vars);
4616 }
4617 const std::vector<IntervalVarElement>& interval_elements =
4618 assignment_->IntervalVarContainer().elements();
4619 if (!interval_elements.empty()) {
4620 std::vector<IntervalVar*> interval_vars;
4621 for (const IntervalVarElement& elem : interval_elements) {
4622 interval_vars.push_back(elem.Var());
4623 }
4625 interval_vars);
4626 }
4628}
4629
4630// This is equivalent to a multi-restart decision builder
4631// TODO(user): abstract this from the local search part
4632// TODO(user): handle the case where the tree depth is not enough to hold
4633// all solutions.
4634
4636 CHECK(nullptr != solver);
4637 CHECK_LT(0, nested_decisions_.size());
4638 if (!has_started_) {
4639 nested_decision_index_ = 0;
4640 solver->SaveAndSetValue(&has_started_, true);
4641 find_neighbors_db_->EnterSearch();
4642 ls_operator_->EnterSearch();
4643 } else if (nested_decision_index_ < 0) {
4644 solver->Fail();
4645 }
4646 NestedSolveDecision* decision = nested_decisions_[nested_decision_index_];
4647 const int state = decision->state();
4648 switch (state) {
4649 case NestedSolveDecision::DECISION_FAILED: {
4650 const bool local_optimum_reached =
4652 if (local_optimum_reached) {
4653 // A local optimum has been reached. The search will continue only if we
4654 // accept up-hill moves (due to metaheuristics). In this case we need to
4655 // reset neighborhood optimal routes.
4656 ls_operator_->Reset();
4657 }
4658 if (!local_optimum_reached || solver->IsUncheckedSolutionLimitReached()) {
4659 nested_decision_index_ = -1; // Stop the search
4660 }
4661 solver->Fail();
4662 return nullptr;
4663 }
4664 case NestedSolveDecision::DECISION_PENDING: {
4665 // TODO(user): Find a way to make this balancing invisible to the
4666 // user (no increase in branch or fail counts for instance).
4667 const int32_t kLocalSearchBalancedTreeDepth = 32;
4668 const int depth = solver->SearchDepth();
4669 if (depth < kLocalSearchBalancedTreeDepth) {
4670 return solver->balancing_decision();
4671 }
4672 if (depth > kLocalSearchBalancedTreeDepth) {
4673 solver->Fail();
4674 }
4675 return decision;
4676 }
4677 case NestedSolveDecision::DECISION_FOUND: {
4678 // Next time go to next decision
4679 if (nested_decision_index_ + 1 < nested_decisions_.size()) {
4680 ++nested_decision_index_;
4681 }
4682 return nullptr;
4683 }
4684 default: {
4685 LOG(ERROR) << "Unknown local search state";
4686 return nullptr;
4687 }
4688 }
4689 return nullptr;
4690}
4691
4693 CHECK(first_solution);
4694 Solver* const solver = assignment_->solver();
4695 DecisionBuilder* store = solver->MakeStoreAssignment(assignment_);
4696 DecisionBuilder* first_solution_and_store = solver->Compose(
4697 solver->MakeProfiledDecisionBuilderWrapper(first_solution),
4698 first_solution_sub_decision_builder_, store);
4699 std::vector<SearchMonitor*> monitor;
4700 monitor.push_back(limit_);
4701 nested_decisions_.push_back(solver->RevAlloc(
4702 new NestedSolveDecision(first_solution_and_store, false, monitor)));
4703}
4704
4706 Solver* const solver = assignment_->solver();
4707 find_neighbors_db_ = solver->RevAlloc(
4708 new FindOneNeighbor(assignment_, objective_, pool_, ls_operator_,
4709 sub_decision_builder_, limit_, filter_manager_));
4710 nested_decisions_.push_back(
4711 solver->RevAlloc(new NestedSolveDecision(find_neighbors_db_, false)));
4712}
4713
4715 public:
4717
4719
4720 void Initialize(Assignment* const assignment) override {
4721 reference_assignment_ = std::make_unique<Assignment>(assignment);
4722 }
4723
4724 void RegisterNewSolution(Assignment* const assignment) override {
4725 reference_assignment_->CopyIntersection(assignment);
4726 }
4727
4728 void GetNextSolution(Assignment* const assignment) override {
4729 assignment->CopyIntersection(reference_assignment_.get());
4730 }
4731
4732 bool SyncNeeded(Assignment* const) override { return false; }
4733
4734 std::string DebugString() const override { return "DefaultSolutionPool"; }
4735
4736 private:
4737 std::unique_ptr<Assignment> reference_assignment_;
4738};
4739
4743
4746 return RevAlloc(new LocalSearch(
4747 assignment, parameters->objective(), parameters->solution_pool(),
4748 parameters->ls_operator(), parameters->sub_decision_builder(),
4749 parameters->limit(), parameters->filter_manager()));
4750}
4751
4753 const std::vector<IntVar*>& vars, DecisionBuilder* first_solution,
4755 return RevAlloc(new LocalSearch(
4756 vars, parameters->objective(), parameters->solution_pool(),
4757 first_solution, parameters->ls_operator(),
4758 parameters->sub_decision_builder(), parameters->limit(),
4759 parameters->filter_manager()));
4760}
4761
4763 const std::vector<IntVar*>& vars, DecisionBuilder* first_solution,
4764 DecisionBuilder* first_solution_sub_decision_builder,
4766 return RevAlloc(new LocalSearch(
4767 vars, parameters->objective(), parameters->solution_pool(),
4768 first_solution, first_solution_sub_decision_builder,
4769 parameters->ls_operator(), parameters->sub_decision_builder(),
4770 parameters->limit(), parameters->filter_manager()));
4771}
4772
4774 const std::vector<SequenceVar*>& vars, DecisionBuilder* first_solution,
4776 return RevAlloc(new LocalSearch(
4777 vars, parameters->objective(), parameters->solution_pool(),
4778 first_solution, parameters->ls_operator(),
4779 parameters->sub_decision_builder(), parameters->limit(),
4780 parameters->filter_manager()));
4781}
4782
4783template <bool is_profile_active>
4784Assignment* Solver::RunUncheckedLocalSearchInternal(
4785 const Assignment* initial_solution,
4786 LocalSearchFilterManager* filter_manager, LocalSearchOperator* ls_operator,
4787 const std::vector<SearchMonitor*>& monitors, RegularLimit* limit,
4788 absl::flat_hash_set<IntVar*>* touched) {
4789 DCHECK(initial_solution != nullptr);
4790 DCHECK(initial_solution->Objective() != nullptr);
4791 DCHECK(filter_manager != nullptr);
4792 if (limit != nullptr) limit->Init();
4793 Assignment delta(this);
4794 Assignment deltadelta(this);
4795 Assignment* const current_solution = GetOrCreateLocalSearchState();
4796 current_solution->Copy(initial_solution);
4797 std::function<bool(Assignment*, Assignment*)> make_next_neighbor;
4798 std::function<bool(Assignment*, Assignment*)> filter_neighbor;
4799 LocalSearchMonitor* const ls_monitor =
4800 is_profile_active ? GetLocalSearchMonitor() : nullptr;
4801 const auto sync_with_solution =
4802 [this, ls_monitor, ls_operator, // NOLINT: ls_monitor is used when
4803 // is_profile_active is true
4804 filter_manager, current_solution](Assignment* delta) {
4805 IncrementUncheckedSolutionCounter();
4806 if constexpr (is_profile_active) {
4807 ls_monitor->BeginOperatorStart();
4808 }
4809 ls_operator->Start(current_solution);
4810 filter_manager->Synchronize(current_solution, delta);
4811 if constexpr (is_profile_active) {
4812 ls_monitor->EndOperatorStart();
4813 }
4814 };
4815 sync_with_solution(/*delta=*/nullptr);
4816 while (true) {
4817 if (!ls_operator->HoldsDelta()) {
4818 delta.Clear();
4819 }
4820 delta.ClearObjective();
4821 deltadelta.Clear();
4822 if (limit != nullptr && (limit->CheckWithOffset(absl::ZeroDuration()) ||
4824 break;
4825 }
4826 if constexpr (is_profile_active) {
4827 ls_monitor->BeginMakeNextNeighbor(ls_operator);
4828 }
4829 const bool has_neighbor =
4830 ls_operator->MakeNextNeighbor(&delta, &deltadelta);
4831 if constexpr (is_profile_active) {
4832 ls_monitor->EndMakeNextNeighbor(ls_operator, has_neighbor, &delta,
4833 &deltadelta);
4834 }
4835 if (!has_neighbor) {
4836 break;
4837 }
4838 if constexpr (is_profile_active) {
4839 ls_monitor->BeginFilterNeighbor(ls_operator);
4840 }
4841 for (SearchMonitor* monitor : monitors) {
4842 const bool mh_accept = monitor->AcceptDelta(&delta, &deltadelta);
4843 DCHECK(mh_accept);
4844 }
4845 const bool filter_accept =
4846 filter_manager->Accept(ls_monitor, &delta, &deltadelta,
4847 delta.ObjectiveMin(), delta.ObjectiveMax());
4848 if constexpr (is_profile_active) {
4849 ls_monitor->EndFilterNeighbor(ls_operator, filter_accept);
4850 ls_monitor->BeginAcceptNeighbor(ls_operator);
4851 ls_monitor->EndAcceptNeighbor(ls_operator, filter_accept);
4852 }
4853 if (!filter_accept) {
4854 filter_manager->Revert();
4855 continue;
4856 }
4857 filtered_neighbors_ += 1;
4858 current_solution->CopyIntersection(&delta);
4859 current_solution->SetObjectiveValue(
4860 filter_manager->GetAcceptedObjectiveValue());
4861 DCHECK(delta.AreAllElementsBound());
4862 accepted_neighbors_ += 1;
4863 SetSearchContext(ActiveSearch(), ls_operator->DebugString());
4864 for (SearchMonitor* monitor : monitors) {
4865 monitor->AtSolution();
4866 }
4867 if (touched != nullptr) {
4868 for (const auto& element : delta.IntVarContainer().elements()) {
4869 touched->insert(element.Var());
4870 }
4871 }
4872 // Syncing here to avoid resyncing when filtering fails.
4873 sync_with_solution(/*delta=*/&delta);
4874 }
4875 if (parameters_.print_local_search_profile()) {
4876 const std::string profile = LocalSearchProfile();
4877 if (!profile.empty()) LOG(INFO) << profile;
4878 }
4879 return MakeAssignment(current_solution);
4880}
4881
4883 const Assignment* initial_solution,
4884 LocalSearchFilterManager* filter_manager, LocalSearchOperator* ls_operator,
4885 const std::vector<SearchMonitor*>& monitors, RegularLimit* limit,
4886 absl::flat_hash_set<IntVar*>* touched) {
4887 if (GetLocalSearchMonitor()->IsActive()) {
4888 return RunUncheckedLocalSearchInternal<true>(initial_solution,
4889 filter_manager, ls_operator,
4890 monitors, limit, touched);
4891 } else {
4892 return RunUncheckedLocalSearchInternal<false>(initial_solution,
4893 filter_manager, ls_operator,
4894 monitors, limit, touched);
4895 }
4896}
4897
4898} // namespace operations_research
const E & Element(const V *const var) const
const std::vector< E > & elements() const
IntVarElement * Add(IntVar *var)
std::string DebugString() const override
void Copy(const Assignment *assignment)
AssignmentContainer< IntVar, IntVarElement > IntContainer
const IntContainer & IntVarContainer() const
void CopyIntersection(const Assignment *assignment)
BaseInactiveNodeToPathOperator(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, int number_of_base_nodes, std::function< int(int64_t)> start_empty_path_class, NeighborAccessor get_incoming_neighbors=nullptr, NeighborAccessor get_outgoing_neighbors=nullptr)
BaseLns(const std::vector< IntVar * > &vars)
--— Base Large Neighborhood Search operator --—
bool MakeOneNeighbor() override
This method should not be overridden. Override NextFragment() instead.
virtual bool NextFragment()=0
virtual std::string DebugString() const
void ClearAll()
Sets all bits to 0.
Definition bitset.h:503
void Set(IndexType i)
Sets the bit at position i to 1.
Definition bitset.h:544
virtual int64_t ModifyValue(int64_t index, int64_t value)=0
bool MakeOneNeighbor() override
This method should not be overridden. Override ModifyValue() instead.
ChangeValue(const std::vector< IntVar * > &vars)
--— ChangeValue Operators --—
std::string DebugString() const override
Cross(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class, NeighborAccessor get_incoming_neighbors, NeighborAccessor get_outgoing_neighbors)
~Cross() override=default
void GetNextSolution(Assignment *const assignment) override
std::string DebugString() const override
bool SyncNeeded(Assignment *const) override
void Initialize(Assignment *const assignment) override
void RegisterNewSolution(Assignment *const assignment) override
--— ExchangeAndMakeActiveOperator --—
ExchangeAndMakeActiveOperator(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
bool OnSamePathAsPreviousBase(int64_t base_index) override
--— ExchangePathEndsAndMakeActiveOperator --—
ExchangePathStartEndsAndMakeActiveOperator(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
~Exchange() override=default
Exchange(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class, NeighborAccessor get_incoming_neighbors, NeighborAccessor get_outgoing_neighbors)
std::string DebugString() const override
--— ExtendedSwapActiveOperator --—
ExtendedSwapActiveOperator(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
--— Finds a neighbor of the assignment passed --—
std::string DebugString() const override
-------— Decision Builder -------—
Decision * Next(Solver *solver) override
FindOneNeighbor(Assignment *assignment, IntVar *objective, SolutionPool *pool, LocalSearchOperator *ls_operator, DecisionBuilder *sub_decision_builder, const RegularLimit *limit, LocalSearchFilterManager *filter_manager)
IntVarLocalSearchFilter(const std::vector< IntVar * > &vars)
bool FindIndex(IntVar *const var, int64_t *index) const
virtual void OnSynchronize(const Assignment *)
void SynchronizeOnAssignment(const Assignment *assignment)
void AddVars(const std::vector< IntVar * > &vars)
Add variables to "track" to the filter.
void Synchronize(const Assignment *assignment, const Assignment *delta) override
void SetValue(int64_t index, int64_t value)
void RevertChanges(bool change_was_incremental)
bool MakeNextNeighbor(Assignment *delta, Assignment *deltadelta) override
--— Base operator class for operators manipulating IntVars --—
IntVar * Var(int64_t index) const
Returns the variable of given index.
bool ApplyChanges(Assignment *delta, Assignment *deltadelta) const
IntVarLocalSearchOperator(const std::vector< IntVar * > &vars, bool keep_inverse_values=false)
IntVar * Var() override
Creates a variable from the expression.
virtual bool Contains(int64_t v) const =0
std::string DebugString() const override
~LinKernighan() override=default
LinKernighan(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, const Solver::IndexEvaluator3 &evaluator, bool topt)
LocalSearchFilterManager(std::vector< FilterEvent > filter_events)
void Revert()
Calls Revert() of filters, in reverse order of Relax events.
void Synchronize(const Assignment *assignment, const Assignment *delta)
Synchronizes all filters to assignment.
bool Accept(LocalSearchMonitor *monitor, const Assignment *delta, const Assignment *deltadelta, int64_t objective_min, int64_t objective_max)
LocalSearchMonitor(Solver *solver)
-------— Local Search Monitor --------—
virtual void EndAcceptNeighbor(const LocalSearchOperator *op, bool neighbor_found)=0
virtual void BeginAcceptNeighbor(const LocalSearchOperator *op)=0
virtual void BeginMakeNextNeighbor(const LocalSearchOperator *op)=0
virtual void BeginOperatorStart()=0
Local search operator events.
virtual void BeginFilterNeighbor(const LocalSearchOperator *op)=0
virtual void BeginFiltering(const LocalSearchFilter *filter)=0
virtual void EndFilterNeighbor(const LocalSearchOperator *op, bool neighbor_found)=0
virtual void EndMakeNextNeighbor(const LocalSearchOperator *op, bool neighbor_found, const Assignment *delta, const Assignment *deltadelta)=0
virtual void EndFiltering(const LocalSearchFilter *filter, bool reject)=0
virtual const LocalSearchOperator * Self() const
-------— Local Search Phase Parameters -------—
LocalSearchFilterManager * filter_manager() const
LocalSearchPhaseParameters(IntVar *objective, SolutionPool *const pool, LocalSearchOperator *ls_operator, DecisionBuilder *sub_decision_builder, RegularLimit *const limit, LocalSearchFilterManager *filter_manager)
--— LocalSearchProfiler --—
void BeginOperatorStart() override
Local search operator events.
void EndFiltering(const LocalSearchFilter *filter, bool reject) override
void BeginMakeNextNeighbor(const LocalSearchOperator *op) override
std::string DebugString() const override
void BeginFiltering(const LocalSearchFilter *filter) override
LocalSearchStatistics ExportToLocalSearchStatistics() const
void ExitSearch() override
End of the search.
void EndAcceptNeighbor(const LocalSearchOperator *op, bool neighbor_found) override
void ParseLocalSearchOperatorStatistics(const Callback &callback) const
void ParseLocalSearchFilterStatistics(const Callback &callback) const
void AddFirstSolutionProfiledDecisionBuilder(ProfiledDecisionBuilder *profiled_db)
void BeginAcceptNeighbor(const LocalSearchOperator *) override
void Install() override
Install itself on the solver.
void BeginFilterNeighbor(const LocalSearchOperator *) override
void ParseFirstSolutionStatistics(const Callback &callback) const
void RestartSearch() override
Restart the search.
void EndFilterNeighbor(const LocalSearchOperator *op, bool neighbor_found) override
void EndMakeNextNeighbor(const LocalSearchOperator *op, bool neighbor_found, const Assignment *, const Assignment *) override
void AddWeightedSumConstraint(const std::vector< VariableDomainId > &input_domain_ids, const std::vector< int64_t > &input_weights, int64_t input_offset, VariableDomainId output_domain_id)
Adds a constraint that output = input_offset + sum_i weight_i * input_i.
int64_t VariableDomainMin(VariableDomainId domain_id) const
VariableDomainId AddVariableDomain(int64_t relaxed_min, int64_t relaxed_max)
Adds a variable domain to this state, returns a handler to the new domain.
bool TightenVariableDomainMin(VariableDomainId domain_id, int64_t value)
void ChangeRelaxedVariableDomain(VariableDomainId domain_id, int64_t min, int64_t max)
void PropagateRelax(VariableDomainId domain_id)
Propagation of all events.
static Variable DummyVariable()
Makes a variable with no state, this is meant as a placeholder.
Variable MakeVariable(VariableDomainId domain_id)
Variable MakeVariableWithRelaxedDomain(int64_t min, int64_t max)
bool TightenVariableDomainMax(VariableDomainId domain_id, int64_t value)
int64_t VariableDomainMax(VariableDomainId domain_id) const
bool PropagateTighten(VariableDomainId domain_id)
bool RelaxVariableDomain(VariableDomainId domain_id)
Relaxes the domain, returns false iff the domain was already relaxed.
void PushFirstSolutionDecision(DecisionBuilder *first_solution)
std::string DebugString() const override
-------— Decision Builder -------—
LocalSearch(Assignment *assignment, IntVar *objective, SolutionPool *pool, LocalSearchOperator *ls_operator, DecisionBuilder *sub_decision_builder, RegularLimit *limit, LocalSearchFilterManager *filter_manager)
void Accept(ModelVisitor *visitor) const override
Model Visitor support.
Decision * Next(Solver *solver) override
MakeActiveAndRelocateOperator(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
--— MakeActiveOperator --—
std::string DebugString() const override
MakeActiveOperator(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class, NeighborAccessor get_incoming_neighbors, NeighborAccessor get_outgoing_neighbors)
--— MakeChainInactiveOperator --—
MakeChainInactiveOperator(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
int64_t GetBaseNodeRestartPosition(int base_index) override
--— MakeInactiveOperator --—
std::string DebugString() const override
MakeInactiveOperator(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
virtual void VisitIntervalArrayArgument(const std::string &arg_name, const std::vector< IntervalVar * > &arguments)
virtual void VisitIntegerVariableArrayArgument(const std::string &arg_name, const std::vector< IntVar * > &arguments)
virtual void EndVisitExtension(const std::string &type)
virtual void BeginVisitExtension(const std::string &type)
const std::vector< int > & Neighbors(int index) const
NearestNeighbors & operator=(const NearestNeighbors &)=delete
virtual std::string DebugString() const
NearestNeighbors(const NearestNeighbors &)=delete
This type is neither copyable nor movable.
NearestNeighbors(Solver::IndexEvaluator3 evaluator, const PathOperator< ignore_path_vars > &path_operator, int size)
void Initialize(absl::Span< const int > path)
--— Limit the number of neighborhoods explored --—
bool MakeNextNeighbor(Assignment *delta, Assignment *deltadelta) override
NeighborhoodLimit(LocalSearchOperator *const op, int64_t limit)
std::string DebugString() const override
void Start(const Assignment *assignment) override
--— Path-based Large Neighborhood Search --—
bool HasFragments() const override
std::string DebugString() const override
PathLns(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, int number_of_chunks, int chunk_size, bool unactive_fragments)
~PathLns() override=default
int number_of_nexts() const
Number of next variables.
bool MakeChainInactive(int64_t before_chain, int64_t chain_end)
int64_t Prev(int64_t node) const
Returns the node before node in the current delta.
int PathClassFromStartNode(int64_t start_node) const
int64_t Path(int64_t node) const
bool MakeActive(int64_t node, int64_t destination)
Insert the inactive node after destination.
int64_t OldNext(int64_t node) const
bool SwapNodes(int64_t node1, int64_t node2)
Swaps the nodes node1 and node2.
void SetNext(int64_t from, int64_t to, int64_t path)
Sets 'to' to be the node after 'from' on the given path.
int CurrentNodePathStart(int64_t node) const
bool IsPathStart(int64_t node) const
Returns true if node is the first node on the path.
bool MoveChain(int64_t before_chain, int64_t chain_end, int64_t destination)
int64_t EndNode(int i) const
Returns the end node of the ith base node.
PathOperator(const std::vector< IntVar * > &next_vars, const std::vector< IntVar * > &path_vars, IterationParameters iteration_parameters)
Builds an instance of PathOperator from next and path variables.
bool IsInactive(int64_t node) const
Returns true if node is inactive.
bool CheckChainValidity(int64_t before_chain, int64_t chain_end, int64_t exclude) const
bool ReverseChain(int64_t before_chain, int64_t after_chain, int64_t *chain_last)
virtual void SetNextBaseToIncrement(int64_t base_index)
Neighbor GetNeighborForBaseNode(int64_t base_index) const
bool MakeOneNeighbor() override
This method should not be overridden. Override MakeNeighbor() instead.
int64_t StartNode(int i) const
Returns the start node of the ith base node.
int64_t BaseNode(int i) const
Returns the ith base node of the operator.
int CurrentNodePathEnd(int64_t node) const
bool IsUncheckedSolutionLimitReached() override
Definition search.cc:4620
bool CheckWithOffset(absl::Duration offset) override
Definition search.cc:4568
void Init() override
This method is called when the search limit is initialized.
Definition search.cc:4589
RegularLimit * MakeIdenticalClone() const
Definition search.cc:4562
-— RelocateAndMakeActiveOperator --—
RelocateAndMakeActiveOperator(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
--— RelocateAndMakeInactiveOperator --—
RelocateAndMakeInactiveOperator(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
bool OnSamePathAsPreviousBase(int64_t) override
std::string DebugString() const override
~Relocate() override=default
Relocate(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, absl::string_view name, std::function< int(int64_t)> start_empty_path_class, NeighborAccessor get_incoming_neighbors, NeighborAccessor get_outgoing_neighbors, int64_t chain_length=1LL, bool single_path=false)
virtual void Install()
A search monitors adds itself on the active search.
virtual bool AcceptDelta(Assignment *delta, Assignment *deltadelta)
For the time being, Solver is neither MT_SAFE nor MT_HOT.
Search * ActiveSearch() const
Returns the active search, nullptr outside search.
bool IsLocalSearchProfilingEnabled() const
Returns whether we are profiling local search.
DecisionBuilder * MakeRestoreAssignment(Assignment *assignment)
LocalSearchOperator * MakeMoveTowardTargetOperator(const Assignment &target)
LocalSearchOperator * ConcatenateOperators(const std::vector< LocalSearchOperator * > &ops)
LocalSearchFilter * MakeVariableDomainFilter()
ABSL_MUST_USE_RESULT RegularLimit * MakeSolutionsLimit(int64_t solutions)
Definition search.cc:4694
LocalSearchPhaseParameters * MakeLocalSearchPhaseParameters(IntVar *objective, LocalSearchOperator *ls_operator, DecisionBuilder *sub_decision_builder)
Local Search Phase Parameters.
void Fail()
Abandon the current branch in the search tree. A backtrack will follow.
Decision * balancing_decision() const
IntVarLocalSearchFilter * MakeSumObjectiveFilter(const std::vector< IntVar * > &vars, IndexEvaluator2 values, Solver::LocalSearchFilterBound filter_enum)
DecisionBuilder * MakeProfiledDecisionBuilderWrapper(DecisionBuilder *db)
Activates profiling on a decision builder.
bool UseFastLocalSearch() const
Returns true if fast local search is enabled.
LocalSearchMonitor * GetLocalSearchMonitor() const
Returns the local search monitor.
Assignment * RunUncheckedLocalSearch(const Assignment *initial_solution, LocalSearchFilterManager *filter_manager, LocalSearchOperator *ls_operator, const std::vector< SearchMonitor * > &monitors, RegularLimit *limit, absl::flat_hash_set< IntVar * > *touched=nullptr)
std::function< int64_t(int64_t, int64_t, int64_t)> IndexEvaluator3
LocalSearchStatistics GetLocalSearchStatistics() const
Returns detailed local search statistics.
DecisionBuilder * Compose(DecisionBuilder *db1, DecisionBuilder *db2)
Definition search.cc:633
std::string LocalSearchProfile() const
LocalSearchOperator * RandomConcatenateOperators(const std::vector< LocalSearchOperator * > &ops)
void SaveAndSetValue(T *adr, T val)
All-in-one SaveAndSetValue.
LocalSearchFilter * MakeAcceptFilter()
Local Search Filters.
SolutionPool * MakeDefaultSolutionPool()
Solution Pool.
LocalSearchOperator * MakeNeighborhoodLimit(LocalSearchOperator *op, int64_t limit)
DecisionBuilder * MakeLocalSearchPhase(Assignment *assignment, LocalSearchPhaseParameters *parameters)
LocalSearchOperator * MakeOperator(const std::vector< IntVar * > &vars, LocalSearchOperators op, std::function< const std::vector< int > &(int, int)> get_incoming_neighbors=nullptr, std::function< const std::vector< int > &(int, int)> get_outgoing_neighbors=nullptr)
Local Search Operators.
@ LE
Move is accepted when the current objective value <= objective.Max.
@ GE
Move is accepted when the current objective value >= objective.Min.
std::function< int64_t(int64_t, int64_t)> IndexEvaluator2
LocalSearchFilter * MakeRejectFilter()
DecisionBuilder * MakeStoreAssignment(Assignment *assignment)
LocalSearchOperator * MultiArmedBanditConcatenateOperators(const std::vector< LocalSearchOperator * > &ops, double memory_coefficient, double exploration_coefficient, bool maximize)
Assignment * MakeAssignment()
This method creates an empty assignment.
@ RELOCATE
Relocate neighborhood with length of 1 (see OROPT comment).
void SetSearchContext(Search *search, absl::string_view search_context)
ConstraintSolverParameters parameters() const
Stored Parameters.
LocalSearchOperator * MakeRandomLnsOperator(const std::vector< IntVar * > &vars, int number_of_variables)
bool SolveAndCommit(DecisionBuilder *db, const std::vector< SearchMonitor * > &monitors)
const std::vector< ArcId > & ComputeSortedSubDagArcs(NodeId node)
--— SwapActiveChainOperator --—
SwapActiveChainOperator(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class, int max_chain_size)
--— SwapActiveOperator --—
SwapActiveOperator(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
std::string DebugString() const override
~TSPLns() override=default
std::string DebugString() const override
bool MakeOneNeighbor() override
This method should not be overridden. Override MakeNeighbor() instead.
TSPLns(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, Solver::IndexEvaluator3 evaluator, int tsp_size)
--— TSP-based operators --—
TSPOpt(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, Solver::IndexEvaluator3 evaluator, int chain_length)
~TSPOpt() override=default
std::string DebugString() const override
bool IsIncremental() const override
void ResetIncrementalism() override
bool OnSamePathAsPreviousBase(int64_t) override
int64_t GetBaseNodeRestartPosition(int base_index) override
~TwoOpt() override=default
std::string DebugString() const override
TwoOpt(const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class, NeighborAccessor get_incoming_neighbors, NeighborAccessor get_outgoing_neighbors)
ABSL_FLAG(int, cp_local_search_sync_frequency, 16, "Frequency of checks for better solutions in the solution pool.")
ReverseView< Container > reversed_view(const Container &c)
const Collection::value_type::second_type & FindOrDie(const Collection &collection, const typename Collection::value_type::first_type &key)
Definition map_util.h:211
For infeasible and unbounded see Not checked if options check_solutions_if_inf_or_unbounded and the If options first_solution_only is false
problem is infeasible or unbounded (default).
Definition matchers.h:468
In SWIG mode, we don't want anything besides these top-level includes.
std::function< const std::vector< int > &(int, int)> NeighborAccessor
--— Path-based Operators --—
void DeleteLocalSearchProfiler(LocalSearchProfiler *monitor)
LocalSearchOperator * MakeExtendedSwapActive(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
--— ExtendedSwapActive --—
int64_t CapAdd(int64_t x, int64_t y)
LocalSearchOperator * RelocateAndMakeInactive(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
--— RelocateAndMakeInactive --—
LocalSearchOperator * MakeTSPOpt(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, Solver::IndexEvaluator3 evaluator, int chain_length)
--— TSP-based operators --—
LocalSearchOperator * MakeCross(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class, std::function< const std::vector< int > &(int, int)> get_incoming_neighbors=nullptr, std::function< const std::vector< int > &(int, int)> get_outgoing_neighbors=nullptr)
--— Cross --—
SubDagComputer::ArcId ArcId
LocalSearchOperator * MakeSwapActive(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
--— SwapActive --—
LocalSearchOperator * ExchangeAndMakeActive(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
--— ExchangeAndMakeActive --—
void AcceptNeighbor(Search *search)
Notifies the search that a neighbor has been accepted by local search.
LocalSearchOperator * MakeExchange(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class, std::function< const std::vector< int > &(int, int)> get_incoming_neighbors=nullptr, std::function< const std::vector< int > &(int, int)> get_outgoing_neighbors=nullptr)
--— Exchange --—
void AcceptUncheckedNeighbor(Search *search)
int64_t CapSub(int64_t x, int64_t y)
LocalSearchOperator * MakeActiveAndRelocate(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
--— MakeActiveAndRelocate --—
LocalSearchOperator * MakeTSPLns(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, Solver::IndexEvaluator3 evaluator, int tsp_size)
LocalSearchOperator * MakeRelocate(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class, std::function< const std::vector< int > &(int, int)> get_incoming_neighbors=nullptr, std::function< const std::vector< int > &(int, int)> get_outgoing_neighbors=nullptr, int64_t chain_length=1LL, bool single_path=false, const std::string &name="Relocate")
--— Relocate --—
bool LocalOptimumReached(Search *search)
Returns true if a local optimum has been reached and cannot be improved.
LocalSearchOperator * RelocateAndMakeActive(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
-— RelocateAndMakeActive --—
LocalSearchOperator * MakePathLns(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, int number_of_chunks, int chunk_size, bool unactive_fragments)
--— Path-based Large Neighborhood Search --—
LocalSearchOperator * MakeInactive(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
--— MakeInactive --—
LocalSearchOperator * MakeTwoOpt(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class, std::function< const std::vector< int > &(int, int)> get_incoming_neighbors=nullptr, std::function< const std::vector< int > &(int, int)> get_outgoing_neighbors=nullptr)
--— 2Opt --—
LocalSearchOperator * MakeChainInactive(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
--— MakeChainInactive --—
void InstallLocalSearchProfiler(LocalSearchProfiler *monitor)
int64_t CapProd(int64_t x, int64_t y)
LocalSearchProfiler * BuildLocalSearchProfiler(Solver *solver)
LocalSearchOperator * ExchangePathStartEndsAndMakeActive(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class)
--— ExchangePathEndsAndMakeActive --—
LocalSearchOperator * MakeSwapActiveChain(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class, int max_chain_size)
--— SwapActiveChain --—
LocalSearchOperator * MakeLinKernighan(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, const Solver::IndexEvaluator3 &evaluator, bool topt)
--— Lin-Kernighan --—
LocalSearchState::VariableDomainId VariableDomainId
LocalSearchOperator * MakeActive(Solver *solver, const std::vector< IntVar * > &vars, const std::vector< IntVar * > &secondary_vars, std::function< int(int64_t)> start_empty_path_class, std::function< const std::vector< int > &(int, int)> get_incoming_neighbors=nullptr, std::function< const std::vector< int > &(int, int)> get_outgoing_neighbors=nullptr)
--— MakeActive --—
bool AcceptDelta(Search *search, Assignment *delta, Assignment *deltadelta)
SubDagComputer::NodeId NodeId
STL namespace.
bool Next()
static int input(yyscan_t yyscanner)
static const int64_t kint64max
Definition types.h:32
static const int32_t kint32max
Definition types.h:30
static const int64_t kint64min
Definition types.h:31