Coverage Report

Created: 2026-03-12 06:35

next uncovered line (L), next uncovered region (R), next uncovered branch (B)
/src/CMake/Source/cmFindPackageCommand.cxx
Line
Count
Source
1
/* Distributed under the OSI-approved BSD 3-Clause License.  See accompanying
2
   file LICENSE.rst or https://cmake.org/licensing for details.  */
3
#include "cmFindPackageCommand.h"
4
5
#include <algorithm>
6
#include <cassert>
7
#include <cstdio>
8
#include <deque>
9
#include <functional>
10
#include <iterator>
11
#include <sstream>
12
#include <unordered_set>
13
#include <utility>
14
15
#include <cm/memory>
16
#include <cm/optional>
17
#include <cmext/algorithm>
18
#include <cmext/string_view>
19
20
#include "cmsys/Directory.hxx"
21
#include "cmsys/FStream.hxx"
22
#include "cmsys/Glob.hxx"
23
#include "cmsys/RegularExpression.hxx"
24
#include "cmsys/String.h"
25
26
#include "cmAlgorithms.h"
27
#include "cmConfigureLog.h"
28
#include "cmDependencyProvider.h"
29
#include "cmExecutionStatus.h"
30
#include "cmFindPackageStack.h"
31
#include "cmList.h"
32
#include "cmListFileCache.h"
33
#include "cmMakefile.h"
34
#include "cmMessageType.h"
35
#include "cmPackageState.h"
36
#include "cmPolicies.h"
37
#include "cmRange.h"
38
#include "cmSearchPath.h"
39
#include "cmState.h"
40
#include "cmStateSnapshot.h"
41
#include "cmStateTypes.h"
42
#include "cmStringAlgorithms.h"
43
#include "cmSystemTools.h"
44
#include "cmValue.h"
45
#include "cmVersionMacros.h"
46
#include "cmWindowsRegistry.h"
47
48
#if defined(__HAIKU__)
49
#  include <FindDirectory.h>
50
#  include <StorageDefs.h>
51
#endif
52
53
#if defined(_WIN32) && !defined(__CYGWIN__)
54
#  include <windows.h>
55
// http://msdn.microsoft.com/en-us/library/aa384253%28v=vs.85%29.aspx
56
#  if !defined(KEY_WOW64_32KEY)
57
#    define KEY_WOW64_32KEY 0x0200
58
#  endif
59
#  if !defined(KEY_WOW64_64KEY)
60
#    define KEY_WOW64_64KEY 0x0100
61
#  endif
62
#endif
63
64
namespace {
65
66
using pdt = cmFindPackageCommand::PackageDescriptionType;
67
using ParsedVersion = cmPackageInfoReader::Pep440Version;
68
69
template <template <typename> class Op>
70
struct StrverscmpOp
71
{
72
  bool operator()(std::string const& lhs, std::string const& rhs) const
73
0
  {
74
0
    return Op<int>()(cmSystemTools::strverscmp(lhs, rhs), 0);
75
0
  }
Unexecuted instantiation: cmFindPackageCommand.cxx:(anonymous namespace)::StrverscmpOp<std::__1::greater>::operator()(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&) const
Unexecuted instantiation: cmFindPackageCommand.cxx:(anonymous namespace)::StrverscmpOp<std::__1::less>::operator()(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&) const
76
};
77
78
std::size_t collectPathsForDebug(std::string& buffer,
79
                                 cmSearchPath const& searchPath,
80
                                 std::size_t const startIndex = 0)
81
0
{
82
0
  auto const& paths = searchPath.GetPaths();
83
0
  if (paths.empty()) {
84
0
    buffer += "  none\n";
85
0
    return 0;
86
0
  }
87
0
  for (auto i = startIndex; i < paths.size(); i++) {
88
0
    buffer += cmStrCat("  ", paths[i].Path, '\n');
89
0
  }
90
0
  return paths.size();
91
0
}
92
93
#if !(defined(_WIN32) && !defined(__CYGWIN__))
94
class cmFindPackageCommandHoldFile
95
{
96
  char const* File;
97
98
public:
99
  cmFindPackageCommandHoldFile(char const* const f)
100
0
    : File(f)
101
0
  {
102
0
  }
103
  ~cmFindPackageCommandHoldFile()
104
0
  {
105
0
    if (this->File) {
106
0
      cmSystemTools::RemoveFile(this->File);
107
0
    }
108
0
  }
109
  cmFindPackageCommandHoldFile(cmFindPackageCommandHoldFile const&) = delete;
110
  cmFindPackageCommandHoldFile& operator=(
111
    cmFindPackageCommandHoldFile const&) = delete;
112
0
  void Release() { this->File = nullptr; }
113
};
114
#endif
115
116
bool isDirentryToIgnore(std::string const& fname)
117
0
{
118
0
  assert(!fname.empty());
119
0
  return fname == "." || fname == "..";
120
0
}
121
122
class cmAppendPathSegmentGenerator
123
{
124
public:
125
  cmAppendPathSegmentGenerator(cm::string_view dirName)
126
0
    : DirName{ dirName }
127
0
  {
128
0
  }
129
130
  std::string GetNextCandidate(std::string const& parent)
131
0
  {
132
0
    if (this->NeedReset) {
133
0
      return {};
134
0
    }
135
0
    this->NeedReset = true;
136
0
    return cmStrCat(parent, this->DirName, '/');
137
0
  }
138
139
0
  void Reset() { this->NeedReset = false; }
140
141
private:
142
  cm::string_view const DirName;
143
  bool NeedReset = false;
144
};
145
146
class cmEnumPathSegmentsGenerator
147
{
148
public:
149
  cmEnumPathSegmentsGenerator(std::vector<cm::string_view> const& init)
150
0
    : Names{ init }
151
0
    , Current{ this->Names.get().cbegin() }
152
0
  {
153
0
  }
154
155
  std::string GetNextCandidate(std::string const& parent)
156
0
  {
157
0
    if (this->Current != this->Names.get().cend()) {
158
0
      return cmStrCat(parent, *this->Current++, '/');
159
0
    }
160
0
    return {};
161
0
  }
162
163
0
  void Reset() { this->Current = this->Names.get().cbegin(); }
164
165
private:
166
  std::reference_wrapper<std::vector<cm::string_view> const> Names;
167
  std::vector<cm::string_view>::const_iterator Current;
168
};
169
170
class cmCaseInsensitiveDirectoryListGenerator
171
{
172
public:
173
  cmCaseInsensitiveDirectoryListGenerator(cm::string_view name)
174
0
    : DirName{ name }
175
0
  {
176
0
  }
177
178
  std::string GetNextCandidate(std::string const& parent)
179
0
  {
180
0
    if (!this->Loaded) {
181
0
      this->CurrentIdx = 0ul;
182
0
      this->Loaded = true;
183
0
      if (!this->DirectoryLister.Load(parent)) {
184
0
        return {};
185
0
      }
186
0
    }
187
188
0
    while (this->CurrentIdx < this->DirectoryLister.GetNumberOfFiles()) {
189
0
      std::string const& fname =
190
0
        this->DirectoryLister.GetFileName(this->CurrentIdx++);
191
0
      if (isDirentryToIgnore(fname)) {
192
0
        continue;
193
0
      }
194
0
      if (cmsysString_strcasecmp(fname.c_str(), this->DirName.data()) == 0) {
195
0
        auto candidate = cmStrCat(parent, fname, '/');
196
0
        if (cmSystemTools::FileIsDirectory(candidate)) {
197
0
          return candidate;
198
0
        }
199
0
      }
200
0
    }
201
0
    return {};
202
0
  }
203
204
0
  void Reset() { this->Loaded = false; }
205
206
private:
207
  cmsys::Directory DirectoryLister;
208
  cm::string_view const DirName;
209
  unsigned long CurrentIdx = 0ul;
210
  bool Loaded = false;
211
};
212
213
class cmDirectoryListGenerator
214
{
215
public:
216
  cmDirectoryListGenerator(std::vector<std::string> const* names,
217
                           bool exactMatch)
218
0
    : Names{ names }
219
0
    , ExactMatch{ exactMatch }
220
0
    , Current{ this->Matches.cbegin() }
221
0
  {
222
0
    assert(names || !exactMatch);
223
0
    assert(!names || !names->empty());
224
0
  }
225
0
  virtual ~cmDirectoryListGenerator() = default;
226
227
  std::string GetNextCandidate(std::string const& parent)
228
0
  {
229
    // Construct a list of matches if not yet
230
0
    if (this->Matches.empty()) {
231
0
      cmsys::Directory directoryLister;
232
      // ALERT `Directory::Load()` keeps only names
233
      // internally and LOST entry type from `dirent`.
234
      // So, `Directory::FileIsDirectory` gonna use
235
      // `SystemTools::FileIsDirectory()` and waste a syscall.
236
      // TODO Need to enhance the `Directory` class.
237
0
      directoryLister.Load(parent);
238
239
      // ATTENTION Is it guaranteed that first two entries are
240
      // `.` and `..`?
241
      // TODO If so, just start with index 2 and drop the
242
      // `isDirentryToIgnore(i)` condition to check.
243
0
      for (auto i = 0ul; i < directoryLister.GetNumberOfFiles(); ++i) {
244
0
        std::string const& fname = directoryLister.GetFileName(i);
245
        // Skip entries to ignore or that aren't directories.
246
0
        if (isDirentryToIgnore(fname)) {
247
0
          continue;
248
0
        }
249
250
0
        if (!this->Names) {
251
0
          if (directoryLister.FileIsDirectory(i)) {
252
0
            this->Matches.emplace_back(fname);
253
0
          }
254
0
        } else {
255
0
          for (auto const& n : *this->Names) {
256
            // NOTE Customization point for
257
            // `cmMacProjectDirectoryListGenerator`
258
0
            auto const name = this->TransformNameBeforeCmp(n);
259
            // Skip entries that don't match.
260
0
            auto const equal =
261
0
              ((this->ExactMatch
262
0
                  ? cmsysString_strcasecmp(fname.c_str(), name.c_str())
263
0
                  : cmsysString_strncasecmp(fname.c_str(), name.c_str(),
264
0
                                            name.length())) == 0);
265
0
            if (equal) {
266
0
              if (directoryLister.FileIsDirectory(i)) {
267
0
                this->Matches.emplace_back(fname);
268
0
              }
269
0
              break;
270
0
            }
271
0
          }
272
0
        }
273
0
      }
274
      // NOTE Customization point for `cmProjectDirectoryListGenerator`
275
0
      this->OnMatchesLoaded();
276
277
0
      this->Current = this->Matches.cbegin();
278
0
    }
279
280
0
    if (this->Current != this->Matches.cend()) {
281
0
      auto candidate = cmStrCat(parent, *this->Current++, '/');
282
0
      return candidate;
283
0
    }
284
285
0
    return {};
286
0
  }
287
288
  void Reset()
289
0
  {
290
0
    this->Matches.clear();
291
0
    this->Current = this->Matches.cbegin();
292
0
  }
293
294
protected:
295
0
  virtual void OnMatchesLoaded() {}
296
0
  virtual std::string TransformNameBeforeCmp(std::string same) { return same; }
297
298
  std::vector<std::string> const* Names;
299
  bool const ExactMatch;
300
  std::vector<std::string> Matches;
301
  std::vector<std::string>::const_iterator Current;
302
};
303
304
class cmProjectDirectoryListGenerator : public cmDirectoryListGenerator
305
{
306
public:
307
  cmProjectDirectoryListGenerator(std::vector<std::string> const* names,
308
                                  cmFindPackageCommand::SortOrderType so,
309
                                  cmFindPackageCommand::SortDirectionType sd,
310
                                  bool exactMatch)
311
0
    : cmDirectoryListGenerator{ names, exactMatch }
312
0
    , SortOrder{ so }
313
0
    , SortDirection{ sd }
314
0
  {
315
0
  }
316
317
protected:
318
  void OnMatchesLoaded() override
319
0
  {
320
    // check if there is a specific sorting order to perform
321
0
    if (this->SortOrder != cmFindPackageCommand::None) {
322
0
      cmFindPackageCommand::Sort(this->Matches.begin(), this->Matches.end(),
323
0
                                 this->SortOrder, this->SortDirection);
324
0
    }
325
0
  }
326
327
private:
328
  // sort parameters
329
  cmFindPackageCommand::SortOrderType const SortOrder;
330
  cmFindPackageCommand::SortDirectionType const SortDirection;
331
};
332
333
class cmMacProjectDirectoryListGenerator : public cmDirectoryListGenerator
334
{
335
public:
336
  cmMacProjectDirectoryListGenerator(std::vector<std::string> const* names,
337
                                     cm::string_view ext)
338
0
    : cmDirectoryListGenerator{ names, true }
339
0
    , Extension{ ext }
340
0
  {
341
0
  }
342
343
protected:
344
  std::string TransformNameBeforeCmp(std::string name) override
345
0
  {
346
0
    return cmStrCat(name, this->Extension);
347
0
  }
348
349
private:
350
  cm::string_view const Extension;
351
};
352
353
class cmAnyDirectoryListGenerator : public cmProjectDirectoryListGenerator
354
{
355
public:
356
  cmAnyDirectoryListGenerator(cmFindPackageCommand::SortOrderType so,
357
                              cmFindPackageCommand::SortDirectionType sd)
358
0
    : cmProjectDirectoryListGenerator(nullptr, so, sd, false)
359
0
  {
360
0
  }
361
};
362
363
#if defined(__LCC__)
364
#  define CM_LCC_DIAG_SUPPRESS_1222
365
#  pragma diag_suppress 1222 // invalid error number (3288, but works anyway)
366
#  define CM_LCC_DIAG_SUPPRESS_3288
367
#  pragma diag_suppress 3288 // parameter was declared but never referenced
368
#  define CM_LCC_DIAG_SUPPRESS_3301
369
#  pragma diag_suppress 3301 // parameter was declared but never referenced
370
#  define CM_LCC_DIAG_SUPPRESS_3308
371
#  pragma diag_suppress 3308 // parameter was declared but never referenced
372
#endif
373
374
void ResetGenerator()
375
0
{
376
0
}
377
378
template <typename Generator>
379
void ResetGenerator(Generator&& generator)
380
0
{
381
0
  std::forward<Generator&&>(generator).Reset();
382
0
}
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmProjectDirectoryListGenerator&>((anonymous namespace)::cmProjectDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&>((anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmAnyDirectoryListGenerator&>((anonymous namespace)::cmAnyDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmEnumPathSegmentsGenerator&>((anonymous namespace)::cmEnumPathSegmentsGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmAppendPathSegmentGenerator&>((anonymous namespace)::cmAppendPathSegmentGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmMacProjectDirectoryListGenerator&>((anonymous namespace)::cmMacProjectDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator>((anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmAppendPathSegmentGenerator>((anonymous namespace)::cmAppendPathSegmentGenerator&&)
383
384
template <typename Generator, typename... Generators>
385
void ResetGenerator(Generator&& generator, Generators&&... generators)
386
0
{
387
0
  ResetGenerator(std::forward<Generator&&>(generator));
388
0
  ResetGenerator(std::forward<Generators&&>(generators)...);
389
0
}
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&>((anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&>((anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&>((anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&>((anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&>((anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&>((anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&>((anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&>((anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&>((anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&>((anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&>((anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&>((anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&>((anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&>((anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:void (anonymous namespace)::ResetGenerator<(anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator>((anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&&)
390
391
template <typename CallbackFn>
392
bool TryGeneratedPaths(CallbackFn&& filesCollector,
393
                       cmFindPackageCommand::PackageDescriptionType type,
394
                       std::string const& fullPath)
395
0
{
396
0
  assert(!fullPath.empty() && fullPath.back() == '/');
397
0
  return std::forward<CallbackFn&&>(filesCollector)(fullPath, type);
398
0
}
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&>(cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchAppBundlePrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&>(cmFindPackageCommand::SearchAppBundlePrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchEnvironmentPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&>(cmFindPackageCommand::SearchEnvironmentPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)
399
400
template <typename CallbackFn, typename Generator, typename... Rest>
401
bool TryGeneratedPaths(CallbackFn&& filesCollector,
402
                       cmFindPackageCommand::PackageDescriptionType type,
403
                       std::string const& startPath, Generator&& gen,
404
                       Rest&&... tail)
405
0
{
406
0
  ResetGenerator(std::forward<Generator&&>(gen));
407
0
  for (auto path = gen.GetNextCandidate(startPath); !path.empty();
408
0
       path = gen.GetNextCandidate(startPath)) {
409
0
    ResetGenerator(std::forward<Rest&&>(tail)...);
410
0
    if (TryGeneratedPaths(std::forward<CallbackFn&&>(filesCollector), type,
411
0
                          path, std::forward<Rest&&>(tail)...)) {
412
0
      return true;
413
0
    }
414
0
  }
415
0
  return false;
416
0
}
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmAnyDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmAnyDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmProjectDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmProjectDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmAppendPathSegmentGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmAppendPathSegmentGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&>(cmFindPackageCommand::SearchPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmEnumPathSegmentsGenerator&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmMacProjectDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&>(cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmMacProjectDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&>(cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&>(cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&>(cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&>(cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmMacProjectDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&>(cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmMacProjectDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmMacProjectDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&>(cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmMacProjectDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmAppendPathSegmentGenerator&>(cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmAppendPathSegmentGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmMacProjectDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&>(cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmMacProjectDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&>(cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&>(cmFindPackageCommand::SearchFrameworkPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmAnyDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchAppBundlePrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmMacProjectDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator>(cmFindPackageCommand::SearchAppBundlePrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmMacProjectDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchAppBundlePrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator>(cmFindPackageCommand::SearchAppBundlePrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmAppendPathSegmentGenerator&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchAppBundlePrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator>(cmFindPackageCommand::SearchAppBundlePrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmCaseInsensitiveDirectoryListGenerator&&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchAppBundlePrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmMacProjectDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&>(cmFindPackageCommand::SearchAppBundlePrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmMacProjectDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchAppBundlePrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmAppendPathSegmentGenerator&>(cmFindPackageCommand::SearchAppBundlePrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmAppendPathSegmentGenerator&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchEnvironmentPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator>(cmFindPackageCommand::SearchEnvironmentPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmProjectDirectoryListGenerator&, (anonymous namespace)::cmAppendPathSegmentGenerator&&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchEnvironmentPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmAppendPathSegmentGenerator>(cmFindPackageCommand::SearchEnvironmentPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmAppendPathSegmentGenerator&&)
Unexecuted instantiation: cmFindPackageCommand.cxx:bool (anonymous namespace)::TryGeneratedPaths<cmFindPackageCommand::SearchEnvironmentPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, (anonymous namespace)::cmProjectDirectoryListGenerator&>(cmFindPackageCommand::SearchEnvironmentPrefix(std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&)::$_0&, cmFindPackageCommand::PackageDescriptionType, std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char> > const&, (anonymous namespace)::cmProjectDirectoryListGenerator&)
417
418
#ifdef CM_LCC_DIAG_SUPPRESS_3308
419
#  undef CM_LCC_DIAG_SUPPRESS_3308
420
#  pragma diag_default 3308
421
#endif
422
423
#ifdef CM_LCC_DIAG_SUPPRESS_3301
424
#  undef CM_LCC_DIAG_SUPPRESS_3301
425
#  pragma diag_default 3301
426
#endif
427
428
#ifdef CM_LCC_DIAG_SUPPRESS_3288
429
#  undef CM_LCC_DIAG_SUPPRESS_3288
430
#  pragma diag_default 3288
431
#endif
432
433
#ifdef CM_LCC_DIAG_SUPPRESS_1222
434
#  undef CM_LCC_DIAG_SUPPRESS_1222
435
#  pragma diag_default 1222
436
#endif
437
438
// Parse the version number and store the results that were
439
// successfully parsed.
440
unsigned int parseVersion(std::string const& version, unsigned int& major,
441
                          unsigned int& minor, unsigned int& patch,
442
                          unsigned int& tweak)
443
0
{
444
0
  return static_cast<unsigned int>(std::sscanf(
445
0
    version.c_str(), "%u.%u.%u.%u", &major, &minor, &patch, &tweak));
446
0
}
447
448
} // anonymous namespace
449
450
class cmFindPackageCommand::FlushDebugBufferOnExit
451
{
452
  cmFindPackageCommand& Command;
453
454
public:
455
  FlushDebugBufferOnExit(cmFindPackageCommand& command)
456
0
    : Command(command)
457
0
  {
458
0
  }
459
  ~FlushDebugBufferOnExit()
460
0
  {
461
0
    if (!Command.DebugBuffer.empty()) {
462
0
      Command.DebugMessage(Command.DebugBuffer);
463
0
    }
464
0
  }
465
};
466
467
class cmFindPackageCommand::PushPopRootPathStack
468
{
469
  cmFindPackageCommand& Command;
470
471
public:
472
  PushPopRootPathStack(cmFindPackageCommand& command)
473
0
    : Command(command)
474
0
  {
475
0
    Command.PushFindPackageRootPathStack();
476
0
  }
477
0
  ~PushPopRootPathStack() { Command.PopFindPackageRootPathStack(); }
478
};
479
480
class cmFindPackageCommand::SetRestoreFindDefinitions
481
{
482
  cmFindPackageCommand& Command;
483
484
public:
485
  SetRestoreFindDefinitions(cmFindPackageCommand& command)
486
0
    : Command(command)
487
0
  {
488
0
    Command.SetModuleVariables();
489
0
  }
490
0
  ~SetRestoreFindDefinitions() { Command.RestoreFindDefinitions(); }
491
};
492
493
cmFindPackageCommand::PathLabel
494
  cmFindPackageCommand::PathLabel::PackageRedirect("PACKAGE_REDIRECT");
495
cmFindPackageCommand::PathLabel cmFindPackageCommand::PathLabel::UserRegistry(
496
  "PACKAGE_REGISTRY");
497
cmFindPackageCommand::PathLabel cmFindPackageCommand::PathLabel::Builds(
498
  "BUILDS");
499
cmFindPackageCommand::PathLabel
500
  cmFindPackageCommand::PathLabel::SystemRegistry("SYSTEM_PACKAGE_REGISTRY");
501
502
cm::string_view const cmFindPackageCommand::VERSION_ENDPOINT_INCLUDED(
503
  "INCLUDE");
504
cm::string_view const cmFindPackageCommand::VERSION_ENDPOINT_EXCLUDED(
505
  "EXCLUDE");
506
507
void cmFindPackageCommand::Sort(std::vector<std::string>::iterator begin,
508
                                std::vector<std::string>::iterator end,
509
                                SortOrderType const order,
510
                                SortDirectionType const dir)
511
0
{
512
0
  if (order == Name_order) {
513
0
    if (dir == Dec) {
514
0
      std::sort(begin, end, std::greater<std::string>());
515
0
    } else {
516
0
      std::sort(begin, end);
517
0
    }
518
0
  } else if (order == Natural) {
519
    // natural order uses letters and numbers (contiguous numbers digit are
520
    // compared such that e.g. 000  00 < 01 < 010 < 09 < 0 < 1 < 9 < 10
521
0
    if (dir == Dec) {
522
0
      std::sort(begin, end, StrverscmpOp<std::greater>());
523
0
    } else {
524
0
      std::sort(begin, end, StrverscmpOp<std::less>());
525
0
    }
526
0
  }
527
  // else do not sort
528
0
}
529
530
cmFindPackageCommand::cmFindPackageCommand(cmExecutionStatus& status)
531
0
  : cmFindCommon(status)
532
0
  , VersionRangeMin(VERSION_ENDPOINT_INCLUDED)
533
0
  , VersionRangeMax(VERSION_ENDPOINT_INCLUDED)
534
0
{
535
0
  this->CMakePathName = "PACKAGE";
536
0
  this->AppendSearchPathGroups();
537
538
0
  this->DeprecatedFindModules["Boost"] = cmPolicies::CMP0167;
539
0
  this->DeprecatedFindModules["CABLE"] = cmPolicies::CMP0191;
540
0
  this->DeprecatedFindModules["CUDA"] = cmPolicies::CMP0146;
541
0
  this->DeprecatedFindModules["Dart"] = cmPolicies::CMP0145;
542
0
  this->DeprecatedFindModules["GCCXML"] = cmPolicies::CMP0188;
543
0
  this->DeprecatedFindModules["PythonInterp"] = cmPolicies::CMP0148;
544
0
  this->DeprecatedFindModules["PythonLibs"] = cmPolicies::CMP0148;
545
0
  this->DeprecatedFindModules["Qt"] = cmPolicies::CMP0084;
546
0
}
547
548
cmFindPackageCommand::~cmFindPackageCommand()
549
0
{
550
0
  if (this->DebugState) {
551
0
    this->DebugState->Write();
552
0
  }
553
0
}
554
555
void cmFindPackageCommand::AppendSearchPathGroups()
556
0
{
557
  // Update the All group with new paths. Note that package redirection must
558
  // take precedence over everything else, so it has to be first in the array.
559
0
  std::vector<cmFindCommon::PathLabel>* const labels =
560
0
    &this->PathGroupLabelMap[PathGroup::All];
561
0
  labels->insert(labels->begin(), PathLabel::PackageRedirect);
562
0
  labels->insert(
563
0
    std::find(labels->begin(), labels->end(), PathLabel::CMakeSystem),
564
0
    PathLabel::UserRegistry);
565
0
  labels->insert(
566
0
    std::find(labels->begin(), labels->end(), PathLabel::CMakeSystem),
567
0
    PathLabel::Builds);
568
0
  labels->insert(std::find(labels->begin(), labels->end(), PathLabel::Guess),
569
0
                 PathLabel::SystemRegistry);
570
571
  // Create the new path objects
572
0
  this->LabeledPaths.emplace(PathLabel::PackageRedirect, cmSearchPath{ this });
573
0
  this->LabeledPaths.emplace(PathLabel::UserRegistry, cmSearchPath{ this });
574
0
  this->LabeledPaths.emplace(PathLabel::Builds, cmSearchPath{ this });
575
0
  this->LabeledPaths.emplace(PathLabel::SystemRegistry, cmSearchPath{ this });
576
0
}
577
578
void cmFindPackageCommand::InheritOptions(cmFindPackageCommand* other)
579
0
{
580
0
  this->RequiredCMakeVersion = other->RequiredCMakeVersion;
581
0
  this->LibraryArchitecture = other->LibraryArchitecture;
582
0
  this->UseLib32Paths = other->UseLib32Paths;
583
0
  this->UseLib64Paths = other->UseLib64Paths;
584
0
  this->UseLibx32Paths = other->UseLibx32Paths;
585
0
  this->NoUserRegistry = other->NoUserRegistry;
586
0
  this->NoSystemRegistry = other->NoSystemRegistry;
587
0
  this->UseRealPath = other->UseRealPath;
588
0
  this->SortOrder = other->SortOrder;
589
0
  this->SortDirection = other->SortDirection;
590
591
0
  this->GlobalScope = other->GlobalScope;
592
0
  this->RegistryView = other->RegistryView;
593
0
  this->NoDefaultPath = other->NoDefaultPath;
594
0
  this->NoPackageRootPath = other->NoPackageRootPath;
595
0
  this->NoCMakePath = other->NoCMakePath;
596
0
  this->NoCMakeEnvironmentPath = other->NoCMakeEnvironmentPath;
597
0
  this->NoSystemEnvironmentPath = other->NoSystemEnvironmentPath;
598
0
  this->NoCMakeSystemPath = other->NoCMakeSystemPath;
599
0
  this->NoCMakeInstallPath = other->NoCMakeInstallPath;
600
0
  this->FindRootPathMode = other->FindRootPathMode;
601
602
0
  this->SearchFrameworkLast = other->SearchFrameworkLast;
603
0
  this->SearchFrameworkFirst = other->SearchFrameworkFirst;
604
0
  this->SearchFrameworkOnly = other->SearchFrameworkOnly;
605
0
  this->SearchAppBundleLast = other->SearchAppBundleLast;
606
0
  this->SearchAppBundleFirst = other->SearchAppBundleFirst;
607
0
  this->SearchAppBundleOnly = other->SearchAppBundleOnly;
608
0
  this->SearchPathSuffixes = other->SearchPathSuffixes;
609
610
0
  this->Quiet = other->Quiet;
611
0
}
612
613
bool cmFindPackageCommand::IsFound() const
614
0
{
615
0
  return this->InitialState == FindState::Found;
616
0
}
617
618
bool cmFindPackageCommand::IsDefined() const
619
0
{
620
0
  return this->InitialState == FindState::Found ||
621
0
    this->InitialState == FindState::NotFound;
622
0
}
623
624
bool cmFindPackageCommand::InitialPass(std::vector<std::string> const& args)
625
0
{
626
0
  if (args.empty()) {
627
0
    this->SetError("called with incorrect number of arguments");
628
0
    return false;
629
0
  }
630
631
0
  if (this->Makefile->GetStateSnapshot().GetUnwindState() ==
632
0
      cmStateEnums::UNWINDING) {
633
0
    this->SetError("called while already in an UNWIND state");
634
0
    return false;
635
0
  }
636
637
  // Lookup required version of CMake.
638
0
  if (cmValue const rv =
639
0
        this->Makefile->GetDefinition("CMAKE_MINIMUM_REQUIRED_VERSION")) {
640
0
    unsigned int v[3] = { 0, 0, 0 };
641
0
    std::sscanf(rv->c_str(), "%u.%u.%u", &v[0], &v[1], &v[2]);
642
0
    this->RequiredCMakeVersion = CMake_VERSION_ENCODE(v[0], v[1], v[2]);
643
0
  }
644
645
  // Lookup target architecture, if any.
646
0
  if (cmValue const arch =
647
0
        this->Makefile->GetDefinition("CMAKE_LIBRARY_ARCHITECTURE")) {
648
0
    this->LibraryArchitecture = *arch;
649
0
  }
650
651
  // Lookup whether lib32 paths should be used.
652
0
  if (this->Makefile->PlatformIs32Bit() &&
653
0
      this->Makefile->GetState()->GetGlobalPropertyAsBool(
654
0
        "FIND_LIBRARY_USE_LIB32_PATHS")) {
655
0
    this->UseLib32Paths = true;
656
0
  }
657
658
  // Lookup whether lib64 paths should be used.
659
0
  if (this->Makefile->PlatformIs64Bit() &&
660
0
      this->Makefile->GetState()->GetGlobalPropertyAsBool(
661
0
        "FIND_LIBRARY_USE_LIB64_PATHS")) {
662
0
    this->UseLib64Paths = true;
663
0
  }
664
665
  // Lookup whether libx32 paths should be used.
666
0
  if (this->Makefile->PlatformIsx32() &&
667
0
      this->Makefile->GetState()->GetGlobalPropertyAsBool(
668
0
        "FIND_LIBRARY_USE_LIBX32_PATHS")) {
669
0
    this->UseLibx32Paths = true;
670
0
  }
671
672
  // Check if User Package Registry should be disabled
673
  // The `CMAKE_FIND_USE_PACKAGE_REGISTRY` has
674
  // priority over the deprecated CMAKE_FIND_PACKAGE_NO_PACKAGE_REGISTRY
675
0
  if (cmValue const def =
676
0
        this->Makefile->GetDefinition("CMAKE_FIND_USE_PACKAGE_REGISTRY")) {
677
0
    this->NoUserRegistry = !def.IsOn();
678
0
  } else if (this->Makefile->IsOn("CMAKE_FIND_PACKAGE_NO_PACKAGE_REGISTRY")) {
679
0
    this->NoUserRegistry = true;
680
0
  }
681
682
  // Check if System Package Registry should be disabled
683
  // The `CMAKE_FIND_USE_SYSTEM_PACKAGE_REGISTRY` has
684
  // priority over the deprecated CMAKE_FIND_PACKAGE_NO_SYSTEM_PACKAGE_REGISTRY
685
0
  if (cmValue const def = this->Makefile->GetDefinition(
686
0
        "CMAKE_FIND_USE_SYSTEM_PACKAGE_REGISTRY")) {
687
0
    this->NoSystemRegistry = !def.IsOn();
688
0
  } else if (this->Makefile->IsOn(
689
0
               "CMAKE_FIND_PACKAGE_NO_SYSTEM_PACKAGE_REGISTRY")) {
690
0
    this->NoSystemRegistry = true;
691
0
  }
692
693
  // Check whether we should resolve symlinks when finding packages
694
0
  if (this->Makefile->IsOn("CMAKE_FIND_PACKAGE_RESOLVE_SYMLINKS")) {
695
0
    this->UseRealPath = true;
696
0
  }
697
698
  // Check if Sorting should be enabled
699
0
  if (cmValue const so =
700
0
        this->Makefile->GetDefinition("CMAKE_FIND_PACKAGE_SORT_ORDER")) {
701
702
0
    if (*so == "NAME") {
703
0
      this->SortOrder = Name_order;
704
0
    } else if (*so == "NATURAL") {
705
0
      this->SortOrder = Natural;
706
0
    } else {
707
0
      this->SortOrder = None;
708
0
    }
709
0
  }
710
0
  if (cmValue const sd =
711
0
        this->Makefile->GetDefinition("CMAKE_FIND_PACKAGE_SORT_DIRECTION")) {
712
0
    this->SortDirection = (*sd == "DEC") ? Dec : Asc;
713
0
  }
714
715
  // Find what search path locations have been enabled/disable.
716
0
  this->SelectDefaultSearchModes();
717
718
  // Find the current root path mode.
719
0
  this->SelectDefaultRootPathMode();
720
721
  // Find the current bundle/framework search policy.
722
0
  this->SelectDefaultMacMode();
723
724
  // Record options.
725
0
  this->Name = args[0];
726
0
  cm::string_view componentsSep = ""_s;
727
728
  // Always search directly in a generated path.
729
0
  this->SearchPathSuffixes.emplace_back();
730
731
  // Process debug mode
732
0
  cmMakefile::DebugFindPkgRAII debugFindPkgRAII(this->Makefile, this->Name);
733
0
  this->FullDebugMode = this->ComputeIfDebugModeWanted();
734
0
  if (this->FullDebugMode || !this->ComputeIfImplicitDebugModeSuppressed()) {
735
0
    this->DebugState = cm::make_unique<cmFindPackageDebugState>(this);
736
0
  }
737
738
  // Parse the arguments.
739
0
  enum Doing
740
0
  {
741
0
    DoingNone,
742
0
    DoingComponents,
743
0
    DoingOptionalComponents,
744
0
    DoingNames,
745
0
    DoingPaths,
746
0
    DoingPathSuffixes,
747
0
    DoingConfigs,
748
0
    DoingHints
749
0
  };
750
0
  Doing doing = DoingNone;
751
0
  cmsys::RegularExpression versionRegex(
752
0
    R"V(^([0-9]+(\.[0-9]+)*)(\.\.\.(<?)([0-9]+(\.[0-9]+)*))?$)V");
753
0
  bool haveVersion = false;
754
0
  std::vector<std::size_t> configArgs;
755
0
  std::vector<std::size_t> moduleArgs;
756
0
  for (std::size_t i = 1u; i < args.size(); ++i) {
757
0
    if (args[i] == "QUIET") {
758
0
      this->Quiet = true;
759
0
      doing = DoingNone;
760
0
    } else if (args[i] == "BYPASS_PROVIDER") {
761
0
      this->BypassProvider = true;
762
0
      doing = DoingNone;
763
0
    } else if (args[i] == "EXACT") {
764
0
      this->VersionExact = true;
765
0
      doing = DoingNone;
766
0
    } else if (args[i] == "GLOBAL") {
767
0
      this->GlobalScope = true;
768
0
      doing = DoingNone;
769
0
    } else if (args[i] == "MODULE") {
770
0
      moduleArgs.push_back(i);
771
0
      doing = DoingNone;
772
      // XXX(clang-tidy): https://bugs.llvm.org/show_bug.cgi?id=44165
773
      // NOLINTNEXTLINE(bugprone-branch-clone)
774
0
    } else if (args[i] == "CONFIG") {
775
0
      configArgs.push_back(i);
776
0
      doing = DoingNone;
777
      // XXX(clang-tidy): https://bugs.llvm.org/show_bug.cgi?id=44165
778
      // NOLINTNEXTLINE(bugprone-branch-clone)
779
0
    } else if (args[i] == "NO_MODULE") {
780
0
      configArgs.push_back(i);
781
0
      doing = DoingNone;
782
0
    } else if (args[i] == "REQUIRED") {
783
0
      if (this->Required == RequiredStatus::OptionalExplicit) {
784
0
        this->SetError("cannot be both REQUIRED and OPTIONAL");
785
0
        return false;
786
0
      }
787
0
      this->Required = RequiredStatus::RequiredExplicit;
788
0
      doing = DoingComponents;
789
0
    } else if (args[i] == "OPTIONAL") {
790
0
      if (this->Required == RequiredStatus::RequiredExplicit) {
791
0
        this->SetError("cannot be both REQUIRED and OPTIONAL");
792
0
        return false;
793
0
      }
794
0
      this->Required = RequiredStatus::OptionalExplicit;
795
0
      doing = DoingComponents;
796
0
    } else if (args[i] == "COMPONENTS") {
797
0
      doing = DoingComponents;
798
0
    } else if (args[i] == "OPTIONAL_COMPONENTS") {
799
0
      doing = DoingOptionalComponents;
800
0
    } else if (args[i] == "NAMES") {
801
0
      configArgs.push_back(i);
802
0
      doing = DoingNames;
803
0
    } else if (args[i] == "PATHS") {
804
0
      configArgs.push_back(i);
805
0
      doing = DoingPaths;
806
0
    } else if (args[i] == "HINTS") {
807
0
      configArgs.push_back(i);
808
0
      doing = DoingHints;
809
0
    } else if (args[i] == "PATH_SUFFIXES") {
810
0
      configArgs.push_back(i);
811
0
      doing = DoingPathSuffixes;
812
0
    } else if (args[i] == "CONFIGS") {
813
0
      configArgs.push_back(i);
814
0
      doing = DoingConfigs;
815
0
    } else if (args[i] == "NO_POLICY_SCOPE") {
816
0
      this->PolicyScope = false;
817
0
      doing = DoingNone;
818
0
    } else if (args[i] == "NO_CMAKE_PACKAGE_REGISTRY") {
819
0
      this->NoUserRegistry = true;
820
0
      configArgs.push_back(i);
821
0
      doing = DoingNone;
822
0
    } else if (args[i] == "NO_CMAKE_SYSTEM_PACKAGE_REGISTRY") {
823
0
      this->NoSystemRegistry = true;
824
0
      configArgs.push_back(i);
825
0
      doing = DoingNone;
826
      // XXX(clang-tidy): https://bugs.llvm.org/show_bug.cgi?id=44165
827
      // NOLINTNEXTLINE(bugprone-branch-clone)
828
0
    } else if (args[i] == "NO_CMAKE_BUILDS_PATH") {
829
      // Ignore legacy option.
830
0
      configArgs.push_back(i);
831
0
      doing = DoingNone;
832
0
    } else if (args[i] == "REGISTRY_VIEW") {
833
0
      if (++i == args.size()) {
834
0
        this->SetError("missing required argument for REGISTRY_VIEW");
835
0
        return false;
836
0
      }
837
0
      auto view = cmWindowsRegistry::ToView(args[i]);
838
0
      if (view) {
839
0
        this->RegistryView = *view;
840
0
        this->RegistryViewDefined = true;
841
0
      } else {
842
0
        this->SetError(
843
0
          cmStrCat("given invalid value for REGISTRY_VIEW: ", args[i]));
844
0
        return false;
845
0
      }
846
0
    } else if (args[i] == "UNWIND_INCLUDE") {
847
0
      if (this->Makefile->GetStateSnapshot().GetUnwindType() !=
848
0
          cmStateEnums::CAN_UNWIND) {
849
0
        this->SetError("called with UNWIND_INCLUDE in an invalid context");
850
0
        return false;
851
0
      }
852
0
      this->ScopeUnwind = true;
853
0
      doing = DoingNone;
854
0
    } else if (this->CheckCommonArgument(args[i])) {
855
0
      configArgs.push_back(i);
856
0
      doing = DoingNone;
857
0
    } else if ((doing == DoingComponents) ||
858
0
               (doing == DoingOptionalComponents)) {
859
      // Set a variable telling the find script whether this component
860
      // is required.
861
0
      if (doing == DoingOptionalComponents) {
862
0
        this->OptionalComponents.insert(args[i]);
863
0
      } else {
864
0
        this->RequiredComponents.insert(args[i]);
865
0
      }
866
867
      // Append to the list of required components.
868
0
      this->Components += componentsSep;
869
0
      this->Components += args[i];
870
0
      componentsSep = ";"_s;
871
0
    } else if (doing == DoingNames) {
872
0
      this->Names.push_back(args[i]);
873
0
    } else if (doing == DoingPaths) {
874
0
      this->UserGuessArgs.push_back(args[i]);
875
0
    } else if (doing == DoingHints) {
876
0
      this->UserHintsArgs.push_back(args[i]);
877
0
    } else if (doing == DoingPathSuffixes) {
878
0
      this->AddPathSuffix(args[i]);
879
0
    } else if (doing == DoingConfigs) {
880
0
      if (args[i].find_first_of(":/\\") != std::string::npos ||
881
0
          !cmHasSuffix(args[i], ".cmake"_s)) {
882
0
        this->SetError(cmStrCat(
883
0
          "given CONFIGS option followed by invalid file name \"", args[i],
884
0
          "\".  The names given must be file names without "
885
0
          "a path and with a \".cmake\" extension."));
886
0
        return false;
887
0
      }
888
0
      this->Configs.emplace_back(args[i], pdt::CMake);
889
0
    } else if (!haveVersion && versionRegex.find(args[i])) {
890
0
      haveVersion = true;
891
0
      this->VersionComplete = args[i];
892
0
    } else {
893
0
      this->SetError(
894
0
        cmStrCat("called with invalid argument \"", args[i], '"'));
895
0
      return false;
896
0
    }
897
0
  }
898
899
0
  if (this->Required == RequiredStatus::Optional &&
900
0
      this->Makefile->IsOn("CMAKE_FIND_REQUIRED")) {
901
0
    this->Required = RequiredStatus::RequiredFromFindVar;
902
0
  }
903
904
0
  if (!this->GlobalScope) {
905
0
    cmValue value(
906
0
      this->Makefile->GetDefinition("CMAKE_FIND_PACKAGE_TARGETS_GLOBAL"));
907
0
    this->GlobalScope = value.IsOn();
908
0
  }
909
910
0
  std::vector<std::string> doubledComponents;
911
0
  std::set_intersection(
912
0
    this->RequiredComponents.begin(), this->RequiredComponents.end(),
913
0
    this->OptionalComponents.begin(), this->OptionalComponents.end(),
914
0
    std::back_inserter(doubledComponents));
915
0
  if (!doubledComponents.empty()) {
916
0
    this->SetError(
917
0
      cmStrCat("called with components that are both required and "
918
0
               "optional:\n",
919
0
               cmWrap("  ", doubledComponents, "", "\n"), '\n'));
920
0
    return false;
921
0
  }
922
923
  // Check and eliminate search modes not allowed by the args provided
924
0
  this->UseFindModules = configArgs.empty();
925
0
  this->UseConfigFiles = moduleArgs.empty();
926
0
  if (this->UseConfigFiles) {
927
0
    this->UseCpsFiles = this->Configs.empty();
928
0
  } else {
929
0
    this->UseCpsFiles = false;
930
0
  }
931
0
  if (!this->UseFindModules && !this->UseConfigFiles) {
932
0
    std::ostringstream e;
933
0
    e << "given options exclusive to Module mode:\n";
934
0
    for (auto si : moduleArgs) {
935
0
      e << "  " << args[si] << "\n";
936
0
    }
937
0
    e << "and options exclusive to Config mode:\n";
938
0
    for (auto si : configArgs) {
939
0
      e << "  " << args[si] << "\n";
940
0
    }
941
0
    e << "The options are incompatible.";
942
0
    this->SetError(e.str());
943
0
    return false;
944
0
  }
945
946
0
  bool canBeIrrelevant = true;
947
0
  if (this->UseConfigFiles || this->UseCpsFiles) {
948
0
    canBeIrrelevant = false;
949
0
    if (cmValue v = this->Makefile->GetState()->GetCacheEntryValue(
950
0
          cmStrCat(this->Name, "_DIR"))) {
951
0
      if (!v.IsNOTFOUND()) {
952
0
        this->InitialState = FindState::Found;
953
0
      } else {
954
0
        this->InitialState = FindState::NotFound;
955
0
      }
956
0
    }
957
0
  }
958
959
0
  if (this->UseFindModules &&
960
0
      (this->InitialState == FindState::Undefined ||
961
0
       this->InitialState == FindState::NotFound)) {
962
    // There are no definitive cache variables to know if a given `Find` module
963
    // has been searched for or not. However, if we have a `_FOUND` variable,
964
    // use that as an indication of a previous search.
965
0
    if (cmValue v =
966
0
          this->Makefile->GetDefinition(cmStrCat(this->Name, "_FOUND"))) {
967
0
      if (v.IsOn()) {
968
0
        this->InitialState = FindState::Found;
969
0
      } else {
970
0
        this->InitialState = FindState::NotFound;
971
0
      }
972
0
    }
973
0
  }
974
975
  // If there is no signaling variable and there's no reason to expect a cache
976
  // variable, mark the initial state as "irrelevant".
977
0
  if (this->InitialState == FindState::Undefined && canBeIrrelevant) {
978
0
    this->InitialState = FindState::Irrelevant;
979
0
  }
980
981
  // Ignore EXACT with no version.
982
0
  if (this->VersionComplete.empty() && this->VersionExact) {
983
0
    this->VersionExact = false;
984
0
    this->Makefile->IssueMessage(
985
0
      MessageType::AUTHOR_WARNING,
986
0
      "Ignoring EXACT since no version is requested.");
987
0
  }
988
989
0
  if (this->VersionComplete.empty() || this->Components.empty()) {
990
    // Check whether we are recursing inside "Find<name>.cmake" within
991
    // another find_package(<name>) call.
992
0
    std::string const mod = cmStrCat(this->Name, "_FIND_MODULE");
993
0
    if (this->Makefile->IsOn(mod)) {
994
0
      if (this->VersionComplete.empty()) {
995
        // Get version information from the outer call if necessary.
996
        // Requested version string.
997
0
        std::string const ver = cmStrCat(this->Name, "_FIND_VERSION_COMPLETE");
998
0
        this->VersionComplete = this->Makefile->GetSafeDefinition(ver);
999
1000
        // Whether an exact version is required.
1001
0
        std::string const exact = cmStrCat(this->Name, "_FIND_VERSION_EXACT");
1002
0
        this->VersionExact = this->Makefile->IsOn(exact);
1003
0
      }
1004
0
      if (this->Components.empty()) {
1005
0
        std::string const componentsVar = this->Name + "_FIND_COMPONENTS";
1006
0
        this->Components = this->Makefile->GetSafeDefinition(componentsVar);
1007
0
        for (auto const& component : cmList{ this->Components }) {
1008
0
          std::string const crVar =
1009
0
            cmStrCat(this->Name, "_FIND_REQUIRED_"_s, component);
1010
0
          if (this->Makefile->GetDefinition(crVar).IsOn()) {
1011
0
            this->RequiredComponents.insert(component);
1012
0
          } else {
1013
0
            this->OptionalComponents.insert(component);
1014
0
          }
1015
0
        }
1016
0
      }
1017
0
    }
1018
0
  }
1019
1020
  // fill various parts of version specification
1021
0
  if (!this->VersionComplete.empty()) {
1022
0
    if (!versionRegex.find(this->VersionComplete)) {
1023
0
      this->SetError("called with invalid version specification.");
1024
0
      return false;
1025
0
    }
1026
1027
0
    this->Version = versionRegex.match(1);
1028
0
    this->VersionMax = versionRegex.match(5);
1029
0
    if (versionRegex.match(4) == "<"_s) {
1030
0
      this->VersionRangeMax = VERSION_ENDPOINT_EXCLUDED;
1031
0
    }
1032
0
    if (!this->VersionMax.empty()) {
1033
0
      this->VersionRange = this->VersionComplete;
1034
0
    }
1035
0
  }
1036
1037
0
  if (!this->VersionRange.empty()) {
1038
    // version range must not be empty
1039
0
    if ((this->VersionRangeMax == VERSION_ENDPOINT_INCLUDED &&
1040
0
         cmSystemTools::VersionCompareGreater(this->Version,
1041
0
                                              this->VersionMax)) ||
1042
0
        (this->VersionRangeMax == VERSION_ENDPOINT_EXCLUDED &&
1043
0
         cmSystemTools::VersionCompareGreaterEq(this->Version,
1044
0
                                                this->VersionMax))) {
1045
0
      this->SetError("specified version range is empty.");
1046
0
      return false;
1047
0
    }
1048
0
  }
1049
1050
0
  if (this->VersionExact && !this->VersionRange.empty()) {
1051
0
    this->SetError("EXACT cannot be specified with a version range.");
1052
0
    return false;
1053
0
  }
1054
1055
0
  if (!this->Version.empty()) {
1056
0
    this->VersionCount =
1057
0
      parseVersion(this->Version, this->VersionMajor, this->VersionMinor,
1058
0
                   this->VersionPatch, this->VersionTweak);
1059
0
  }
1060
0
  if (!this->VersionMax.empty()) {
1061
0
    this->VersionMaxCount = parseVersion(
1062
0
      this->VersionMax, this->VersionMaxMajor, this->VersionMaxMinor,
1063
0
      this->VersionMaxPatch, this->VersionMaxTweak);
1064
0
  }
1065
1066
0
  bool result = this->FindPackage(
1067
0
    this->BypassProvider ? std::vector<std::string>{} : args);
1068
1069
0
  std::string const foundVar = cmStrCat(this->Name, "_FOUND");
1070
0
  bool const isFound = this->Makefile->IsOn(foundVar) ||
1071
0
    this->Makefile->IsOn(cmSystemTools::UpperCase(foundVar));
1072
1073
0
  if (this->ScopeUnwind && (!result || !isFound)) {
1074
0
    this->Makefile->GetStateSnapshot().SetUnwindState(cmStateEnums::UNWINDING);
1075
0
  }
1076
1077
0
  return result;
1078
0
}
1079
1080
bool cmFindPackageCommand::FindPackage(
1081
  std::vector<std::string> const& argsForProvider)
1082
0
{
1083
0
  std::string const makePackageRequiredVar =
1084
0
    cmStrCat("CMAKE_REQUIRE_FIND_PACKAGE_", this->Name);
1085
0
  bool const makePackageRequiredSet =
1086
0
    this->Makefile->IsOn(makePackageRequiredVar);
1087
0
  if (makePackageRequiredSet) {
1088
0
    if (this->IsRequired()) {
1089
0
      this->Makefile->IssueMessage(
1090
0
        MessageType::WARNING,
1091
0
        cmStrCat("for module ", this->Name,
1092
0
                 " already called with REQUIRED, thus ",
1093
0
                 makePackageRequiredVar, " has no effect."));
1094
0
    } else {
1095
0
      this->Required = RequiredStatus::RequiredFromPackageVar;
1096
0
    }
1097
0
  }
1098
1099
0
  std::string const disableFindPackageVar =
1100
0
    cmStrCat("CMAKE_DISABLE_FIND_PACKAGE_", this->Name);
1101
0
  if (this->Makefile->IsOn(disableFindPackageVar)) {
1102
0
    if (this->IsRequired()) {
1103
0
      this->SetError(
1104
0
        cmStrCat("for module ", this->Name,
1105
0
                 (makePackageRequiredSet
1106
0
                    ? " was made REQUIRED with " + makePackageRequiredVar
1107
0
                    : " called with REQUIRED, "),
1108
0
                 " but ", disableFindPackageVar,
1109
0
                 " is enabled. A REQUIRED package cannot be disabled."));
1110
0
      return false;
1111
0
    }
1112
0
    return true;
1113
0
  }
1114
1115
  // Restore PACKAGE_PREFIX_DIR to its pre-call value when we return. If our
1116
  // caller is a file generated by configure_package_config_file(), and if
1117
  // the package we are about to load also has a config file created by that
1118
  // command, it will overwrite PACKAGE_PREFIX_DIR. We need to restore it in
1119
  // case something still refers to it in our caller's scope after we return.
1120
0
  class RestoreVariableOnLeavingScope
1121
0
  {
1122
0
    cmMakefile* makefile_;
1123
0
    cm::optional<std::string> value_;
1124
1125
0
  public:
1126
0
    RestoreVariableOnLeavingScope(cmMakefile* makefile)
1127
0
      : makefile_(makefile)
1128
0
    {
1129
0
      cmValue v = makefile->GetDefinition("PACKAGE_PREFIX_DIR");
1130
0
      if (v) {
1131
0
        value_ = *v;
1132
0
      }
1133
0
    }
1134
0
    ~RestoreVariableOnLeavingScope()
1135
0
    {
1136
0
      if (this->value_) {
1137
0
        makefile_->AddDefinition("PACKAGE_PREFIX_DIR", *value_);
1138
0
      } else {
1139
0
        makefile_->RemoveDefinition("PACKAGE_PREFIX_DIR");
1140
0
      }
1141
0
    }
1142
0
  };
1143
0
  RestoreVariableOnLeavingScope restorePackagePrefixDir(this->Makefile);
1144
1145
  // Now choose what method(s) we will use to satisfy the request. Note that
1146
  // we still want all the above checking of arguments, etc. regardless of the
1147
  // method used. This will ensure ill-formed arguments are caught earlier,
1148
  // before things like dependency providers need to deal with them.
1149
1150
  // A dependency provider (if set) gets first look before other methods.
1151
  // We do this before modifying the package root path stack because a
1152
  // provider might use methods that ignore that.
1153
0
  cmState* const state = this->Makefile->GetState();
1154
0
  cmState::Command const providerCommand = state->GetDependencyProviderCommand(
1155
0
    cmDependencyProvider::Method::FindPackage);
1156
0
  if (argsForProvider.empty()) {
1157
0
    if (this->DebugModeEnabled() && providerCommand) {
1158
0
      this->DebugMessage(
1159
0
        "BYPASS_PROVIDER given, skipping dependency provider");
1160
0
    }
1161
0
  } else if (providerCommand) {
1162
0
    if (this->DebugModeEnabled()) {
1163
0
      this->DebugMessage(cmStrCat("Trying dependency provider command: ",
1164
0
                                  state->GetDependencyProvider()->GetCommand(),
1165
0
                                  "()"));
1166
0
    }
1167
0
    std::vector<cmListFileArgument> listFileArgs(argsForProvider.size() + 1);
1168
0
    listFileArgs[0] =
1169
0
      cmListFileArgument("FIND_PACKAGE"_s, cmListFileArgument::Unquoted, 0);
1170
0
    std::transform(argsForProvider.begin(), argsForProvider.end(),
1171
0
                   listFileArgs.begin() + 1, [](std::string const& arg) {
1172
0
                     return cmListFileArgument(arg,
1173
0
                                               cmListFileArgument::Bracket, 0);
1174
0
                   });
1175
0
    if (!providerCommand(listFileArgs, this->Status)) {
1176
0
      return false;
1177
0
    }
1178
0
    std::string providerName;
1179
0
    if (auto depProvider = state->GetDependencyProvider()) {
1180
0
      providerName = depProvider->GetCommand();
1181
0
    } else {
1182
0
      providerName = "<no provider?>";
1183
0
    }
1184
0
    auto searchPath = cmStrCat("dependency_provider::", providerName);
1185
0
    if (this->Makefile->IsOn(cmStrCat(this->Name, "_FOUND"))) {
1186
0
      if (this->DebugModeEnabled()) {
1187
0
        this->DebugMessage("Package was found by the dependency provider");
1188
0
      }
1189
0
      if (this->DebugState) {
1190
0
        this->DebugState->FoundAt(searchPath);
1191
0
      }
1192
0
      this->FileFound = searchPath;
1193
0
      this->FileFoundMode = FoundPackageMode::Provider;
1194
0
      this->AppendSuccessInformation();
1195
0
      return true;
1196
0
    }
1197
0
    this->ConsideredPaths.emplace_back(searchPath, FoundPackageMode::Provider,
1198
0
                                       SearchResult::NotFound);
1199
0
  }
1200
1201
  // Limit package nesting depth well below the recursion depth limit because
1202
  // find_package nesting uses more stack space than normal recursion.
1203
0
  {
1204
0
    static std::size_t const findPackageDepthMinMax = 100;
1205
0
    std::size_t const findPackageDepthMax = std::max(
1206
0
      this->Makefile->GetRecursionDepthLimit() / 2, findPackageDepthMinMax);
1207
0
    std::size_t const findPackageDepth =
1208
0
      this->Makefile->FindPackageRootPathStack.size() + 1;
1209
0
    if (findPackageDepth > findPackageDepthMax) {
1210
0
      this->SetError(cmStrCat("maximum nesting depth of ", findPackageDepthMax,
1211
0
                              " exceeded."));
1212
0
      return false;
1213
0
    }
1214
0
  }
1215
1216
  // RAII objects to ensure we leave this function with consistent state.
1217
0
  FlushDebugBufferOnExit flushDebugBufferOnExit(*this);
1218
0
  PushPopRootPathStack pushPopRootPathStack(*this);
1219
0
  SetRestoreFindDefinitions setRestoreFindDefinitions(*this);
1220
0
  cmFindPackageStackRAII findPackageStackRAII(this->Makefile, this->Name);
1221
1222
0
  findPackageStackRAII.BindTop(this->CurrentPackageInfo);
1223
1224
  // See if we have been told to delegate to FetchContent or some other
1225
  // redirected config package first. We have to check all names that
1226
  // find_package() may look for, but only need to invoke the override for the
1227
  // first one that matches.
1228
0
  auto overrideNames = this->Names;
1229
0
  if (overrideNames.empty()) {
1230
0
    overrideNames.push_back(this->Name);
1231
0
  }
1232
0
  bool forceConfigMode = false;
1233
0
  auto const redirectsDir =
1234
0
    this->Makefile->GetSafeDefinition("CMAKE_FIND_PACKAGE_REDIRECTS_DIR");
1235
0
  for (auto const& overrideName : overrideNames) {
1236
0
    auto const nameLower = cmSystemTools::LowerCase(overrideName);
1237
0
    auto const delegatePropName =
1238
0
      cmStrCat("_FetchContent_", nameLower, "_override_find_package");
1239
0
    cmValue const delegateToFetchContentProp =
1240
0
      this->Makefile->GetState()->GetGlobalProperty(delegatePropName);
1241
0
    if (delegateToFetchContentProp.IsOn()) {
1242
      // When this property is set, the FetchContent module has already been
1243
      // included at least once, so we know the FetchContent_MakeAvailable()
1244
      // command will be defined. Any future find_package() calls after this
1245
      // one for this package will by-pass this once-only delegation.
1246
      // The following call will typically create a <name>-config.cmake file
1247
      // in the redirectsDir, which we still want to process like any other
1248
      // config file to ensure we follow normal find_package() processing.
1249
0
      cmListFileFunction func(
1250
0
        "FetchContent_MakeAvailable", 0, 0,
1251
0
        { cmListFileArgument(overrideName, cmListFileArgument::Unquoted, 0) });
1252
0
      if (!this->Makefile->ExecuteCommand(func, this->Status)) {
1253
0
        return false;
1254
0
      }
1255
0
    }
1256
1257
0
    if (cmSystemTools::FileExists(
1258
0
          cmStrCat(redirectsDir, '/', nameLower, "-config.cmake")) ||
1259
0
        cmSystemTools::FileExists(
1260
0
          cmStrCat(redirectsDir, '/', overrideName, "Config.cmake"))) {
1261
      // Force the use of this redirected config package file, regardless of
1262
      // the type of find_package() call. Files in the redirectsDir must always
1263
      // take priority over everything else.
1264
0
      forceConfigMode = true;
1265
0
      this->UseConfigFiles = true;
1266
0
      this->UseFindModules = false;
1267
0
      this->Names.clear();
1268
0
      this->Names.emplace_back(overrideName); // Force finding this one
1269
0
      this->Variable = cmStrCat(this->Name, "_DIR");
1270
0
      this->CurrentPackageInfo->Directory = redirectsDir;
1271
0
      this->CurrentPackageInfo->Version = this->VersionFound;
1272
0
      this->SetConfigDirCacheVariable(redirectsDir);
1273
0
      break;
1274
0
    }
1275
0
  }
1276
1277
  // See if there is a Find<PackageName>.cmake module.
1278
0
  bool loadedPackage = false;
1279
0
  if (forceConfigMode) {
1280
0
    loadedPackage = this->FindPackageUsingConfigMode();
1281
0
  } else if (this->Makefile->IsOn("CMAKE_FIND_PACKAGE_PREFER_CONFIG")) {
1282
0
    if (this->UseConfigFiles && this->FindPackageUsingConfigMode()) {
1283
0
      loadedPackage = true;
1284
0
    } else {
1285
0
      if (this->FindPackageUsingModuleMode()) {
1286
0
        loadedPackage = true;
1287
0
      } else {
1288
        // The package was not loaded. Report errors.
1289
0
        if (this->HandlePackageMode(HandlePackageModeType::Module)) {
1290
0
          loadedPackage = true;
1291
0
        }
1292
0
      }
1293
0
    }
1294
0
  } else {
1295
0
    if (this->UseFindModules && this->FindPackageUsingModuleMode()) {
1296
0
      loadedPackage = true;
1297
0
    } else {
1298
      // Handle CMAKE_FIND_PACKAGE_WARN_NO_MODULE (warn when CONFIG mode is
1299
      // implicitly assumed)
1300
0
      if (this->UseFindModules && this->UseConfigFiles &&
1301
0
          this->Makefile->IsOn("CMAKE_FIND_PACKAGE_WARN_NO_MODULE")) {
1302
0
        std::ostringstream aw;
1303
0
        if (this->RequiredCMakeVersion >= CMake_VERSION_ENCODE(2, 8, 8)) {
1304
0
          aw << "find_package called without either MODULE or CONFIG option "
1305
0
                "and "
1306
0
                "no Find"
1307
0
             << this->Name
1308
0
             << ".cmake module is in CMAKE_MODULE_PATH.  "
1309
0
                "Add MODULE to exclusively request Module mode and fail if "
1310
0
                "Find"
1311
0
             << this->Name
1312
0
             << ".cmake is missing.  "
1313
0
                "Add CONFIG to exclusively request Config mode and search for "
1314
0
                "a "
1315
0
                "package configuration file provided by "
1316
0
             << this->Name << " (" << this->Name << "Config.cmake or "
1317
0
             << cmSystemTools::LowerCase(this->Name) << "-config.cmake).  ";
1318
0
        } else {
1319
0
          aw << "find_package called without NO_MODULE option and no "
1320
0
                "Find"
1321
0
             << this->Name
1322
0
             << ".cmake module is in CMAKE_MODULE_PATH.  "
1323
0
                "Add NO_MODULE to exclusively request Config mode and search "
1324
0
                "for a "
1325
0
                "package configuration file provided by "
1326
0
             << this->Name << " (" << this->Name << "Config.cmake or "
1327
0
             << cmSystemTools::LowerCase(this->Name)
1328
0
             << "-config.cmake).  Otherwise make Find" << this->Name
1329
0
             << ".cmake available in CMAKE_MODULE_PATH.";
1330
0
        }
1331
0
        aw << "\n"
1332
0
              "(Variable CMAKE_FIND_PACKAGE_WARN_NO_MODULE enabled this "
1333
0
              "warning.)";
1334
0
        this->Makefile->IssueMessage(MessageType::AUTHOR_WARNING, aw.str());
1335
0
      }
1336
1337
0
      if (this->FindPackageUsingConfigMode()) {
1338
0
        loadedPackage = true;
1339
0
      }
1340
0
    }
1341
0
  }
1342
1343
0
  this->AppendSuccessInformation();
1344
0
  return loadedPackage;
1345
0
}
1346
1347
bool cmFindPackageCommand::FindPackageUsingModuleMode()
1348
0
{
1349
0
  bool foundModule = false;
1350
0
  if (!this->FindModule(foundModule)) {
1351
0
    return false;
1352
0
  }
1353
0
  return foundModule;
1354
0
}
1355
1356
bool cmFindPackageCommand::FindPackageUsingConfigMode()
1357
0
{
1358
0
  this->Variable = cmStrCat(this->Name, "_DIR");
1359
1360
  // Add the default name.
1361
0
  if (this->Names.empty()) {
1362
0
    this->Names.push_back(this->Name);
1363
0
  }
1364
1365
  // Add the default configs.
1366
0
  if (this->Configs.empty()) {
1367
0
    for (std::string const& n : this->Names) {
1368
0
      std::string config;
1369
0
      if (this->UseCpsFiles) {
1370
0
        config = cmStrCat(n, ".cps");
1371
0
        this->Configs.emplace_back(std::move(config), pdt::Cps);
1372
1373
0
        config = cmStrCat(cmSystemTools::LowerCase(n), ".cps");
1374
0
        if (config != this->Configs.back().Name) {
1375
0
          this->Configs.emplace_back(std::move(config), pdt::Cps);
1376
0
        }
1377
0
      }
1378
1379
0
      config = cmStrCat(n, "Config.cmake");
1380
0
      this->Configs.emplace_back(std::move(config), pdt::CMake);
1381
1382
0
      config = cmStrCat(cmSystemTools::LowerCase(n), "-config.cmake");
1383
0
      this->Configs.emplace_back(std::move(config), pdt::CMake);
1384
0
    }
1385
0
  }
1386
1387
  // get igonored paths from vars and reroot them.
1388
0
  std::vector<std::string> ignored;
1389
0
  this->GetIgnoredPaths(ignored);
1390
0
  this->RerootPaths(ignored);
1391
1392
  // Construct a set of ignored paths
1393
0
  this->IgnoredPaths.clear();
1394
0
  this->IgnoredPaths.insert(ignored.begin(), ignored.end());
1395
1396
  // get igonored prefix paths from vars and reroot them.
1397
0
  std::vector<std::string> ignoredPrefixes;
1398
0
  this->GetIgnoredPrefixPaths(ignoredPrefixes);
1399
0
  this->RerootPaths(ignoredPrefixes);
1400
1401
  // Construct a set of ignored prefix paths
1402
0
  this->IgnoredPrefixPaths.clear();
1403
0
  this->IgnoredPrefixPaths.insert(ignoredPrefixes.begin(),
1404
0
                                  ignoredPrefixes.end());
1405
1406
  // Find and load the package.
1407
0
  return this->HandlePackageMode(HandlePackageModeType::Config);
1408
0
}
1409
1410
void cmFindPackageCommand::SetVersionVariables(
1411
  std::function<void(std::string const&, cm::string_view)> const&
1412
    addDefinition,
1413
  std::string const& prefix, std::string const& version,
1414
  unsigned int const count, unsigned int const major, unsigned int const minor,
1415
  unsigned int const patch, unsigned int const tweak)
1416
0
{
1417
0
  addDefinition(prefix, version);
1418
1419
0
  char buf[64];
1420
0
  snprintf(buf, sizeof(buf), "%u", major);
1421
0
  addDefinition(prefix + "_MAJOR", buf);
1422
0
  snprintf(buf, sizeof(buf), "%u", minor);
1423
0
  addDefinition(prefix + "_MINOR", buf);
1424
0
  snprintf(buf, sizeof(buf), "%u", patch);
1425
0
  addDefinition(prefix + "_PATCH", buf);
1426
0
  snprintf(buf, sizeof(buf), "%u", tweak);
1427
0
  addDefinition(prefix + "_TWEAK", buf);
1428
0
  snprintf(buf, sizeof(buf), "%u", count);
1429
0
  addDefinition(prefix + "_COUNT", buf);
1430
0
}
1431
1432
void cmFindPackageCommand::SetModuleVariables()
1433
0
{
1434
0
  this->AddFindDefinition("CMAKE_FIND_PACKAGE_NAME", this->Name);
1435
1436
  // Nested find calls are not automatically required.
1437
0
  this->AddFindDefinition("CMAKE_FIND_REQUIRED", ""_s);
1438
1439
  // Store the list of components and associated variable definitions.
1440
0
  std::string components_var = this->Name + "_FIND_COMPONENTS";
1441
0
  this->AddFindDefinition(components_var, this->Components);
1442
0
  for (auto const& component : this->OptionalComponents) {
1443
0
    this->AddFindDefinition(
1444
0
      cmStrCat(this->Name, "_FIND_REQUIRED_"_s, component), "0"_s);
1445
0
  }
1446
0
  for (auto const& component : this->RequiredComponents) {
1447
0
    this->AddFindDefinition(
1448
0
      cmStrCat(this->Name, "_FIND_REQUIRED_"_s, component), "1"_s);
1449
0
  }
1450
1451
0
  if (this->Quiet) {
1452
    // Tell the module that is about to be read that it should find
1453
    // quietly.
1454
0
    std::string quietly = cmStrCat(this->Name, "_FIND_QUIETLY");
1455
0
    this->AddFindDefinition(quietly, "1"_s);
1456
0
  }
1457
1458
0
  if (this->IsRequired()) {
1459
    // Tell the module that is about to be read that it should report
1460
    // a fatal error if the package is not found.
1461
0
    std::string req = cmStrCat(this->Name, "_FIND_REQUIRED");
1462
0
    this->AddFindDefinition(req, "1"_s);
1463
0
  }
1464
1465
0
  if (!this->VersionComplete.empty()) {
1466
0
    std::string req = cmStrCat(this->Name, "_FIND_VERSION_COMPLETE");
1467
0
    this->AddFindDefinition(req, this->VersionComplete);
1468
0
  }
1469
1470
  // Tell the module that is about to be read what version of the
1471
  // package has been requested.
1472
0
  auto addDefinition = [this](std::string const& variable,
1473
0
                              cm::string_view value) {
1474
0
    this->AddFindDefinition(variable, value);
1475
0
  };
1476
1477
0
  if (!this->Version.empty()) {
1478
0
    auto prefix = cmStrCat(this->Name, "_FIND_VERSION"_s);
1479
0
    this->SetVersionVariables(addDefinition, prefix, this->Version,
1480
0
                              this->VersionCount, this->VersionMajor,
1481
0
                              this->VersionMinor, this->VersionPatch,
1482
0
                              this->VersionTweak);
1483
1484
    // Tell the module whether an exact version has been requested.
1485
0
    auto exact = cmStrCat(this->Name, "_FIND_VERSION_EXACT");
1486
0
    this->AddFindDefinition(exact, this->VersionExact ? "1"_s : "0"_s);
1487
0
  }
1488
0
  if (!this->VersionRange.empty()) {
1489
0
    auto prefix = cmStrCat(this->Name, "_FIND_VERSION_MIN"_s);
1490
0
    this->SetVersionVariables(addDefinition, prefix, this->Version,
1491
0
                              this->VersionCount, this->VersionMajor,
1492
0
                              this->VersionMinor, this->VersionPatch,
1493
0
                              this->VersionTweak);
1494
1495
0
    prefix = cmStrCat(this->Name, "_FIND_VERSION_MAX"_s);
1496
0
    this->SetVersionVariables(addDefinition, prefix, this->VersionMax,
1497
0
                              this->VersionMaxCount, this->VersionMaxMajor,
1498
0
                              this->VersionMaxMinor, this->VersionMaxPatch,
1499
0
                              this->VersionMaxTweak);
1500
1501
0
    auto id = cmStrCat(this->Name, "_FIND_VERSION_RANGE");
1502
0
    this->AddFindDefinition(id, this->VersionRange);
1503
0
    id = cmStrCat(this->Name, "_FIND_VERSION_RANGE_MIN");
1504
0
    this->AddFindDefinition(id, this->VersionRangeMin);
1505
0
    id = cmStrCat(this->Name, "_FIND_VERSION_RANGE_MAX");
1506
0
    this->AddFindDefinition(id, this->VersionRangeMax);
1507
0
  }
1508
1509
0
  if (this->RegistryViewDefined) {
1510
0
    this->AddFindDefinition(cmStrCat(this->Name, "_FIND_REGISTRY_VIEW"),
1511
0
                            cmWindowsRegistry::FromView(this->RegistryView));
1512
0
  }
1513
0
}
1514
1515
void cmFindPackageCommand::AddFindDefinition(std::string const& var,
1516
                                             cm::string_view const value)
1517
0
{
1518
0
  if (cmValue old = this->Makefile->GetDefinition(var)) {
1519
0
    this->OriginalDefs[var].exists = true;
1520
0
    this->OriginalDefs[var].value = *old;
1521
0
  } else {
1522
0
    this->OriginalDefs[var].exists = false;
1523
0
  }
1524
0
  this->Makefile->AddDefinition(var, value);
1525
0
}
1526
1527
void cmFindPackageCommand::RestoreFindDefinitions()
1528
0
{
1529
0
  for (auto const& i : this->OriginalDefs) {
1530
0
    OriginalDef const& od = i.second;
1531
0
    if (od.exists) {
1532
0
      this->Makefile->AddDefinition(i.first, od.value);
1533
0
    } else {
1534
0
      this->Makefile->RemoveDefinition(i.first);
1535
0
    }
1536
0
  }
1537
0
}
1538
1539
bool cmFindPackageCommand::FindModule(bool& found)
1540
0
{
1541
0
  std::string moduleFileName = cmStrCat("Find", this->Name, ".cmake");
1542
1543
0
  bool system = false;
1544
0
  std::string debugBuffer = cmStrCat(
1545
0
    "find_package considered the following paths for ", moduleFileName, ":\n");
1546
0
  std::string mfile = this->Makefile->GetModulesFile(
1547
0
    moduleFileName, system, this->DebugModeEnabled(), debugBuffer);
1548
0
  if (this->DebugModeEnabled()) {
1549
0
    if (mfile.empty()) {
1550
0
      debugBuffer = cmStrCat(debugBuffer, "The file was not found.\n");
1551
0
    } else {
1552
0
      debugBuffer =
1553
0
        cmStrCat(debugBuffer, "The file was found at\n  ", mfile, '\n');
1554
0
    }
1555
0
    this->DebugBuffer = cmStrCat(this->DebugBuffer, debugBuffer);
1556
0
  }
1557
1558
0
  if (!mfile.empty()) {
1559
0
    if (system) {
1560
0
      auto const it = this->DeprecatedFindModules.find(this->Name);
1561
0
      if (it != this->DeprecatedFindModules.end()) {
1562
0
        cmPolicies::PolicyStatus status =
1563
0
          this->Makefile->GetPolicyStatus(it->second);
1564
0
        switch (status) {
1565
0
          case cmPolicies::WARN: {
1566
0
            this->Makefile->IssueMessage(
1567
0
              MessageType::AUTHOR_WARNING,
1568
0
              cmStrCat(cmPolicies::GetPolicyWarning(it->second), '\n'));
1569
0
            CM_FALLTHROUGH;
1570
0
          }
1571
0
          case cmPolicies::OLD:
1572
0
            break;
1573
0
          case cmPolicies::NEW:
1574
0
            return true;
1575
0
        }
1576
0
      }
1577
0
    }
1578
1579
    // Load the module we found, and set "<name>_FIND_MODULE" to true
1580
    // while inside it.
1581
0
    found = true;
1582
0
    std::string const var = cmStrCat(this->Name, "_FIND_MODULE");
1583
0
    this->Makefile->AddDefinition(var, "1");
1584
0
    bool result = this->ReadListFile(mfile, DoPolicyScope);
1585
0
    this->Makefile->RemoveDefinition(var);
1586
1587
0
    std::string const foundVar = cmStrCat(this->Name, "_FOUND");
1588
0
    if (this->Makefile->IsDefinitionSet(foundVar) &&
1589
0
        !this->Makefile->IsOn(foundVar)) {
1590
1591
0
      if (this->DebugModeEnabled()) {
1592
0
        this->DebugBuffer = cmStrCat(
1593
0
          this->DebugBuffer, "The module is considered not found due to ",
1594
0
          foundVar, " being FALSE.");
1595
0
      }
1596
1597
0
      this->ConsideredPaths.emplace_back(mfile, FoundPackageMode::Module,
1598
0
                                         SearchResult::NotFound);
1599
0
      std::string const notFoundMessageVar =
1600
0
        cmStrCat(this->Name, "_NOT_FOUND_MESSAGE");
1601
0
      if (cmValue notFoundMessage =
1602
0
            this->Makefile->GetDefinition(notFoundMessageVar)) {
1603
1604
0
        this->ConsideredPaths.back().Message = *notFoundMessage;
1605
0
      }
1606
0
    } else {
1607
0
      if (this->DebugState) {
1608
0
        this->DebugState->FoundAt(mfile);
1609
0
      }
1610
0
      this->FileFound = mfile;
1611
0
      this->FileFoundMode = FoundPackageMode::Module;
1612
0
      std::string const versionVar = cmStrCat(this->Name, "_VERSION");
1613
0
      if (cmValue version = this->Makefile->GetDefinition(versionVar)) {
1614
0
        this->VersionFound = *version;
1615
0
      }
1616
0
    }
1617
0
    return result;
1618
0
  }
1619
0
  return true;
1620
0
}
1621
1622
bool cmFindPackageCommand::HandlePackageMode(
1623
  HandlePackageModeType const handlePackageModeType)
1624
0
{
1625
0
  this->ConsideredConfigs.clear();
1626
1627
  // Try to find the config file.
1628
0
  cmValue def = this->Makefile->GetDefinition(this->Variable);
1629
1630
  // Try to load the config file if the directory is known
1631
0
  bool fileFound = false;
1632
0
  if (this->UseConfigFiles) {
1633
0
    if (!def.IsOff()) {
1634
      // Get the directory from the variable value.
1635
0
      std::string dir = *def;
1636
0
      cmSystemTools::ConvertToUnixSlashes(dir);
1637
1638
      // Treat relative paths with respect to the current source dir.
1639
0
      if (!cmSystemTools::FileIsFullPath(dir)) {
1640
0
        dir = "/" + dir;
1641
0
        dir = this->Makefile->GetCurrentSourceDirectory() + dir;
1642
0
      }
1643
      // The file location was cached.  Look for the correct file.
1644
0
      std::string file;
1645
0
      FoundPackageMode foundMode = FoundPackageMode::None;
1646
0
      if (this->FindConfigFile(dir, pdt::Any, file, foundMode)) {
1647
0
        if (this->DebugState) {
1648
0
          this->DebugState->FoundAt(file);
1649
0
        }
1650
0
        this->FileFound = std::move(file);
1651
0
        this->FileFoundMode = foundMode;
1652
0
        fileFound = true;
1653
0
      }
1654
0
      def = this->Makefile->GetDefinition(this->Variable);
1655
0
    }
1656
1657
    // Search for the config file if it is not already found.
1658
0
    if (def.IsOff() || !fileFound) {
1659
0
      fileFound = this->FindConfig();
1660
0
    }
1661
1662
    // Sanity check.
1663
0
    if (fileFound && this->FileFound.empty()) {
1664
0
      this->Makefile->IssueMessage(
1665
0
        MessageType::INTERNAL_ERROR,
1666
0
        "fileFound is true but FileFound is empty!");
1667
0
      fileFound = false;
1668
0
    }
1669
1670
0
    if (fileFound) {
1671
0
      this->CurrentPackageInfo->Directory =
1672
0
        cmSystemTools::GetFilenamePath(this->FileFound);
1673
0
      this->CurrentPackageInfo->Version = this->VersionFound;
1674
0
    }
1675
0
  }
1676
1677
0
  std::string const foundVar = cmStrCat(this->Name, "_FOUND");
1678
0
  std::string const notFoundMessageVar =
1679
0
    cmStrCat(this->Name, "_NOT_FOUND_MESSAGE");
1680
0
  std::string notFoundMessage;
1681
1682
  // If the directory for the config file was found, try to read the file.
1683
0
  bool result = true;
1684
0
  bool found = false;
1685
0
  bool configFileSetFOUNDFalse = false;
1686
0
  std::vector<std::string> missingTargets;
1687
1688
0
  if (fileFound) {
1689
0
    if (this->Makefile->IsDefinitionSet(foundVar) &&
1690
0
        !this->Makefile->IsOn(foundVar)) {
1691
      // by removing Foo_FOUND here if it is FALSE, we don't really change
1692
      // the situation for the Config file which is about to be included,
1693
      // but we make it possible to detect later on whether the Config file
1694
      // has set Foo_FOUND to FALSE itself:
1695
0
      this->Makefile->RemoveDefinition(foundVar);
1696
0
    }
1697
0
    this->Makefile->RemoveDefinition(notFoundMessageVar);
1698
1699
    // Set the version variables before loading the config file.
1700
    // It may override them.
1701
0
    this->StoreVersionFound();
1702
1703
    // Parse the configuration file.
1704
0
    if (this->CpsReader) {
1705
      // The package has been found.
1706
0
      found = true;
1707
0
      result = this->ReadPackage();
1708
0
    } else if (this->ReadListFile(this->FileFound, DoPolicyScope)) {
1709
      // The package has been found.
1710
0
      found = true;
1711
1712
      // Check whether the Config file has set Foo_FOUND to FALSE:
1713
0
      if (this->Makefile->IsDefinitionSet(foundVar) &&
1714
0
          !this->Makefile->IsOn(foundVar)) {
1715
        // we get here if the Config file has set Foo_FOUND actively to FALSE
1716
0
        found = false;
1717
0
        configFileSetFOUNDFalse = true;
1718
0
        notFoundMessage =
1719
0
          this->Makefile->GetSafeDefinition(notFoundMessageVar);
1720
0
      }
1721
1722
      // Check whether the required targets are defined.
1723
0
      if (found && !this->RequiredTargets.empty()) {
1724
0
        for (std::string const& t : this->RequiredTargets) {
1725
0
          std::string qualifiedTarget = cmStrCat(this->Name, "::"_s, t);
1726
0
          if (!this->Makefile->FindImportedTarget(qualifiedTarget)) {
1727
0
            missingTargets.emplace_back(std::move(qualifiedTarget));
1728
0
            found = false;
1729
0
          }
1730
0
        }
1731
0
      }
1732
0
    } else {
1733
      // The configuration file is invalid.
1734
0
      result = false;
1735
0
    }
1736
0
  }
1737
1738
0
  if (this->UseFindModules && !found &&
1739
0
      handlePackageModeType == HandlePackageModeType::Config &&
1740
0
      this->Makefile->IsOn("CMAKE_FIND_PACKAGE_PREFER_CONFIG")) {
1741
    // Config mode failed. Allow Module case.
1742
0
    result = false;
1743
0
  }
1744
1745
  // package not found
1746
0
  if (result && !found) {
1747
    // warn if package required or
1748
    // (neither quiet nor in config mode and not explicitly optional)
1749
0
    if (this->IsRequired() ||
1750
0
        (!(this->Quiet ||
1751
0
           (this->UseConfigFiles && !this->UseFindModules &&
1752
0
            this->ConsideredConfigs.empty())) &&
1753
0
         this->Required != RequiredStatus::OptionalExplicit)) {
1754
      // The variable is not set.
1755
0
      std::ostringstream e;
1756
0
      std::ostringstream aw;
1757
0
      if (configFileSetFOUNDFalse) {
1758
0
        e << "Found package configuration file:\n"
1759
0
             "  "
1760
0
          << this->FileFound
1761
0
          << "\n"
1762
0
             "but it set "
1763
0
          << foundVar << " to FALSE so package \"" << this->Name
1764
0
          << "\" is considered to be NOT FOUND.";
1765
0
        if (!notFoundMessage.empty()) {
1766
0
          e << " Reason given by package: \n" << notFoundMessage << "\n";
1767
0
        }
1768
0
      } else if (!missingTargets.empty()) {
1769
0
        e << "Found package configuration file:\n"
1770
0
             "  "
1771
0
          << this->FileFound
1772
0
          << "\n"
1773
0
             "but the following required targets were not found:\n"
1774
0
             "  "
1775
0
          << cmJoin(cmMakeRange(missingTargets), ", "_s);
1776
0
      } else if (!this->ConsideredConfigs.empty()) {
1777
        // If there are files in ConsideredConfigs, it means that
1778
        // FooConfig.cmake have been found, but they didn't have appropriate
1779
        // versions.
1780
0
        auto duplicate_end = cmRemoveDuplicates(this->ConsideredConfigs);
1781
0
        e << "Could not find a configuration file for package \"" << this->Name
1782
0
          << "\" that "
1783
0
          << (this->VersionExact ? "exactly matches" : "is compatible with")
1784
0
          << " requested version "
1785
0
          << (this->VersionRange.empty() ? "" : "range ") << '"'
1786
0
          << this->VersionComplete
1787
0
          << "\".\n"
1788
0
             "The following configuration files were considered but not "
1789
0
             "accepted:\n";
1790
1791
0
        for (ConfigFileInfo const& info :
1792
0
             cmMakeRange(this->ConsideredConfigs.cbegin(), duplicate_end)) {
1793
0
          e << "  " << info.filename << ", version: " << info.version
1794
0
            << "\n    " << info.message << '\n';
1795
0
        }
1796
0
      } else {
1797
0
        std::string requestedVersionString;
1798
0
        if (!this->VersionComplete.empty()) {
1799
0
          requestedVersionString =
1800
0
            cmStrCat(" (requested version ", this->VersionComplete, ')');
1801
0
        }
1802
1803
0
        if (this->UseConfigFiles) {
1804
0
          if (this->UseFindModules) {
1805
0
            e << "By not providing \"Find" << this->Name
1806
0
              << ".cmake\" in "
1807
0
                 "CMAKE_MODULE_PATH this project has asked CMake to find a "
1808
0
                 "package configuration file provided by \""
1809
0
              << this->Name
1810
0
              << "\", "
1811
0
                 "but CMake did not find one.\n";
1812
0
          }
1813
1814
0
          if (this->Configs.size() == 1) {
1815
0
            e << "Could not find a package configuration file named \""
1816
0
              << this->Configs[0].Name << "\" provided by package \""
1817
0
              << this->Name << "\"" << requestedVersionString << ".\n";
1818
0
          } else {
1819
0
            auto configs = cmMakeRange(this->Configs);
1820
0
            auto configNames =
1821
0
              configs.transform([](ConfigName const& cn) { return cn.Name; });
1822
0
            e << "Could not find a package configuration file provided by \""
1823
0
              << this->Name << "\"" << requestedVersionString
1824
0
              << " with any of the following names:\n"
1825
0
              << cmWrap("  "_s, configNames, ""_s, "\n"_s) << '\n';
1826
0
          }
1827
1828
0
          e << "Add the installation prefix of \"" << this->Name
1829
0
            << "\" to CMAKE_PREFIX_PATH or set \"" << this->Variable
1830
0
            << "\" to a directory containing one of the above files. "
1831
0
               "If \""
1832
0
            << this->Name
1833
0
            << "\" provides a separate development "
1834
0
               "package or SDK, be sure it has been installed.";
1835
0
        } else // if(!this->UseFindModules && !this->UseConfigFiles)
1836
0
        {
1837
0
          e << "No \"Find" << this->Name
1838
0
            << ".cmake\" found in "
1839
0
               "CMAKE_MODULE_PATH.";
1840
1841
0
          aw
1842
0
            << "Find" << this->Name
1843
0
            << ".cmake must either be part of this "
1844
0
               "project itself, in this case adjust CMAKE_MODULE_PATH so that "
1845
0
               "it points to the correct location inside its source tree.\n"
1846
0
               "Or it must be installed by a package which has already been "
1847
0
               "found via find_package().  In this case make sure that "
1848
0
               "package has indeed been found and adjust CMAKE_MODULE_PATH to "
1849
0
               "contain the location where that package has installed "
1850
0
               "Find"
1851
0
            << this->Name
1852
0
            << ".cmake.  This must be a location "
1853
0
               "provided by that package.  This error in general means that "
1854
0
               "the buildsystem of this project is relying on a Find-module "
1855
0
               "without ensuring that it is actually available.\n";
1856
0
        }
1857
0
      }
1858
0
      if (this->Required == RequiredStatus::RequiredFromFindVar) {
1859
0
        e << "\nThis package is considered required because the "
1860
0
             "CMAKE_FIND_REQUIRED variable has been enabled.\n";
1861
0
      } else if (this->Required == RequiredStatus::RequiredFromPackageVar) {
1862
0
        e << "\nThis package is considered required because the "
1863
0
          << cmStrCat("CMAKE_REQUIRE_FIND_PACKAGE_", this->Name)
1864
0
          << " variable has been enabled.\n";
1865
0
      }
1866
1867
0
      this->Makefile->IssueMessage(
1868
0
        this->IsRequired() ? MessageType::FATAL_ERROR : MessageType::WARNING,
1869
0
        e.str());
1870
0
      if (this->IsRequired()) {
1871
0
        cmSystemTools::SetFatalErrorOccurred();
1872
0
      }
1873
1874
0
      if (!aw.str().empty()) {
1875
0
        this->Makefile->IssueMessage(MessageType::AUTHOR_WARNING, aw.str());
1876
0
      }
1877
0
    }
1878
    // output result if in config mode but not in quiet mode
1879
0
    else if (!this->Quiet) {
1880
0
      this->Makefile->DisplayStatus(cmStrCat("Could NOT find ", this->Name,
1881
0
                                             " (missing: ", this->Name,
1882
0
                                             "_DIR)"),
1883
0
                                    -1);
1884
0
    }
1885
0
  }
1886
1887
  // Set a variable marking whether the package was found.
1888
0
  this->Makefile->AddDefinition(foundVar, found ? "1" : "0");
1889
1890
  // Set a variable naming the configuration file that was found.
1891
0
  std::string const fileVar = cmStrCat(this->Name, "_CONFIG");
1892
0
  if (found) {
1893
0
    this->Makefile->AddDefinition(fileVar, this->FileFound);
1894
0
  } else {
1895
0
    this->Makefile->RemoveDefinition(fileVar);
1896
0
  }
1897
1898
0
  std::string const consideredConfigsVar =
1899
0
    cmStrCat(this->Name, "_CONSIDERED_CONFIGS");
1900
0
  std::string const consideredVersionsVar =
1901
0
    cmStrCat(this->Name, "_CONSIDERED_VERSIONS");
1902
1903
0
  std::string consideredConfigFiles;
1904
0
  std::string consideredVersions;
1905
1906
0
  char const* sep = "";
1907
0
  for (ConfigFileInfo const& i : this->ConsideredConfigs) {
1908
0
    consideredConfigFiles += sep;
1909
0
    consideredVersions += sep;
1910
0
    consideredConfigFiles += i.filename;
1911
0
    consideredVersions += i.version;
1912
0
    sep = ";";
1913
0
  }
1914
1915
0
  this->Makefile->AddDefinition(consideredConfigsVar, consideredConfigFiles);
1916
1917
0
  this->Makefile->AddDefinition(consideredVersionsVar, consideredVersions);
1918
1919
0
  return result;
1920
0
}
1921
1922
bool cmFindPackageCommand::FindConfig()
1923
0
{
1924
  // Compute the set of search prefixes.
1925
0
  this->ComputePrefixes();
1926
1927
  // Look for the project's configuration file.
1928
0
  bool found = false;
1929
0
  if (this->DebugModeEnabled()) {
1930
0
    this->DebugBuffer = cmStrCat(this->DebugBuffer,
1931
0
                                 "find_package considered the following "
1932
0
                                 "locations for ",
1933
0
                                 this->Name, "'s Config module:\n");
1934
0
  }
1935
1936
0
  if (!found && this->UseCpsFiles) {
1937
0
    found = this->FindEnvironmentConfig();
1938
0
  }
1939
1940
  // Search for frameworks.
1941
0
  if (!found && (this->SearchFrameworkFirst || this->SearchFrameworkOnly)) {
1942
0
    found = this->FindFrameworkConfig();
1943
0
  }
1944
1945
  // Search for apps.
1946
0
  if (!found && (this->SearchAppBundleFirst || this->SearchAppBundleOnly)) {
1947
0
    found = this->FindAppBundleConfig();
1948
0
  }
1949
1950
  // Search prefixes.
1951
0
  if (!found && !(this->SearchFrameworkOnly || this->SearchAppBundleOnly)) {
1952
0
    found = this->FindPrefixedConfig();
1953
0
  }
1954
1955
  // Search for frameworks.
1956
0
  if (!found && this->SearchFrameworkLast) {
1957
0
    found = this->FindFrameworkConfig();
1958
0
  }
1959
1960
  // Search for apps.
1961
0
  if (!found && this->SearchAppBundleLast) {
1962
0
    found = this->FindAppBundleConfig();
1963
0
  }
1964
1965
0
  if (this->DebugModeEnabled()) {
1966
0
    if (found) {
1967
0
      this->DebugBuffer = cmStrCat(
1968
0
        this->DebugBuffer, "The file was found at\n  ", this->FileFound, '\n');
1969
0
    } else {
1970
0
      this->DebugBuffer =
1971
0
        cmStrCat(this->DebugBuffer, "The file was not found.\n");
1972
0
    }
1973
0
  }
1974
1975
  // Store the entry in the cache so it can be set by the user.
1976
0
  std::string init;
1977
0
  if (found) {
1978
0
    init = cmSystemTools::GetFilenamePath(this->FileFound);
1979
0
  } else {
1980
0
    init = this->Variable + "-NOTFOUND";
1981
0
  }
1982
  // We force the value since we do not get here if it was already set.
1983
0
  this->SetConfigDirCacheVariable(init);
1984
1985
0
  return found;
1986
0
}
1987
1988
void cmFindPackageCommand::SetConfigDirCacheVariable(std::string const& value)
1989
0
{
1990
0
  std::string const help =
1991
0
    cmStrCat("The directory containing a CMake configuration file for ",
1992
0
             this->Name, '.');
1993
0
  this->Makefile->AddCacheDefinition(this->Variable, value, help,
1994
0
                                     cmStateEnums::PATH, true);
1995
0
  if (this->Makefile->GetPolicyStatus(cmPolicies::CMP0126) ==
1996
0
        cmPolicies::NEW &&
1997
0
      this->Makefile->IsNormalDefinitionSet(this->Variable)) {
1998
0
    this->Makefile->AddDefinition(this->Variable, value);
1999
0
  }
2000
0
}
2001
2002
bool cmFindPackageCommand::FindPrefixedConfig()
2003
0
{
2004
0
  std::vector<std::string> const& prefixes = this->SearchPaths;
2005
0
  return std::any_of(
2006
0
    prefixes.begin(), prefixes.end(),
2007
0
    [this](std::string const& p) -> bool { return this->SearchPrefix(p); });
2008
0
}
2009
2010
bool cmFindPackageCommand::FindFrameworkConfig()
2011
0
{
2012
0
  std::vector<std::string> const& prefixes = this->SearchPaths;
2013
0
  return std::any_of(prefixes.begin(), prefixes.end(),
2014
0
                     [this](std::string const& p) -> bool {
2015
0
                       return this->SearchFrameworkPrefix(p);
2016
0
                     });
2017
0
}
2018
2019
bool cmFindPackageCommand::FindAppBundleConfig()
2020
0
{
2021
0
  std::vector<std::string> const& prefixes = this->SearchPaths;
2022
0
  return std::any_of(prefixes.begin(), prefixes.end(),
2023
0
                     [this](std::string const& p) -> bool {
2024
0
                       return this->SearchAppBundlePrefix(p);
2025
0
                     });
2026
0
}
2027
2028
bool cmFindPackageCommand::FindEnvironmentConfig()
2029
0
{
2030
0
  std::vector<std::string> const& prefixes =
2031
0
    cmSystemTools::GetEnvPathNormalized("CPS_PATH");
2032
0
  return std::any_of(prefixes.begin(), prefixes.end(),
2033
0
                     [this](std::string const& p) -> bool {
2034
0
                       return this->SearchEnvironmentPrefix(p);
2035
0
                     });
2036
0
}
2037
2038
cmFindPackageCommand::AppendixMap cmFindPackageCommand::FindAppendices(
2039
  std::string const& base, cmPackageInfoReader const& baseReader) const
2040
0
{
2041
0
  AppendixMap appendices;
2042
2043
  // Find package appendices.
2044
0
  cmsys::Glob glob;
2045
0
  glob.RecurseOff();
2046
0
  if (glob.FindFiles(cmStrCat(cmSystemTools::GetFilenamePath(base), "/"_s,
2047
0
                              cmSystemTools::GetFilenameWithoutExtension(base),
2048
0
                              "[-:]*.[Cc][Pp][Ss]"_s))) {
2049
    // Check glob results for valid appendices.
2050
0
    for (std::string const& extra : glob.GetFiles()) {
2051
      // Exclude configuration-specific files for now; we look at them later
2052
      // when we load their respective configuration-agnostic appendices.
2053
0
      if (extra.find('@') != std::string::npos) {
2054
0
        continue;
2055
0
      }
2056
2057
0
      cmMakefile::CallRAII cs{ this->Makefile, extra, this->Status };
2058
2059
0
      std::unique_ptr<cmPackageInfoReader> reader =
2060
0
        cmPackageInfoReader::Read(this->Makefile, extra, &baseReader);
2061
2062
0
      if (reader && reader->GetName() == this->Name) {
2063
0
        std::vector<std::string> components = reader->GetComponentNames();
2064
0
        Appendix appendix{ std::move(reader), std::move(components) };
2065
0
        appendices.emplace(extra, std::move(appendix));
2066
0
      }
2067
0
    }
2068
0
  }
2069
2070
0
  return appendices;
2071
0
}
2072
2073
bool cmFindPackageCommand::ReadListFile(std::string const& f,
2074
                                        PolicyScopeRule const psr)
2075
0
{
2076
0
  bool const noPolicyScope = !this->PolicyScope || psr == NoPolicyScope;
2077
2078
0
  using ITScope = cmMakefile::ImportedTargetScope;
2079
0
  ITScope scope = this->GlobalScope ? ITScope::Global : ITScope::Local;
2080
0
  cmMakefile::SetGlobalTargetImportScope globScope(this->Makefile, scope);
2081
2082
0
  auto oldUnwind = this->Makefile->GetStateSnapshot().GetUnwindType();
2083
2084
  // This allows child snapshots to inherit the CAN_UNWIND state from us, we'll
2085
  // reset it immediately after the dependent file is done
2086
0
  this->Makefile->GetStateSnapshot().SetUnwindType(cmStateEnums::CAN_UNWIND);
2087
0
  bool result = this->Makefile->ReadDependentFile(f, noPolicyScope);
2088
2089
0
  this->Makefile->GetStateSnapshot().SetUnwindType(oldUnwind);
2090
0
  this->Makefile->GetStateSnapshot().SetUnwindState(
2091
0
    cmStateEnums::NOT_UNWINDING);
2092
2093
0
  if (!result) {
2094
0
    std::string const e =
2095
0
      cmStrCat("Error reading CMake code from \"", f, "\".");
2096
0
    this->SetError(e);
2097
0
  }
2098
2099
0
  return result;
2100
0
}
2101
2102
bool cmFindPackageCommand::ReadPackage()
2103
0
{
2104
  // Resolve any transitive dependencies for the root file.
2105
0
  if (!FindPackageDependencies(this->FileFound, *this->CpsReader,
2106
0
                               this->Required)) {
2107
0
    return false;
2108
0
  }
2109
2110
0
  bool const hasComponentsRequested =
2111
0
    !this->RequiredComponents.empty() || !this->OptionalComponents.empty();
2112
2113
0
  cmMakefile::CallRAII cs{ this->Makefile, this->FileFound, this->Status };
2114
0
  cmMakefile::PolicyPushPop ps{ this->Makefile };
2115
2116
0
  this->Makefile->SetPolicy(cmPolicies::CMP0200, cmPolicies::NEW);
2117
2118
  // Loop over appendices.
2119
0
  auto iter = this->CpsAppendices.begin();
2120
0
  while (iter != this->CpsAppendices.end()) {
2121
0
    RequiredStatus required = RequiredStatus::Optional;
2122
0
    bool important = false;
2123
2124
    // Check if this appendix provides any requested components.
2125
0
    if (hasComponentsRequested) {
2126
0
      auto providesAny = [&iter](
2127
0
                           std::set<std::string> const& desiredComponents) {
2128
0
        return std::any_of(iter->second.Components.begin(),
2129
0
                           iter->second.Components.end(),
2130
0
                           [&desiredComponents](std::string const& component) {
2131
0
                             return cm::contains(desiredComponents, component);
2132
0
                           });
2133
0
      };
2134
2135
0
      if (providesAny(this->RequiredComponents)) {
2136
0
        important = true;
2137
0
        required = this->Required;
2138
0
      } else if (!providesAny(this->OptionalComponents)) {
2139
        // This appendix doesn't provide any requested components; remove it
2140
        // from the set to be imported.
2141
0
        iter = this->CpsAppendices.erase(iter);
2142
0
        continue;
2143
0
      }
2144
0
    }
2145
2146
    // Resolve any transitive dependencies for the appendix.
2147
0
    if (!this->FindPackageDependencies(iter->first, iter->second, required)) {
2148
0
      if (important) {
2149
        // Some dependencies are missing, and we need(ed) this appendix; fail.
2150
0
        return false;
2151
0
      }
2152
2153
      // Some dependencies are missing, but we don't need this appendix; remove
2154
      // it from the set to be imported.
2155
0
      iter = this->CpsAppendices.erase(iter);
2156
0
    } else {
2157
0
      ++iter;
2158
0
    }
2159
0
  }
2160
2161
  // If we made it here, we want to actually import something, but we also
2162
  // need to ensure we don't try to import the same file more than once (which
2163
  // will fail due to the targets already existing). Retrieve the package state
2164
  // so we can record what we're doing.
2165
0
  cmPackageState& state =
2166
0
    this->Makefile->GetStateSnapshot().GetPackageState(this->FileFound);
2167
2168
  // Import targets from root file.
2169
0
  if (!this->ImportPackageTargets(state, this->FileFound, *this->CpsReader)) {
2170
0
    return false;
2171
0
  }
2172
2173
  // Import targets from appendices.
2174
  // NOLINTNEXTLINE(readability-use-anyofallof)
2175
0
  for (auto const& appendix : this->CpsAppendices) {
2176
0
    cmMakefile::CallRAII appendixScope{ this->Makefile, appendix.first,
2177
0
                                        this->Status };
2178
0
    if (!this->ImportPackageTargets(state, appendix.first, appendix.second)) {
2179
0
      return false;
2180
0
    }
2181
0
  }
2182
2183
0
  return true;
2184
0
}
2185
2186
bool cmFindPackageCommand::FindPackageDependencies(
2187
  std::string const& filePath, cmPackageInfoReader const& reader,
2188
  RequiredStatus required)
2189
0
{
2190
  // Get package requirements.
2191
0
  for (cmPackageRequirement const& dep : reader.GetRequirements()) {
2192
0
    cmExecutionStatus status{ *this->Makefile };
2193
0
    cmMakefile::CallRAII scope{ this->Makefile, filePath, status };
2194
2195
    // For each requirement, set up a nested instance to find it.
2196
0
    cmFindPackageCommand fp{ status };
2197
0
    fp.InheritOptions(this);
2198
2199
0
    fp.Name = dep.Name;
2200
0
    fp.Required = required;
2201
0
    fp.UseFindModules = false;
2202
0
    fp.UseCpsFiles = true;
2203
2204
0
    fp.Version = dep.Version;
2205
0
    fp.VersionComplete = dep.Version;
2206
0
    fp.VersionCount =
2207
0
      parseVersion(fp.Version, fp.VersionMajor, fp.VersionMinor,
2208
0
                   fp.VersionPatch, fp.VersionTweak);
2209
2210
0
    fp.Components = cmJoin(cmMakeRange(dep.Components), ";"_s);
2211
0
    fp.OptionalComponents =
2212
0
      std::set<std::string>{ dep.Components.begin(), dep.Components.end() };
2213
0
    fp.RequiredTargets = fp.OptionalComponents;
2214
2215
    // TODO set hints
2216
2217
    // Try to find the requirement; fail if we can't.
2218
0
    if (!fp.FindPackage() || fp.FileFound.empty()) {
2219
0
      this->SetError(cmStrCat("could not find "_s, dep.Name,
2220
0
                              ", required by "_s, this->Name, '.'));
2221
0
      return false;
2222
0
    }
2223
0
  }
2224
2225
  // All requirements (if any) were found.
2226
0
  return true;
2227
0
}
2228
2229
bool cmFindPackageCommand::ImportPackageTargets(cmPackageState& packageState,
2230
                                                std::string const& filePath,
2231
                                                cmPackageInfoReader& reader)
2232
0
{
2233
  // Check if we've already imported this file.
2234
0
  std::string fileName = cmSystemTools::GetFilenameName(filePath);
2235
0
  if (cm::contains(packageState.ImportedFiles, fileName)) {
2236
0
    return true;
2237
0
  }
2238
2239
  // Import base file.
2240
0
  if (!reader.ImportTargets(this->Makefile, this->Status, this->GlobalScope)) {
2241
0
    return false;
2242
0
  }
2243
2244
  // Find supplemental configuration files.
2245
0
  cmsys::Glob glob;
2246
0
  glob.RecurseOff();
2247
0
  if (glob.FindFiles(
2248
0
        cmStrCat(cmSystemTools::GetFilenamePath(filePath), '/',
2249
0
                 cmSystemTools::GetFilenameWithoutExtension(filePath),
2250
0
                 "@*.[Cc][Pp][Ss]"_s))) {
2251
2252
    // Try to read supplemental data from each file found.
2253
0
    for (std::string const& extra : glob.GetFiles()) {
2254
0
      cmMakefile::CallRAII cs{ this->Makefile, extra, this->Status };
2255
2256
0
      std::unique_ptr<cmPackageInfoReader> configReader =
2257
0
        cmPackageInfoReader::Read(this->Makefile, extra, &reader);
2258
0
      if (configReader && configReader->GetName() == this->Name) {
2259
0
        if (!configReader->ImportTargetConfigurations(this->Makefile,
2260
0
                                                      this->Status)) {
2261
0
          return false;
2262
0
        }
2263
0
      }
2264
0
    }
2265
0
  }
2266
2267
0
  packageState.ImportedFiles.emplace(std::move(fileName));
2268
0
  return true;
2269
0
}
2270
2271
void cmFindPackageCommand::AppendToFoundProperty(bool const found)
2272
0
{
2273
0
  cmList foundContents;
2274
0
  cmValue foundProp =
2275
0
    this->Makefile->GetState()->GetGlobalProperty("PACKAGES_FOUND");
2276
0
  if (!foundProp.IsEmpty()) {
2277
0
    foundContents.assign(*foundProp);
2278
0
    foundContents.remove_items({ this->Name });
2279
0
  }
2280
2281
0
  cmList notFoundContents;
2282
0
  cmValue notFoundProp =
2283
0
    this->Makefile->GetState()->GetGlobalProperty("PACKAGES_NOT_FOUND");
2284
0
  if (!notFoundProp.IsEmpty()) {
2285
0
    notFoundContents.assign(*notFoundProp);
2286
0
    notFoundContents.remove_items({ this->Name });
2287
0
  }
2288
2289
0
  if (found) {
2290
0
    foundContents.push_back(this->Name);
2291
0
  } else {
2292
0
    notFoundContents.push_back(this->Name);
2293
0
  }
2294
2295
0
  this->Makefile->GetState()->SetGlobalProperty("PACKAGES_FOUND",
2296
0
                                                foundContents.to_string());
2297
2298
0
  this->Makefile->GetState()->SetGlobalProperty("PACKAGES_NOT_FOUND",
2299
0
                                                notFoundContents.to_string());
2300
0
}
2301
2302
void cmFindPackageCommand::AppendSuccessInformation()
2303
0
{
2304
0
  {
2305
0
    std::string const transitivePropName =
2306
0
      cmStrCat("_CMAKE_", this->Name, "_TRANSITIVE_DEPENDENCY");
2307
0
    this->Makefile->GetState()->SetGlobalProperty(transitivePropName, "False");
2308
0
  }
2309
0
  std::string const found = cmStrCat(this->Name, "_FOUND");
2310
0
  std::string const upperFound = cmSystemTools::UpperCase(found);
2311
2312
0
  bool const upperResult = this->Makefile->IsOn(upperFound);
2313
0
  bool const result = this->Makefile->IsOn(found);
2314
0
  bool const packageFound = (result || upperResult);
2315
2316
0
  this->AppendToFoundProperty(packageFound);
2317
2318
  // Record whether the find was quiet or not, so this can be used
2319
  // e.g. in FeatureSummary.cmake
2320
0
  std::string const quietInfoPropName =
2321
0
    cmStrCat("_CMAKE_", this->Name, "_QUIET");
2322
0
  this->Makefile->GetState()->SetGlobalProperty(
2323
0
    quietInfoPropName, this->Quiet ? "TRUE" : "FALSE");
2324
2325
  // set a global property to record the required version of this package
2326
0
  std::string const versionInfoPropName =
2327
0
    cmStrCat("_CMAKE_", this->Name, "_REQUIRED_VERSION");
2328
0
  std::string versionInfo;
2329
0
  if (!this->VersionRange.empty()) {
2330
0
    versionInfo = this->VersionRange;
2331
0
  } else if (!this->Version.empty()) {
2332
0
    versionInfo =
2333
0
      cmStrCat(this->VersionExact ? "==" : ">=", ' ', this->Version);
2334
0
  }
2335
0
  this->Makefile->GetState()->SetGlobalProperty(versionInfoPropName,
2336
0
                                                versionInfo);
2337
0
  if (this->IsRequired()) {
2338
0
    std::string const requiredInfoPropName =
2339
0
      cmStrCat("_CMAKE_", this->Name, "_TYPE");
2340
0
    this->Makefile->GetState()->SetGlobalProperty(requiredInfoPropName,
2341
0
                                                  "REQUIRED");
2342
0
  }
2343
0
}
2344
2345
void cmFindPackageCommand::PushFindPackageRootPathStack()
2346
0
{
2347
  // Allocate a PACKAGE_ROOT_PATH for the current find_package call.
2348
0
  this->Makefile->FindPackageRootPathStack.emplace_back();
2349
0
  std::vector<std::string>& rootPaths =
2350
0
    this->Makefile->FindPackageRootPathStack.back();
2351
2352
  // Add root paths from <PackageName>_ROOT CMake and environment variables,
2353
  // subject to CMP0074.
2354
0
  std::string const rootVar = this->Name + "_ROOT";
2355
0
  cmValue rootDef = this->Makefile->GetDefinition(rootVar);
2356
0
  if (rootDef && rootDef.IsEmpty()) {
2357
0
    rootDef = nullptr;
2358
0
  }
2359
0
  cm::optional<std::string> rootEnv = cmSystemTools::GetEnvVar(rootVar);
2360
0
  if (rootEnv && rootEnv->empty()) {
2361
0
    rootEnv = cm::nullopt;
2362
0
  }
2363
0
  switch (this->Makefile->GetPolicyStatus(cmPolicies::CMP0074)) {
2364
0
    case cmPolicies::WARN:
2365
0
      this->Makefile->MaybeWarnCMP0074(rootVar, rootDef, rootEnv);
2366
0
      CM_FALLTHROUGH;
2367
0
    case cmPolicies::OLD:
2368
      // OLD behavior is to ignore the <PackageName>_ROOT variables.
2369
0
      return;
2370
0
    case cmPolicies::NEW: {
2371
      // NEW behavior is to honor the <PackageName>_ROOT variables.
2372
0
    } break;
2373
0
  }
2374
2375
  // Add root paths from <PACKAGENAME>_ROOT CMake and environment variables,
2376
  // if they are different than <PackageName>_ROOT, and subject to CMP0144.
2377
0
  std::string const rootVAR = cmSystemTools::UpperCase(rootVar);
2378
0
  cmValue rootDEF;
2379
0
  cm::optional<std::string> rootENV;
2380
0
  if (rootVAR != rootVar) {
2381
0
    rootDEF = this->Makefile->GetDefinition(rootVAR);
2382
0
    if (rootDEF && (rootDEF.IsEmpty() || rootDEF == rootDef)) {
2383
0
      rootDEF = nullptr;
2384
0
    }
2385
0
    rootENV = cmSystemTools::GetEnvVar(rootVAR);
2386
0
    if (rootENV && (rootENV->empty() || rootENV == rootEnv)) {
2387
0
      rootENV = cm::nullopt;
2388
0
    }
2389
0
  }
2390
2391
0
  switch (this->Makefile->GetPolicyStatus(cmPolicies::CMP0144)) {
2392
0
    case cmPolicies::WARN:
2393
0
      this->Makefile->MaybeWarnCMP0144(rootVAR, rootDEF, rootENV);
2394
0
      CM_FALLTHROUGH;
2395
0
    case cmPolicies::OLD:
2396
      // OLD behavior is to ignore the <PACKAGENAME>_ROOT variables.
2397
0
      rootDEF = nullptr;
2398
0
      rootENV = cm::nullopt;
2399
0
      break;
2400
0
    case cmPolicies::NEW: {
2401
      // NEW behavior is to honor the <PACKAGENAME>_ROOT variables.
2402
0
    } break;
2403
0
  }
2404
2405
0
  if (rootDef) {
2406
0
    cmExpandList(*rootDef, rootPaths);
2407
0
  }
2408
0
  if (rootDEF) {
2409
0
    cmExpandList(*rootDEF, rootPaths);
2410
0
  }
2411
0
  if (rootEnv) {
2412
0
    std::vector<std::string> p =
2413
0
      cmSystemTools::SplitEnvPathNormalized(*rootEnv);
2414
0
    std::move(p.begin(), p.end(), std::back_inserter(rootPaths));
2415
0
  }
2416
0
  if (rootENV) {
2417
0
    std::vector<std::string> p =
2418
0
      cmSystemTools::SplitEnvPathNormalized(*rootENV);
2419
0
    std::move(p.begin(), p.end(), std::back_inserter(rootPaths));
2420
0
  }
2421
0
}
2422
2423
void cmFindPackageCommand::PopFindPackageRootPathStack()
2424
0
{
2425
0
  this->Makefile->FindPackageRootPathStack.pop_back();
2426
0
}
2427
2428
void cmFindPackageCommand::ComputePrefixes()
2429
0
{
2430
0
  this->FillPrefixesPackageRedirect();
2431
2432
0
  if (!this->NoDefaultPath) {
2433
0
    if (!this->NoPackageRootPath) {
2434
0
      this->FillPrefixesPackageRoot();
2435
0
    }
2436
0
    if (!this->NoCMakePath) {
2437
0
      this->FillPrefixesCMakeVariable();
2438
0
    }
2439
0
    if (!this->NoCMakeEnvironmentPath) {
2440
0
      this->FillPrefixesCMakeEnvironment();
2441
0
    }
2442
0
  }
2443
2444
0
  this->FillPrefixesUserHints();
2445
2446
0
  if (!this->NoDefaultPath) {
2447
0
    if (!this->NoSystemEnvironmentPath) {
2448
0
      this->FillPrefixesSystemEnvironment();
2449
0
    }
2450
0
    if (!this->NoUserRegistry) {
2451
0
      this->FillPrefixesUserRegistry();
2452
0
    }
2453
0
    if (!this->NoCMakeSystemPath) {
2454
0
      this->FillPrefixesCMakeSystemVariable();
2455
0
    }
2456
0
    if (!this->NoSystemRegistry) {
2457
0
      this->FillPrefixesSystemRegistry();
2458
0
    }
2459
0
  }
2460
0
  this->FillPrefixesUserGuess();
2461
2462
0
  this->ComputeFinalPaths(IgnorePaths::No, &this->DebugBuffer);
2463
0
}
2464
2465
void cmFindPackageCommand::FillPrefixesPackageRedirect()
2466
0
{
2467
0
  cmSearchPath& paths = this->LabeledPaths[PathLabel::PackageRedirect];
2468
2469
0
  auto const redirectDir =
2470
0
    this->Makefile->GetDefinition("CMAKE_FIND_PACKAGE_REDIRECTS_DIR");
2471
0
  if (redirectDir && !redirectDir->empty()) {
2472
0
    paths.AddPath(*redirectDir);
2473
0
  }
2474
0
  if (this->DebugModeEnabled()) {
2475
0
    std::string debugBuffer =
2476
0
      "The internally managed CMAKE_FIND_PACKAGE_REDIRECTS_DIR.\n";
2477
0
    collectPathsForDebug(debugBuffer, paths);
2478
0
    this->DebugBuffer = cmStrCat(this->DebugBuffer, debugBuffer);
2479
0
  }
2480
0
}
2481
2482
void cmFindPackageCommand::FillPrefixesPackageRoot()
2483
0
{
2484
0
  cmSearchPath& paths = this->LabeledPaths[PathLabel::PackageRoot];
2485
2486
  // Add the PACKAGE_ROOT_PATH from each enclosing find_package call.
2487
0
  for (auto pkgPaths = this->Makefile->FindPackageRootPathStack.rbegin();
2488
0
       pkgPaths != this->Makefile->FindPackageRootPathStack.rend();
2489
0
       ++pkgPaths) {
2490
0
    for (std::string const& path : *pkgPaths) {
2491
0
      paths.AddPath(path);
2492
0
    }
2493
0
  }
2494
0
  if (this->DebugModeEnabled()) {
2495
0
    std::string debugBuffer = "<PackageName>_ROOT CMake variable "
2496
0
                              "[CMAKE_FIND_USE_PACKAGE_ROOT_PATH].\n";
2497
0
    collectPathsForDebug(debugBuffer, paths);
2498
0
    this->DebugBuffer = cmStrCat(this->DebugBuffer, debugBuffer);
2499
0
  }
2500
0
}
2501
2502
void cmFindPackageCommand::FillPrefixesCMakeEnvironment()
2503
0
{
2504
0
  cmSearchPath& paths = this->LabeledPaths[PathLabel::CMakeEnvironment];
2505
0
  std::string debugBuffer;
2506
0
  std::size_t debugOffset = 0;
2507
2508
  // Check the environment variable with the same name as the cache
2509
  // entry.
2510
0
  paths.AddEnvPath(this->Variable);
2511
0
  if (this->DebugModeEnabled()) {
2512
0
    debugBuffer = cmStrCat("Env variable ", this->Variable,
2513
0
                           " [CMAKE_FIND_USE_CMAKE_ENVIRONMENT_PATH].\n");
2514
0
    debugOffset = collectPathsForDebug(debugBuffer, paths);
2515
0
  }
2516
2517
  // And now the general CMake environment variables
2518
0
  paths.AddEnvPath("CMAKE_PREFIX_PATH");
2519
0
  if (this->DebugModeEnabled()) {
2520
0
    debugBuffer = cmStrCat(debugBuffer,
2521
0
                           "CMAKE_PREFIX_PATH env variable "
2522
0
                           "[CMAKE_FIND_USE_CMAKE_ENVIRONMENT_PATH].\n");
2523
0
    debugOffset = collectPathsForDebug(debugBuffer, paths, debugOffset);
2524
0
  }
2525
2526
0
  paths.AddEnvPath("CMAKE_FRAMEWORK_PATH");
2527
0
  paths.AddEnvPath("CMAKE_APPBUNDLE_PATH");
2528
0
  if (this->DebugModeEnabled()) {
2529
0
    debugBuffer =
2530
0
      cmStrCat(debugBuffer,
2531
0
               "CMAKE_FRAMEWORK_PATH and CMAKE_APPBUNDLE_PATH env "
2532
0
               "variables [CMAKE_FIND_USE_CMAKE_ENVIRONMENT_PATH].\n");
2533
0
    collectPathsForDebug(debugBuffer, paths, debugOffset);
2534
0
    this->DebugBuffer = cmStrCat(this->DebugBuffer, debugBuffer);
2535
0
  }
2536
0
}
2537
2538
void cmFindPackageCommand::FillPrefixesCMakeVariable()
2539
0
{
2540
0
  cmSearchPath& paths = this->LabeledPaths[PathLabel::CMake];
2541
0
  std::string debugBuffer;
2542
0
  std::size_t debugOffset = 0;
2543
2544
0
  paths.AddCMakePath("CMAKE_PREFIX_PATH");
2545
0
  if (this->DebugModeEnabled()) {
2546
0
    debugBuffer = "CMAKE_PREFIX_PATH variable [CMAKE_FIND_USE_CMAKE_PATH].\n";
2547
0
    debugOffset = collectPathsForDebug(debugBuffer, paths);
2548
0
  }
2549
2550
0
  paths.AddCMakePath("CMAKE_FRAMEWORK_PATH");
2551
0
  paths.AddCMakePath("CMAKE_APPBUNDLE_PATH");
2552
0
  if (this->DebugModeEnabled()) {
2553
0
    debugBuffer =
2554
0
      cmStrCat(debugBuffer,
2555
0
               "CMAKE_FRAMEWORK_PATH and CMAKE_APPBUNDLE_PATH variables "
2556
0
               "[CMAKE_FIND_USE_CMAKE_PATH].\n");
2557
0
    collectPathsForDebug(debugBuffer, paths, debugOffset);
2558
0
    this->DebugBuffer = cmStrCat(this->DebugBuffer, debugBuffer);
2559
0
  }
2560
0
}
2561
2562
void cmFindPackageCommand::FillPrefixesSystemEnvironment()
2563
0
{
2564
0
  cmSearchPath& paths = this->LabeledPaths[PathLabel::SystemEnvironment];
2565
2566
  // Use the system search path to generate prefixes.
2567
  // Relative paths are interpreted with respect to the current
2568
  // working directory.
2569
0
  std::vector<std::string> envPATH =
2570
0
    cmSystemTools::GetEnvPathNormalized("PATH");
2571
0
  for (std::string const& i : envPATH) {
2572
    // If the path is a PREFIX/bin case then add its parent instead.
2573
0
    if ((cmHasLiteralSuffix(i, "/bin")) || (cmHasLiteralSuffix(i, "/sbin"))) {
2574
0
      paths.AddPath(cmSystemTools::GetFilenamePath(i));
2575
0
    } else {
2576
0
      paths.AddPath(i);
2577
0
    }
2578
0
  }
2579
0
  if (this->DebugModeEnabled()) {
2580
0
    std::string debugBuffer = "Standard system environment variables "
2581
0
                              "[CMAKE_FIND_USE_SYSTEM_ENVIRONMENT_PATH].\n";
2582
0
    collectPathsForDebug(debugBuffer, paths);
2583
0
    this->DebugBuffer = cmStrCat(this->DebugBuffer, debugBuffer);
2584
0
  }
2585
0
}
2586
2587
void cmFindPackageCommand::FillPrefixesUserRegistry()
2588
0
{
2589
#if defined(_WIN32) && !defined(__CYGWIN__)
2590
  this->LoadPackageRegistryWinUser();
2591
#elif defined(__HAIKU__)
2592
  char dir[B_PATH_NAME_LENGTH];
2593
  if (find_directory(B_USER_SETTINGS_DIRECTORY, -1, false, dir, sizeof(dir)) ==
2594
      B_OK) {
2595
    std::string fname = cmStrCat(dir, "/cmake/packages/", Name);
2596
    this->LoadPackageRegistryDir(fname,
2597
                                 this->LabeledPaths[PathLabel::UserRegistry]);
2598
  }
2599
#else
2600
0
  std::string dir;
2601
0
  if (cmSystemTools::GetEnv("HOME", dir)) {
2602
0
    dir += "/.cmake/packages/";
2603
0
    dir += this->Name;
2604
0
    this->LoadPackageRegistryDir(dir,
2605
0
                                 this->LabeledPaths[PathLabel::UserRegistry]);
2606
0
  }
2607
0
#endif
2608
0
  if (this->DebugModeEnabled()) {
2609
0
    std::string debugBuffer =
2610
0
      "CMake User Package Registry [CMAKE_FIND_USE_PACKAGE_REGISTRY].\n";
2611
0
    collectPathsForDebug(debugBuffer,
2612
0
                         this->LabeledPaths[PathLabel::UserRegistry]);
2613
0
    this->DebugBuffer = cmStrCat(this->DebugBuffer, debugBuffer);
2614
0
  }
2615
0
}
2616
2617
void cmFindPackageCommand::FillPrefixesSystemRegistry()
2618
0
{
2619
0
  if (this->NoSystemRegistry || this->NoDefaultPath) {
2620
0
    return;
2621
0
  }
2622
2623
#if defined(_WIN32) && !defined(__CYGWIN__)
2624
  this->LoadPackageRegistryWinSystem();
2625
#endif
2626
2627
0
  if (this->DebugModeEnabled()) {
2628
0
    std::string debugBuffer =
2629
0
      "CMake System Package Registry "
2630
0
      "[CMAKE_FIND_PACKAGE_NO_SYSTEM_PACKAGE_REGISTRY].\n";
2631
0
    collectPathsForDebug(debugBuffer,
2632
0
                         this->LabeledPaths[PathLabel::SystemRegistry]);
2633
0
    this->DebugBuffer = cmStrCat(this->DebugBuffer, debugBuffer);
2634
0
  }
2635
0
}
2636
2637
#if defined(_WIN32) && !defined(__CYGWIN__)
2638
void cmFindPackageCommand::LoadPackageRegistryWinUser()
2639
{
2640
  // HKEY_CURRENT_USER\\Software shares 32-bit and 64-bit views.
2641
  this->LoadPackageRegistryWin(true, 0,
2642
                               this->LabeledPaths[PathLabel::UserRegistry]);
2643
}
2644
2645
void cmFindPackageCommand::LoadPackageRegistryWinSystem()
2646
{
2647
  cmSearchPath& paths = this->LabeledPaths[PathLabel::SystemRegistry];
2648
2649
  // HKEY_LOCAL_MACHINE\\SOFTWARE has separate 32-bit and 64-bit views.
2650
  // Prefer the target platform view first.
2651
  if (this->Makefile->PlatformIs64Bit()) {
2652
    this->LoadPackageRegistryWin(false, KEY_WOW64_64KEY, paths);
2653
    this->LoadPackageRegistryWin(false, KEY_WOW64_32KEY, paths);
2654
  } else {
2655
    this->LoadPackageRegistryWin(false, KEY_WOW64_32KEY, paths);
2656
    this->LoadPackageRegistryWin(false, KEY_WOW64_64KEY, paths);
2657
  }
2658
}
2659
2660
void cmFindPackageCommand::LoadPackageRegistryWin(bool const user,
2661
                                                  unsigned int const view,
2662
                                                  cmSearchPath& outPaths)
2663
{
2664
  std::wstring key = L"Software\\Kitware\\CMake\\Packages\\";
2665
  key += cmsys::Encoding::ToWide(this->Name);
2666
  std::set<std::wstring> bad;
2667
  HKEY hKey;
2668
  if (RegOpenKeyExW(user ? HKEY_CURRENT_USER : HKEY_LOCAL_MACHINE, key.c_str(),
2669
                    0, KEY_QUERY_VALUE | view, &hKey) == ERROR_SUCCESS) {
2670
    DWORD valueType = REG_NONE;
2671
    wchar_t name[16383]; // RegEnumValue docs limit name to 32767 _bytes_
2672
    std::vector<wchar_t> data(512);
2673
    bool done = false;
2674
    DWORD index = 0;
2675
    while (!done) {
2676
      DWORD nameSize = static_cast<DWORD>(sizeof(name));
2677
      DWORD dataSize = static_cast<DWORD>(data.size() * sizeof(data[0]));
2678
      switch (RegEnumValueW(hKey, index, name, &nameSize, 0, &valueType,
2679
                            (BYTE*)&data[0], &dataSize)) {
2680
        case ERROR_SUCCESS:
2681
          ++index;
2682
          if (valueType == REG_SZ) {
2683
            data[dataSize] = 0;
2684
            if (!this->CheckPackageRegistryEntry(
2685
                  cmsys::Encoding::ToNarrow(&data[0]), outPaths)) {
2686
              // The entry is invalid.
2687
              bad.insert(name);
2688
            }
2689
          }
2690
          break;
2691
        case ERROR_MORE_DATA:
2692
          data.resize((dataSize + sizeof(data[0]) - 1) / sizeof(data[0]));
2693
          break;
2694
        case ERROR_NO_MORE_ITEMS:
2695
        default:
2696
          done = true;
2697
          break;
2698
      }
2699
    }
2700
    RegCloseKey(hKey);
2701
  }
2702
2703
  // Remove bad values if possible.
2704
  if (user && !bad.empty() &&
2705
      RegOpenKeyExW(HKEY_CURRENT_USER, key.c_str(), 0, KEY_SET_VALUE | view,
2706
                    &hKey) == ERROR_SUCCESS) {
2707
    for (std::wstring const& v : bad) {
2708
      RegDeleteValueW(hKey, v.c_str());
2709
    }
2710
    RegCloseKey(hKey);
2711
  }
2712
}
2713
2714
#else
2715
void cmFindPackageCommand::LoadPackageRegistryDir(std::string const& dir,
2716
                                                  cmSearchPath& outPaths)
2717
0
{
2718
0
  cmsys::Directory files;
2719
0
  if (!files.Load(dir)) {
2720
0
    return;
2721
0
  }
2722
2723
0
  std::string fname;
2724
0
  for (unsigned long i = 0; i < files.GetNumberOfFiles(); ++i) {
2725
0
    fname = cmStrCat(dir, '/', files.GetFileName(i));
2726
2727
0
    if (!cmSystemTools::FileIsDirectory(fname)) {
2728
      // Hold this file hostage until it behaves.
2729
0
      cmFindPackageCommandHoldFile holdFile(fname.c_str());
2730
2731
      // Load the file.
2732
0
      cmsys::ifstream fin(fname.c_str(), std::ios::in | std::ios::binary);
2733
0
      std::string fentry;
2734
0
      if (fin && cmSystemTools::GetLineFromStream(fin, fentry) &&
2735
0
          this->CheckPackageRegistryEntry(fentry, outPaths)) {
2736
        // The file references an existing package, so release it.
2737
0
        holdFile.Release();
2738
0
      }
2739
0
    }
2740
0
  }
2741
2742
  // TODO: Wipe out the directory if it is empty.
2743
0
}
2744
#endif
2745
2746
bool cmFindPackageCommand::CheckPackageRegistryEntry(std::string const& fname,
2747
                                                     cmSearchPath& outPaths)
2748
0
{
2749
  // Parse the content of one package registry entry.
2750
0
  if (cmSystemTools::FileIsFullPath(fname)) {
2751
    // The first line in the stream is the full path to a file or
2752
    // directory containing the package.
2753
0
    if (cmSystemTools::FileExists(fname)) {
2754
      // The path exists.  Look for the package here.
2755
0
      if (!cmSystemTools::FileIsDirectory(fname)) {
2756
0
        outPaths.AddPath(cmSystemTools::GetFilenamePath(fname));
2757
0
      } else {
2758
0
        outPaths.AddPath(fname);
2759
0
      }
2760
0
      return true;
2761
0
    }
2762
    // The path does not exist.  Assume the stream content is
2763
    // associated with an old package that no longer exists, and
2764
    // delete it to keep the package registry clean.
2765
0
    return false;
2766
0
  }
2767
  // The first line in the stream is not the full path to a file or
2768
  // directory.  Assume the stream content was created by a future
2769
  // version of CMake that uses a different format, and leave it.
2770
0
  return true;
2771
0
}
2772
2773
void cmFindPackageCommand::FillPrefixesCMakeSystemVariable()
2774
0
{
2775
0
  cmSearchPath& paths = this->LabeledPaths[PathLabel::CMakeSystem];
2776
2777
0
  bool const install_prefix_in_list =
2778
0
    !this->Makefile->IsOn("CMAKE_FIND_NO_INSTALL_PREFIX");
2779
0
  bool const remove_install_prefix = this->NoCMakeInstallPath;
2780
0
  bool const add_install_prefix = !this->NoCMakeInstallPath &&
2781
0
    this->Makefile->IsDefinitionSet("CMAKE_FIND_USE_INSTALL_PREFIX");
2782
2783
  // We have 3 possible states for `CMAKE_SYSTEM_PREFIX_PATH` and
2784
  // `CMAKE_INSTALL_PREFIX`.
2785
  // Either we need to remove `CMAKE_INSTALL_PREFIX`, add
2786
  // `CMAKE_INSTALL_PREFIX`, or do nothing.
2787
  //
2788
  // When we need to remove `CMAKE_INSTALL_PREFIX` we remove the Nth occurrence
2789
  // of `CMAKE_INSTALL_PREFIX` from `CMAKE_SYSTEM_PREFIX_PATH`, where `N` is
2790
  // computed by `CMakeSystemSpecificInformation.cmake` while constructing
2791
  // `CMAKE_SYSTEM_PREFIX_PATH`. This ensures that if projects / toolchains
2792
  // have removed `CMAKE_INSTALL_PREFIX` from the list, we don't remove
2793
  // some other entry by mistake
2794
0
  long install_prefix_count = -1;
2795
0
  std::string install_path_to_remove;
2796
0
  if (cmValue to_skip = this->Makefile->GetDefinition(
2797
0
        "_CMAKE_SYSTEM_PREFIX_PATH_INSTALL_PREFIX_COUNT")) {
2798
0
    cmStrToLong(*to_skip, &install_prefix_count);
2799
0
  }
2800
0
  if (cmValue install_value = this->Makefile->GetDefinition(
2801
0
        "_CMAKE_SYSTEM_PREFIX_PATH_INSTALL_PREFIX_VALUE")) {
2802
0
    install_path_to_remove = *install_value;
2803
0
  }
2804
2805
0
  if (remove_install_prefix && install_prefix_in_list &&
2806
0
      install_prefix_count > 0 && !install_path_to_remove.empty()) {
2807
2808
0
    cmValue prefix_paths =
2809
0
      this->Makefile->GetDefinition("CMAKE_SYSTEM_PREFIX_PATH");
2810
    // remove entry from CMAKE_SYSTEM_PREFIX_PATH
2811
0
    cmList expanded{ *prefix_paths };
2812
0
    long count = 0;
2813
0
    for (auto const& path : expanded) {
2814
0
      bool const to_add =
2815
0
        !(path == install_path_to_remove && ++count == install_prefix_count);
2816
0
      if (to_add) {
2817
0
        paths.AddPath(path);
2818
0
      }
2819
0
    }
2820
0
  } else if (add_install_prefix && !install_prefix_in_list) {
2821
0
    paths.AddCMakePath("CMAKE_INSTALL_PREFIX");
2822
0
    paths.AddCMakePath("CMAKE_SYSTEM_PREFIX_PATH");
2823
0
  } else {
2824
    // Otherwise the current setup of `CMAKE_SYSTEM_PREFIX_PATH` is correct
2825
0
    paths.AddCMakePath("CMAKE_SYSTEM_PREFIX_PATH");
2826
0
  }
2827
2828
0
  paths.AddCMakePath("CMAKE_SYSTEM_FRAMEWORK_PATH");
2829
0
  paths.AddCMakePath("CMAKE_SYSTEM_APPBUNDLE_PATH");
2830
2831
0
  if (this->DebugModeEnabled()) {
2832
0
    std::string debugBuffer = "CMake variables defined in the Platform file "
2833
0
                              "[CMAKE_FIND_USE_CMAKE_SYSTEM_PATH].\n";
2834
0
    collectPathsForDebug(debugBuffer, paths);
2835
0
    this->DebugBuffer = cmStrCat(this->DebugBuffer, debugBuffer);
2836
0
  }
2837
0
}
2838
2839
void cmFindPackageCommand::FillPrefixesUserGuess()
2840
0
{
2841
0
  cmSearchPath& paths = this->LabeledPaths[PathLabel::Guess];
2842
2843
0
  for (std::string const& p : this->UserGuessArgs) {
2844
0
    paths.AddUserPath(p);
2845
0
  }
2846
0
  if (this->DebugModeEnabled()) {
2847
0
    std::string debugBuffer =
2848
0
      "Paths specified by the find_package PATHS option.\n";
2849
0
    collectPathsForDebug(debugBuffer, paths);
2850
0
    this->DebugBuffer = cmStrCat(this->DebugBuffer, debugBuffer);
2851
0
  }
2852
0
}
2853
2854
void cmFindPackageCommand::FillPrefixesUserHints()
2855
0
{
2856
0
  cmSearchPath& paths = this->LabeledPaths[PathLabel::Hints];
2857
2858
0
  for (std::string const& p : this->UserHintsArgs) {
2859
0
    paths.AddUserPath(p);
2860
0
  }
2861
0
  if (this->DebugModeEnabled()) {
2862
0
    std::string debugBuffer =
2863
0
      "Paths specified by the find_package HINTS option.\n";
2864
0
    collectPathsForDebug(debugBuffer, paths);
2865
0
    this->DebugBuffer = cmStrCat(this->DebugBuffer, debugBuffer);
2866
0
  }
2867
0
}
2868
2869
bool cmFindPackageCommand::SearchDirectory(std::string const& dir,
2870
                                           PackageDescriptionType type)
2871
0
{
2872
0
  assert(!dir.empty() && dir.back() == '/');
2873
2874
  // Check each path suffix on this directory.
2875
0
  for (std::string const& s : this->SearchPathSuffixes) {
2876
0
    std::string d = dir;
2877
0
    if (!s.empty()) {
2878
0
      d += s;
2879
0
      d += '/';
2880
0
    }
2881
0
    if (this->CheckDirectory(d, type)) {
2882
0
      return true;
2883
0
    }
2884
0
  }
2885
0
  return false;
2886
0
}
2887
2888
bool cmFindPackageCommand::CheckDirectory(std::string const& dir,
2889
                                          PackageDescriptionType type)
2890
0
{
2891
0
  assert(!dir.empty() && dir.back() == '/');
2892
2893
0
  std::string const d = dir.substr(0, dir.size() - 1);
2894
0
  if (cm::contains(this->IgnoredPaths, d)) {
2895
0
    this->ConsideredPaths.emplace_back(
2896
0
      dir, cmFindPackageCommand::FoundMode(type), SearchResult::Ignored);
2897
0
    return false;
2898
0
  }
2899
2900
  // Look for the file in this directory.
2901
0
  std::string file;
2902
0
  FoundPackageMode foundMode = FoundPackageMode::None;
2903
0
  if (this->FindConfigFile(d, type, file, foundMode)) {
2904
0
    this->FileFound = std::move(file);
2905
0
    this->FileFoundMode = foundMode;
2906
0
    return true;
2907
0
  }
2908
0
  return false;
2909
0
}
2910
2911
bool cmFindPackageCommand::FindConfigFile(std::string const& dir,
2912
                                          PackageDescriptionType type,
2913
                                          std::string& file,
2914
                                          FoundPackageMode& foundMode)
2915
0
{
2916
0
  for (auto const& config : this->Configs) {
2917
0
    if (type != pdt::Any && config.Type != type) {
2918
0
      continue;
2919
0
    }
2920
0
    file = cmStrCat(dir, '/', config.Name);
2921
0
    if (this->DebugModeEnabled()) {
2922
0
      this->DebugBuffer = cmStrCat(this->DebugBuffer, "  ", file, '\n');
2923
0
    }
2924
0
    if (cmSystemTools::FileExists(file, true)) {
2925
      // Allow resolving symlinks when the config file is found through a link
2926
0
      if (this->UseRealPath) {
2927
0
        file = cmSystemTools::GetRealPath(file);
2928
0
      } else {
2929
0
        file = cmSystemTools::ToNormalizedPathOnDisk(file);
2930
0
      }
2931
0
      if (this->CheckVersion(file)) {
2932
0
        foundMode = cmFindPackageCommand::FoundMode(config.Type);
2933
0
        return true;
2934
0
      }
2935
0
      this->ConsideredPaths.emplace_back(
2936
0
        file, cmFindPackageCommand::FoundMode(type),
2937
0
        this->ConsideredConfigs.back().result,
2938
0
        this->ConsideredConfigs.back().message);
2939
0
    } else {
2940
0
      this->ConsideredPaths.emplace_back(
2941
0
        file, cmFindPackageCommand::FoundMode(type), SearchResult::NoExist);
2942
0
    }
2943
0
  }
2944
0
  return false;
2945
0
}
2946
2947
bool cmFindPackageCommand::CheckVersion(std::string const& config_file)
2948
0
{
2949
0
  bool result = false; // by default, assume the version is not ok.
2950
0
  bool haveResult = false;
2951
0
  std::string version = "unknown";
2952
0
  std::string message;
2953
0
  SearchResult reason = SearchResult::InsufficientVersion;
2954
2955
  // Get the file extension.
2956
0
  std::string::size_type pos = config_file.rfind('.');
2957
0
  std::string ext = cmSystemTools::LowerCase(config_file.substr(pos));
2958
2959
0
  if (ext == ".cps"_s) {
2960
0
    cmMakefile::CallRAII cs{ this->Makefile, config_file, this->Status };
2961
2962
0
    std::unique_ptr<cmPackageInfoReader> reader =
2963
0
      cmPackageInfoReader::Read(this->Makefile, config_file);
2964
2965
0
    if (reader && reader->GetName() == this->Name) {
2966
      // Read version information.
2967
0
      cm::optional<std::string> cpsVersion = reader->GetVersion();
2968
0
      cm::optional<ParsedVersion> const& parsedVersion =
2969
0
        reader->ParseVersion(cpsVersion);
2970
0
      bool const hasVersion = cpsVersion.has_value();
2971
2972
      // Test for version compatibility.
2973
0
      result = this->Version.empty();
2974
0
      if (hasVersion) {
2975
0
        version = std::move(*cpsVersion);
2976
2977
0
        if (!this->Version.empty()) {
2978
0
          if (!parsedVersion) {
2979
            // If we don't understand the version, compare the exact versions
2980
            // using full string comparison. This is the correct behavior for
2981
            // the "custom" schema, and the best we can do otherwise.
2982
0
            result = (this->Version == version);
2983
0
          } else if (this->VersionExact) {
2984
            // If EXACT is specified, the version must be exactly the requested
2985
            // version.
2986
0
            result =
2987
0
              cmSystemTools::VersionCompareEqual(this->Version, version);
2988
0
          } else {
2989
            // Do we have a compat_version?
2990
0
            cm::optional<std::string> const& compatVersion =
2991
0
              reader->GetCompatVersion();
2992
0
            if (reader->ParseVersion(compatVersion)) {
2993
              // If yes, the initial result is whether the requested version is
2994
              // between the actual version and the compat version, inclusive.
2995
0
              result = cmSystemTools::VersionCompareGreaterEq(version,
2996
0
                                                              this->Version) &&
2997
0
                cmSystemTools::VersionCompareGreaterEq(this->Version,
2998
0
                                                       *compatVersion);
2999
3000
0
              if (result && !this->VersionMax.empty()) {
3001
                // We must also check that the version is less than the version
3002
                // limit.
3003
0
                if (this->VersionRangeMax == VERSION_ENDPOINT_EXCLUDED) {
3004
0
                  result = cmSystemTools::VersionCompareGreater(
3005
0
                    this->VersionMax, version);
3006
0
                } else {
3007
0
                  result = cmSystemTools::VersionCompareGreaterEq(
3008
0
                    this->VersionMax, version);
3009
0
                }
3010
0
              }
3011
3012
0
              if (!result) {
3013
0
                message =
3014
0
                  cmStrCat("Version \""_s, version,
3015
0
                           "\" (compatibility version \""_s, *compatVersion,
3016
0
                           "\") is not compatible "
3017
0
                           "with the version requested."_s);
3018
0
              }
3019
0
            } else {
3020
              // If no, compat_version is assumed to be exactly the actual
3021
              // version, so the result is whether the requested version is
3022
              // exactly the actual version, and we can ignore the version
3023
              // limit.
3024
0
              result =
3025
0
                cmSystemTools::VersionCompareEqual(this->Version, version);
3026
0
            }
3027
0
          }
3028
0
        }
3029
3030
0
        if (!result && message.empty()) {
3031
0
          message =
3032
0
            cmStrCat("Version \""_s, version,
3033
0
                     "\" is not compatible with the version requested."_s);
3034
0
        }
3035
0
      }
3036
3037
0
      if (result) {
3038
        // Locate appendices.
3039
0
        cmFindPackageCommand::AppendixMap appendices =
3040
0
          this->FindAppendices(config_file, *reader);
3041
3042
        // Collect available components.
3043
0
        std::set<std::string> allComponents;
3044
3045
0
        std::vector<std::string> const& rootComponents =
3046
0
          reader->GetComponentNames();
3047
0
        allComponents.insert(rootComponents.begin(), rootComponents.end());
3048
3049
0
        for (auto const& appendix : appendices) {
3050
0
          allComponents.insert(appendix.second.Components.begin(),
3051
0
                               appendix.second.Components.end());
3052
0
        }
3053
3054
        // Verify that all required components are available.
3055
0
        std::set<std::string> requiredComponents = this->RequiredComponents;
3056
0
        requiredComponents.insert(this->RequiredTargets.begin(),
3057
0
                                  this->RequiredTargets.end());
3058
3059
0
        std::vector<std::string> missingComponents;
3060
0
        std::set_difference(requiredComponents.begin(),
3061
0
                            requiredComponents.end(), allComponents.begin(),
3062
0
                            allComponents.end(),
3063
0
                            std::back_inserter(missingComponents));
3064
0
        if (!missingComponents.empty()) {
3065
0
          bool const single = (missingComponents.size() == 1);
3066
0
          result = false;
3067
0
          message =
3068
0
            cmStrCat((single ? "Required component was not found: "_s
3069
0
                             : "Required components were not found: "_s),
3070
0
                     cmJoin(missingComponents, ", "_s), '.');
3071
0
          reason = SearchResult::InsufficientComponents;
3072
0
        }
3073
3074
0
        if (result && hasVersion) {
3075
0
          this->VersionFound = version;
3076
3077
0
          if (parsedVersion) {
3078
0
            std::vector<unsigned> const& versionParts =
3079
0
              parsedVersion->ReleaseComponents;
3080
3081
0
            this->VersionFoundCount =
3082
0
              static_cast<unsigned>(versionParts.size());
3083
0
            switch (std::min(this->VersionFoundCount, 4u)) {
3084
0
              case 4:
3085
0
                this->VersionFoundTweak = versionParts[3];
3086
0
                CM_FALLTHROUGH;
3087
0
              case 3:
3088
0
                this->VersionFoundPatch = versionParts[2];
3089
0
                CM_FALLTHROUGH;
3090
0
              case 2:
3091
0
                this->VersionFoundMinor = versionParts[1];
3092
0
                CM_FALLTHROUGH;
3093
0
              case 1:
3094
0
                this->VersionFoundMajor = versionParts[0];
3095
0
                CM_FALLTHROUGH;
3096
0
              default:
3097
0
                break;
3098
0
            }
3099
0
          } else {
3100
0
            this->VersionFoundCount = 0;
3101
0
          }
3102
0
        }
3103
0
        this->CpsReader = std::move(reader);
3104
0
        this->CpsAppendices = std::move(appendices);
3105
0
        this->RequiredComponents = std::move(requiredComponents);
3106
0
      }
3107
0
    } else if (reader) {
3108
0
      message =
3109
0
        cmStrCat("The file describes the package \""_s, reader->GetName(),
3110
0
                 "\", which is not the requested package."_s);
3111
0
      reason = SearchResult::Ignored;
3112
0
    } else {
3113
0
      message = "The package description file could not be read.";
3114
0
      reason = SearchResult::Error;
3115
0
    }
3116
0
  } else {
3117
    // Get the filename without the .cmake extension.
3118
0
    std::string version_file_base = config_file.substr(0, pos);
3119
3120
    // Look for foo-config-version.cmake
3121
0
    std::string version_file = cmStrCat(version_file_base, "-version.cmake");
3122
0
    if (!haveResult && cmSystemTools::FileExists(version_file, true)) {
3123
0
      result = this->CheckVersionFile(version_file, version);
3124
0
      haveResult = true;
3125
0
    }
3126
3127
    // Look for fooConfigVersion.cmake
3128
0
    version_file = cmStrCat(version_file_base, "Version.cmake");
3129
0
    if (!haveResult && cmSystemTools::FileExists(version_file, true)) {
3130
0
      result = this->CheckVersionFile(version_file, version);
3131
0
      haveResult = true;
3132
0
    }
3133
3134
0
    if (haveResult && !result) {
3135
0
      message =
3136
0
        "The version found is not compatible with the version requested.";
3137
0
    }
3138
3139
    // If no version was requested a versionless package is acceptable.
3140
0
    if (!haveResult && this->Version.empty()) {
3141
0
      result = true;
3142
0
    }
3143
0
  }
3144
3145
0
  if (result) {
3146
0
    reason = SearchResult::Acceptable;
3147
0
  }
3148
3149
0
  ConfigFileInfo configFileInfo;
3150
0
  configFileInfo.filename = config_file;
3151
0
  configFileInfo.version = version;
3152
0
  configFileInfo.message = message;
3153
0
  configFileInfo.result = reason;
3154
0
  this->ConsideredConfigs.push_back(std::move(configFileInfo));
3155
3156
0
  return result;
3157
0
}
3158
3159
bool cmFindPackageCommand::CheckVersionFile(std::string const& version_file,
3160
                                            std::string& result_version)
3161
0
{
3162
  // The version file will be loaded in an isolated scope.
3163
0
  cmMakefile::ScopePushPop const varScope(this->Makefile);
3164
0
  cmMakefile::PolicyPushPop const polScope(this->Makefile);
3165
0
  static_cast<void>(varScope);
3166
0
  static_cast<void>(polScope);
3167
3168
  // Clear the output variables.
3169
0
  this->Makefile->RemoveDefinition("PACKAGE_VERSION");
3170
0
  this->Makefile->RemoveDefinition("PACKAGE_VERSION_UNSUITABLE");
3171
0
  this->Makefile->RemoveDefinition("PACKAGE_VERSION_COMPATIBLE");
3172
0
  this->Makefile->RemoveDefinition("PACKAGE_VERSION_EXACT");
3173
3174
  // Set the input variables.
3175
0
  this->Makefile->AddDefinition("PACKAGE_FIND_NAME", this->Name);
3176
0
  this->Makefile->AddDefinition("PACKAGE_FIND_VERSION_COMPLETE",
3177
0
                                this->VersionComplete);
3178
3179
0
  auto addDefinition = [this](std::string const& variable,
3180
0
                              cm::string_view value) {
3181
0
    this->Makefile->AddDefinition(variable, value);
3182
0
  };
3183
0
  this->SetVersionVariables(addDefinition, "PACKAGE_FIND_VERSION",
3184
0
                            this->Version, this->VersionCount,
3185
0
                            this->VersionMajor, this->VersionMinor,
3186
0
                            this->VersionPatch, this->VersionTweak);
3187
0
  if (!this->VersionRange.empty()) {
3188
0
    this->SetVersionVariables(addDefinition, "PACKAGE_FIND_VERSION_MIN",
3189
0
                              this->Version, this->VersionCount,
3190
0
                              this->VersionMajor, this->VersionMinor,
3191
0
                              this->VersionPatch, this->VersionTweak);
3192
0
    this->SetVersionVariables(addDefinition, "PACKAGE_FIND_VERSION_MAX",
3193
0
                              this->VersionMax, this->VersionMaxCount,
3194
0
                              this->VersionMaxMajor, this->VersionMaxMinor,
3195
0
                              this->VersionMaxPatch, this->VersionMaxTweak);
3196
3197
0
    this->Makefile->AddDefinition("PACKAGE_FIND_VERSION_RANGE",
3198
0
                                  this->VersionComplete);
3199
0
    this->Makefile->AddDefinition("PACKAGE_FIND_VERSION_RANGE_MIN",
3200
0
                                  this->VersionRangeMin);
3201
0
    this->Makefile->AddDefinition("PACKAGE_FIND_VERSION_RANGE_MAX",
3202
0
                                  this->VersionRangeMax);
3203
0
  }
3204
3205
  // Load the version check file.
3206
  // Pass NoPolicyScope because we do our own policy push/pop.
3207
0
  bool suitable = false;
3208
0
  if (this->ReadListFile(version_file, NoPolicyScope)) {
3209
    // Check the output variables.
3210
0
    bool okay = this->Makefile->IsOn("PACKAGE_VERSION_EXACT");
3211
0
    bool const unsuitable = this->Makefile->IsOn("PACKAGE_VERSION_UNSUITABLE");
3212
0
    if (!okay && !this->VersionExact) {
3213
0
      okay = this->Makefile->IsOn("PACKAGE_VERSION_COMPATIBLE");
3214
0
    }
3215
3216
    // The package is suitable if the version is okay and not
3217
    // explicitly unsuitable.
3218
0
    suitable = !unsuitable && (okay || this->Version.empty());
3219
0
    if (suitable) {
3220
      // Get the version found.
3221
0
      this->VersionFound =
3222
0
        this->Makefile->GetSafeDefinition("PACKAGE_VERSION");
3223
3224
      // Try to parse the version number and store the results that were
3225
      // successfully parsed.
3226
0
      unsigned int parsed_major;
3227
0
      unsigned int parsed_minor;
3228
0
      unsigned int parsed_patch;
3229
0
      unsigned int parsed_tweak;
3230
0
      this->VersionFoundCount =
3231
0
        parseVersion(this->VersionFound, parsed_major, parsed_minor,
3232
0
                     parsed_patch, parsed_tweak);
3233
0
      switch (this->VersionFoundCount) {
3234
0
        case 4:
3235
0
          this->VersionFoundTweak = parsed_tweak;
3236
0
          CM_FALLTHROUGH;
3237
0
        case 3:
3238
0
          this->VersionFoundPatch = parsed_patch;
3239
0
          CM_FALLTHROUGH;
3240
0
        case 2:
3241
0
          this->VersionFoundMinor = parsed_minor;
3242
0
          CM_FALLTHROUGH;
3243
0
        case 1:
3244
0
          this->VersionFoundMajor = parsed_major;
3245
0
          CM_FALLTHROUGH;
3246
0
        default:
3247
0
          break;
3248
0
      }
3249
0
    }
3250
0
  }
3251
3252
0
  result_version = this->Makefile->GetSafeDefinition("PACKAGE_VERSION");
3253
0
  if (result_version.empty()) {
3254
0
    result_version = "unknown";
3255
0
  }
3256
3257
  // Succeed if the version is suitable.
3258
0
  return suitable;
3259
0
}
3260
3261
void cmFindPackageCommand::StoreVersionFound()
3262
0
{
3263
  // Store the whole version string.
3264
0
  std::string const ver = cmStrCat(this->Name, "_VERSION");
3265
0
  auto addDefinition = [this](std::string const& variable,
3266
0
                              cm::string_view value) {
3267
0
    this->Makefile->AddDefinition(variable, value);
3268
0
  };
3269
3270
0
  this->SetVersionVariables(addDefinition, ver, this->VersionFound,
3271
0
                            this->VersionFoundCount, this->VersionFoundMajor,
3272
0
                            this->VersionFoundMinor, this->VersionFoundPatch,
3273
0
                            this->VersionFoundTweak);
3274
3275
0
  if (this->VersionFound.empty()) {
3276
0
    this->Makefile->RemoveDefinition(ver);
3277
0
  }
3278
0
}
3279
3280
bool cmFindPackageCommand::SearchPrefix(std::string const& prefix)
3281
0
{
3282
0
  assert(!prefix.empty() && prefix.back() == '/');
3283
3284
  // Skip this if the prefix does not exist.
3285
0
  if (!cmSystemTools::FileIsDirectory(prefix)) {
3286
0
    return false;
3287
0
  }
3288
3289
  // Skip this if it's in ignored paths.
3290
0
  std::string prefixWithoutSlash = prefix;
3291
0
  if (prefixWithoutSlash != "/" && prefixWithoutSlash.back() == '/') {
3292
0
    prefixWithoutSlash.erase(prefixWithoutSlash.length() - 1);
3293
0
  }
3294
0
  if (this->IgnoredPaths.count(prefixWithoutSlash) ||
3295
0
      this->IgnoredPrefixPaths.count(prefixWithoutSlash)) {
3296
0
    return false;
3297
0
  }
3298
3299
0
  auto searchFn = [this](std::string const& fullPath,
3300
0
                         PackageDescriptionType type) -> bool {
3301
0
    return this->SearchDirectory(fullPath, type);
3302
0
  };
3303
3304
0
  auto iCpsGen = cmCaseInsensitiveDirectoryListGenerator{ "cps"_s };
3305
0
  auto iCMakeGen = cmCaseInsensitiveDirectoryListGenerator{ "cmake"_s };
3306
0
  auto anyDirGen =
3307
0
    cmAnyDirectoryListGenerator{ this->SortOrder, this->SortDirection };
3308
0
  auto cpsPkgDirGen =
3309
0
    cmProjectDirectoryListGenerator{ &this->Names, this->SortOrder,
3310
0
                                     this->SortDirection, true };
3311
0
  auto cmakePkgDirGen =
3312
0
    cmProjectDirectoryListGenerator{ &this->Names, this->SortOrder,
3313
0
                                     this->SortDirection, false };
3314
3315
  // PREFIX/(Foo|foo|FOO)/(cps|CPS)/
3316
0
  if (TryGeneratedPaths(searchFn, pdt::Cps, prefix, cpsPkgDirGen, iCpsGen)) {
3317
0
    return true;
3318
0
  }
3319
3320
  // PREFIX/(Foo|foo|FOO)/*/(cps|CPS)/
3321
0
  if (TryGeneratedPaths(searchFn, pdt::Cps, prefix, cpsPkgDirGen, iCpsGen,
3322
0
                        anyDirGen)) {
3323
0
    return true;
3324
0
  }
3325
3326
  // PREFIX/(cps|CPS)/(Foo|foo|FOO)/
3327
0
  if (TryGeneratedPaths(searchFn, pdt::Cps, prefix, iCpsGen, cpsPkgDirGen)) {
3328
0
    return true;
3329
0
  }
3330
3331
  // PREFIX/(cps|CPS)/(Foo|foo|FOO)/*/
3332
0
  if (TryGeneratedPaths(searchFn, pdt::Cps, prefix, iCpsGen, cpsPkgDirGen,
3333
0
                        anyDirGen)) {
3334
0
    return true;
3335
0
  }
3336
3337
  // PREFIX/(cps|CPS)/ (useful on windows or in build trees)
3338
0
  if (TryGeneratedPaths(searchFn, pdt::Cps, prefix, iCpsGen)) {
3339
0
    return true;
3340
0
  }
3341
3342
  // PREFIX/ (useful on windows or in build trees)
3343
0
  if (this->SearchDirectory(prefix, pdt::CMake)) {
3344
0
    return true;
3345
0
  }
3346
3347
  // PREFIX/(cmake|CMake)/ (useful on windows or in build trees)
3348
0
  if (TryGeneratedPaths(searchFn, pdt::CMake, prefix, iCMakeGen)) {
3349
0
    return true;
3350
0
  }
3351
3352
  // PREFIX/(Foo|foo|FOO).*/
3353
0
  if (TryGeneratedPaths(searchFn, pdt::CMake, prefix, cmakePkgDirGen)) {
3354
0
    return true;
3355
0
  }
3356
3357
  // PREFIX/(Foo|foo|FOO).*/(cmake|CMake)/
3358
0
  if (TryGeneratedPaths(searchFn, pdt::CMake, prefix, cmakePkgDirGen,
3359
0
                        iCMakeGen)) {
3360
0
    return true;
3361
0
  }
3362
3363
0
  auto secondPkgDirGen =
3364
0
    cmProjectDirectoryListGenerator{ &this->Names, this->SortOrder,
3365
0
                                     this->SortDirection, false };
3366
3367
  // PREFIX/(Foo|foo|FOO).*/(cmake|CMake)/(Foo|foo|FOO).*/
3368
0
  if (TryGeneratedPaths(searchFn, pdt::CMake, prefix, cmakePkgDirGen,
3369
0
                        iCMakeGen, secondPkgDirGen)) {
3370
0
    return true;
3371
0
  }
3372
3373
  // Construct list of common install locations (lib and share).
3374
0
  std::vector<cm::string_view> common;
3375
0
  std::string libArch;
3376
0
  if (!this->LibraryArchitecture.empty()) {
3377
0
    libArch = "lib/" + this->LibraryArchitecture;
3378
0
    common.emplace_back(libArch);
3379
0
  }
3380
0
  if (this->UseLib32Paths) {
3381
0
    common.emplace_back("lib32"_s);
3382
0
  }
3383
0
  if (this->UseLib64Paths) {
3384
0
    common.emplace_back("lib64"_s);
3385
0
  }
3386
0
  if (this->UseLibx32Paths) {
3387
0
    common.emplace_back("libx32"_s);
3388
0
  }
3389
0
  common.emplace_back("lib"_s);
3390
0
  common.emplace_back("share"_s);
3391
3392
0
  auto commonGen = cmEnumPathSegmentsGenerator{ common };
3393
0
  auto cmakeGen = cmAppendPathSegmentGenerator{ "cmake"_s };
3394
0
  auto cpsGen = cmAppendPathSegmentGenerator{ "cps"_s };
3395
3396
  // PREFIX/(lib/ARCH|lib*|share)/cps/(Foo|foo|FOO)/
3397
0
  if (TryGeneratedPaths(searchFn, pdt::Cps, prefix, commonGen, cpsGen,
3398
0
                        cpsPkgDirGen)) {
3399
0
    return true;
3400
0
  }
3401
3402
  // PREFIX/(lib/ARCH|lib*|share)/cps/(Foo|foo|FOO)/*/
3403
0
  if (TryGeneratedPaths(searchFn, pdt::Cps, prefix, commonGen, cpsGen,
3404
0
                        cpsPkgDirGen, anyDirGen)) {
3405
0
    return true;
3406
0
  }
3407
3408
  // PREFIX/(lib/ARCH|lib*|share)/cps/
3409
0
  if (TryGeneratedPaths(searchFn, pdt::Cps, prefix, commonGen, cpsGen)) {
3410
0
    return true;
3411
0
  }
3412
3413
  // PREFIX/(lib/ARCH|lib*|share)/cmake/(Foo|foo|FOO).*/
3414
0
  if (TryGeneratedPaths(searchFn, pdt::CMake, prefix, commonGen, cmakeGen,
3415
0
                        cmakePkgDirGen)) {
3416
0
    return true;
3417
0
  }
3418
3419
  // PREFIX/(lib/ARCH|lib*|share)/(Foo|foo|FOO).*/
3420
0
  if (TryGeneratedPaths(searchFn, pdt::CMake, prefix, commonGen,
3421
0
                        cmakePkgDirGen)) {
3422
0
    return true;
3423
0
  }
3424
3425
  // PREFIX/(lib/ARCH|lib*|share)/(Foo|foo|FOO).*/(cmake|CMake)/
3426
0
  if (TryGeneratedPaths(searchFn, pdt::CMake, prefix, commonGen,
3427
0
                        cmakePkgDirGen, iCMakeGen)) {
3428
0
    return true;
3429
0
  }
3430
3431
  // PREFIX/(Foo|foo|FOO).*/(lib/ARCH|lib*|share)/cmake/(Foo|foo|FOO).*/
3432
0
  if (TryGeneratedPaths(searchFn, pdt::CMake, prefix, cmakePkgDirGen,
3433
0
                        commonGen, cmakeGen, secondPkgDirGen)) {
3434
0
    return true;
3435
0
  }
3436
3437
  // PREFIX/(Foo|foo|FOO).*/(lib/ARCH|lib*|share)/(Foo|foo|FOO).*/
3438
0
  if (TryGeneratedPaths(searchFn, pdt::CMake, prefix, cmakePkgDirGen,
3439
0
                        commonGen, secondPkgDirGen)) {
3440
0
    return true;
3441
0
  }
3442
3443
  // PREFIX/(Foo|foo|FOO).*/(lib/ARCH|lib*|share)/(Foo|foo|FOO).*/(cmake|CMake)/
3444
0
  return TryGeneratedPaths(searchFn, pdt::CMake, prefix, cmakePkgDirGen,
3445
0
                           commonGen, secondPkgDirGen, iCMakeGen);
3446
0
}
3447
3448
bool cmFindPackageCommand::SearchFrameworkPrefix(std::string const& prefix)
3449
0
{
3450
0
  assert(!prefix.empty() && prefix.back() == '/');
3451
3452
0
  auto searchFn = [this](std::string const& fullPath,
3453
0
                         PackageDescriptionType type) -> bool {
3454
0
    return this->SearchDirectory(fullPath, type);
3455
0
  };
3456
3457
0
  auto iCMakeGen = cmCaseInsensitiveDirectoryListGenerator{ "cmake"_s };
3458
0
  auto iCpsGen = cmCaseInsensitiveDirectoryListGenerator{ "cps"_s };
3459
0
  auto fwGen =
3460
0
    cmMacProjectDirectoryListGenerator{ &this->Names, ".framework"_s };
3461
0
  auto rGen = cmAppendPathSegmentGenerator{ "Resources"_s };
3462
0
  auto vGen = cmAppendPathSegmentGenerator{ "Versions"_s };
3463
0
  auto anyGen =
3464
0
    cmAnyDirectoryListGenerator{ this->SortOrder, this->SortDirection };
3465
3466
  // <prefix>/Foo.framework/Versions/*/Resources/CPS/
3467
0
  if (TryGeneratedPaths(searchFn, pdt::Cps, prefix, fwGen, vGen, anyGen, rGen,
3468
0
                        iCpsGen)) {
3469
0
    return true;
3470
0
  }
3471
3472
  // <prefix>/Foo.framework/Resources/CPS/
3473
0
  if (TryGeneratedPaths(searchFn, pdt::Cps, prefix, fwGen, rGen, iCpsGen)) {
3474
0
    return true;
3475
0
  }
3476
3477
  // <prefix>/Foo.framework/Resources/
3478
0
  if (TryGeneratedPaths(searchFn, pdt::CMake, prefix, fwGen, rGen)) {
3479
0
    return true;
3480
0
  }
3481
3482
  // <prefix>/Foo.framework/Resources/CMake/
3483
0
  if (TryGeneratedPaths(searchFn, pdt::CMake, prefix, fwGen, rGen,
3484
0
                        iCMakeGen)) {
3485
0
    return true;
3486
0
  }
3487
3488
  // <prefix>/Foo.framework/Versions/*/Resources/
3489
0
  if (TryGeneratedPaths(searchFn, pdt::CMake, prefix, fwGen, vGen, anyGen,
3490
0
                        rGen)) {
3491
0
    return true;
3492
0
  }
3493
3494
  // <prefix>/Foo.framework/Versions/*/Resources/CMake/
3495
0
  return TryGeneratedPaths(searchFn, pdt::CMake, prefix, fwGen, vGen, anyGen,
3496
0
                           rGen, iCMakeGen);
3497
0
}
3498
3499
bool cmFindPackageCommand::SearchAppBundlePrefix(std::string const& prefix)
3500
0
{
3501
0
  assert(!prefix.empty() && prefix.back() == '/');
3502
3503
0
  auto searchFn = [this](std::string const& fullPath,
3504
0
                         PackageDescriptionType type) -> bool {
3505
0
    return this->SearchDirectory(fullPath, type);
3506
0
  };
3507
3508
0
  auto appGen = cmMacProjectDirectoryListGenerator{ &this->Names, ".app"_s };
3509
0
  auto crGen = cmAppendPathSegmentGenerator{ "Contents/Resources"_s };
3510
3511
  // <prefix>/Foo.app/Contents/Resources/CPS/
3512
0
  if (TryGeneratedPaths(searchFn, pdt::Cps, prefix, appGen, crGen,
3513
0
                        cmCaseInsensitiveDirectoryListGenerator{ "cps"_s })) {
3514
0
    return true;
3515
0
  }
3516
3517
  // <prefix>/Foo.app/Contents/Resources/
3518
0
  if (TryGeneratedPaths(searchFn, pdt::CMake, prefix, appGen, crGen)) {
3519
0
    return true;
3520
0
  }
3521
3522
  // <prefix>/Foo.app/Contents/Resources/CMake/
3523
0
  return TryGeneratedPaths(
3524
0
    searchFn, pdt::CMake, prefix, appGen, crGen,
3525
0
    cmCaseInsensitiveDirectoryListGenerator{ "cmake"_s });
3526
0
}
3527
3528
bool cmFindPackageCommand::SearchEnvironmentPrefix(std::string const& prefix)
3529
0
{
3530
0
  assert(!prefix.empty() && prefix.back() == '/');
3531
3532
  // Skip this if the prefix does not exist.
3533
0
  if (!cmSystemTools::FileIsDirectory(prefix)) {
3534
0
    return false;
3535
0
  }
3536
3537
0
  auto searchFn = [this](std::string const& fullPath,
3538
0
                         PackageDescriptionType type) -> bool {
3539
0
    return this->SearchDirectory(fullPath, type);
3540
0
  };
3541
3542
0
  auto pkgDirGen =
3543
0
    cmProjectDirectoryListGenerator{ &this->Names, this->SortOrder,
3544
0
                                     this->SortDirection, true };
3545
3546
  // <environment-path>/(Foo|foo|FOO)/cps/
3547
0
  if (TryGeneratedPaths(searchFn, pdt::Cps, prefix, pkgDirGen,
3548
0
                        cmAppendPathSegmentGenerator{ "cps"_s })) {
3549
0
    return true;
3550
0
  }
3551
3552
  // <environment-path>/(Foo|foo|FOO)/
3553
0
  return TryGeneratedPaths(searchFn, pdt::Cps, prefix, pkgDirGen);
3554
0
}
3555
3556
bool cmFindPackageCommand::IsRequired() const
3557
0
{
3558
0
  return this->Required == RequiredStatus::RequiredExplicit ||
3559
0
    this->Required == RequiredStatus::RequiredFromPackageVar ||
3560
0
    this->Required == RequiredStatus::RequiredFromFindVar;
3561
0
}
3562
3563
cmFindPackageCommand::FoundPackageMode cmFindPackageCommand::FoundMode(
3564
  PackageDescriptionType type)
3565
0
{
3566
0
  switch (type) {
3567
0
    case PackageDescriptionType::Any:
3568
0
      return FoundPackageMode::None;
3569
0
    case PackageDescriptionType::CMake:
3570
0
      return FoundPackageMode::Config;
3571
0
    case PackageDescriptionType::Cps:
3572
0
      return FoundPackageMode::Cps;
3573
0
  }
3574
0
  return FoundPackageMode::None;
3575
0
}
3576
3577
// TODO: Debug cmsys::Glob double slash problem.
3578
3579
bool cmFindPackage(std::vector<std::string> const& args,
3580
                   cmExecutionStatus& status)
3581
0
{
3582
0
  return cmFindPackageCommand(status).InitialPass(args);
3583
0
}
3584
3585
cmFindPackageDebugState::cmFindPackageDebugState(
3586
  cmFindPackageCommand const* findPackage)
3587
0
  : cmFindCommonDebugState("find_package", findPackage)
3588
0
  , FindPackageCommand(findPackage)
3589
0
{
3590
0
}
3591
3592
0
cmFindPackageDebugState::~cmFindPackageDebugState() = default;
3593
3594
void cmFindPackageDebugState::FoundAtImpl(std::string const& path,
3595
                                          std::string regexName)
3596
0
{
3597
0
  (void)path;
3598
0
  (void)regexName;
3599
0
}
3600
3601
void cmFindPackageDebugState::FailedAtImpl(std::string const& path,
3602
                                           std::string regexName)
3603
0
{
3604
0
  (void)path;
3605
0
  (void)regexName;
3606
0
}
3607
3608
bool cmFindPackageDebugState::ShouldImplicitlyLogEvents() const
3609
0
{
3610
0
  auto const* fpc = this->FindPackageCommand;
3611
0
  bool const canUsePackage = fpc->UseConfigFiles || fpc->UseCpsFiles;
3612
0
  return canUsePackage &&
3613
0
    fpc->FileFoundMode != cmFindPackageCommand::FoundPackageMode::Module &&
3614
0
    std::any_of(fpc->ConsideredPaths.begin(), fpc->ConsideredPaths.end(),
3615
0
                [](cmFindPackageCommand::ConsideredPath const& cp) {
3616
0
                  return cp.Mode >
3617
0
                    cmFindPackageCommand::FoundPackageMode::Module;
3618
0
                });
3619
0
}
3620
3621
void cmFindPackageDebugState::WriteDebug() const
3622
0
{
3623
0
}
3624
3625
#ifndef CMAKE_BOOTSTRAP
3626
void cmFindPackageDebugState::WriteEvent(cmConfigureLog& log,
3627
                                         cmMakefile const& mf) const
3628
0
{
3629
0
  (void)log;
3630
0
  (void)mf;
3631
3632
0
  log.BeginEvent("find_package-v1", mf);
3633
3634
0
  auto const* fpc = this->FindPackageCommand;
3635
3636
0
  log.WriteValue("name"_s, fpc->Name);
3637
0
  if (!fpc->Components.empty()) {
3638
0
    log.BeginObject("components"_s);
3639
0
    log.BeginArray();
3640
0
    for (auto const& component : cmList{ fpc->Components }) {
3641
0
      log.NextArrayElement();
3642
0
      log.WriteValue("name"_s, component);
3643
0
      log.WriteValue("required"_s,
3644
0
                     fpc->RequiredComponents.find(component) !=
3645
0
                       fpc->RequiredComponents.end());
3646
0
      log.WriteValue("found"_s,
3647
0
                     mf.IsOn(cmStrCat(fpc->Name, '_', component, "_FOUND")));
3648
0
    }
3649
0
    log.EndArray();
3650
0
    log.EndObject();
3651
0
  }
3652
0
  if (!fpc->Configs.empty()) {
3653
0
    auto pdt_name =
3654
0
      [](cmFindPackageCommand::PackageDescriptionType type) -> std::string {
3655
0
      switch (type) {
3656
0
        case pdt::Any:
3657
0
          return "any";
3658
0
        case pdt::CMake:
3659
0
          return "cmake";
3660
0
        case pdt::Cps:
3661
0
          return "cps";
3662
0
      }
3663
0
      assert(false);
3664
0
      return "<UNKNOWN>";
3665
0
    };
3666
3667
0
    log.BeginObject("configs"_s);
3668
0
    log.BeginArray();
3669
0
    for (auto const& config : fpc->Configs) {
3670
0
      log.NextArrayElement();
3671
0
      log.WriteValue("filename"_s, config.Name);
3672
0
      log.WriteValue("kind"_s, pdt_name(config.Type));
3673
0
    }
3674
0
    log.EndArray();
3675
0
    log.EndObject();
3676
0
  }
3677
0
  {
3678
0
    log.BeginObject("version_request"_s);
3679
0
    if (!fpc->Version.empty()) {
3680
0
      log.WriteValue("version"_s, fpc->Version);
3681
0
    }
3682
0
    if (!fpc->VersionComplete.empty()) {
3683
0
      log.WriteValue("version_complete"_s, fpc->VersionComplete);
3684
0
    }
3685
0
    if (!fpc->VersionRange.empty()) {
3686
0
      log.WriteValue("min"_s, std::string(fpc->VersionRangeMin));
3687
0
      log.WriteValue("max"_s, std::string(fpc->VersionRangeMax));
3688
0
    }
3689
0
    log.WriteValue("exact"_s, fpc->VersionExact);
3690
0
    log.EndObject();
3691
0
  }
3692
0
  {
3693
0
    auto required_str =
3694
0
      [](cmFindPackageCommand::RequiredStatus status) -> std::string {
3695
0
      switch (status) {
3696
0
        case cmFindPackageCommand::RequiredStatus::Optional:
3697
0
          return "optional";
3698
0
        case cmFindPackageCommand::RequiredStatus::OptionalExplicit:
3699
0
          return "optional_explicit";
3700
0
        case cmFindPackageCommand::RequiredStatus::RequiredExplicit:
3701
0
          return "required_explicit";
3702
0
        case cmFindPackageCommand::RequiredStatus::RequiredFromPackageVar:
3703
0
          return "required_from_package_variable";
3704
0
        case cmFindPackageCommand::RequiredStatus::RequiredFromFindVar:
3705
0
          return "required_from_find_variable";
3706
0
      }
3707
0
      assert(false);
3708
0
      return "<UNKNOWN>";
3709
0
    };
3710
0
    log.BeginObject("settings"_s);
3711
0
    log.WriteValue("required"_s, required_str(fpc->Required));
3712
0
    log.WriteValue("quiet"_s, fpc->Quiet);
3713
0
    log.WriteValue("global"_s, fpc->GlobalScope);
3714
0
    log.WriteValue("policy_scope"_s, fpc->PolicyScope);
3715
0
    log.WriteValue("bypass_provider"_s, fpc->BypassProvider);
3716
0
    if (!fpc->UserHintsArgs.empty()) {
3717
0
      log.WriteValue("hints"_s, fpc->UserHintsArgs);
3718
0
    }
3719
0
    if (!fpc->Names.empty()) {
3720
0
      log.WriteValue("names"_s, fpc->Names);
3721
0
    }
3722
0
    if (!fpc->UserGuessArgs.empty()) {
3723
0
      log.WriteValue("search_paths"_s, fpc->UserGuessArgs);
3724
0
    }
3725
0
    if (!fpc->SearchPathSuffixes.empty()) {
3726
0
      log.WriteValue("path_suffixes"_s, fpc->SearchPathSuffixes);
3727
0
    }
3728
0
    if (fpc->RegistryViewDefined) {
3729
0
      log.WriteValue(
3730
0
        "registry_view"_s,
3731
0
        std::string(cmWindowsRegistry::FromView(fpc->RegistryView)));
3732
0
    }
3733
0
    {
3734
0
      auto find_root_path_mode =
3735
0
        [](cmFindCommon::RootPathMode mode) -> std::string {
3736
0
        switch (mode) {
3737
0
          case cmFindCommon::RootPathModeNever:
3738
0
            return "NEVER";
3739
0
          case cmFindCommon::RootPathModeOnly:
3740
0
            return "ONLY";
3741
0
          case cmFindCommon::RootPathModeBoth:
3742
0
            return "BOTH";
3743
0
        }
3744
0
        assert(false);
3745
0
        return "<UNKNOWN>";
3746
0
      };
3747
0
      log.BeginObject("paths"_s);
3748
0
      log.WriteValue("CMAKE_FIND_USE_CMAKE_PATH"_s, !fpc->NoDefaultPath);
3749
0
      log.WriteValue("CMAKE_FIND_USE_CMAKE_ENVIRONMENT_PATH"_s,
3750
0
                     !fpc->NoCMakeEnvironmentPath);
3751
0
      log.WriteValue("CMAKE_FIND_USE_SYSTEM_ENVIRONMENT_PATH"_s,
3752
0
                     !fpc->NoSystemEnvironmentPath);
3753
0
      log.WriteValue("CMAKE_FIND_USE_CMAKE_SYSTEM_PATH"_s,
3754
0
                     !fpc->NoCMakeSystemPath);
3755
0
      log.WriteValue("CMAKE_FIND_USE_INSTALL_PREFIX"_s,
3756
0
                     !fpc->NoCMakeInstallPath);
3757
0
      log.WriteValue("CMAKE_FIND_USE_PACKAGE_ROOT_PATH"_s,
3758
0
                     !fpc->NoPackageRootPath);
3759
0
      log.WriteValue("CMAKE_FIND_USE_CMAKE_PACKAGE_REGISTRY"_s,
3760
0
                     !fpc->NoUserRegistry);
3761
0
      log.WriteValue("CMAKE_FIND_USE_SYSTEM_PACKAGE_REGISTRY"_s,
3762
0
                     !fpc->NoSystemRegistry);
3763
0
      log.WriteValue("CMAKE_FIND_ROOT_PATH_MODE"_s,
3764
0
                     find_root_path_mode(fpc->FindRootPathMode));
3765
0
      log.EndObject();
3766
0
    }
3767
0
    log.EndObject();
3768
0
  }
3769
3770
0
  auto found_mode =
3771
0
    [](cmFindPackageCommand::FoundPackageMode status) -> std::string {
3772
0
    switch (status) {
3773
0
      case cmFindPackageCommand::FoundPackageMode::None:
3774
0
        return "none?";
3775
0
      case cmFindPackageCommand::FoundPackageMode::Module:
3776
0
        return "module";
3777
0
      case cmFindPackageCommand::FoundPackageMode::Config:
3778
0
        return "config";
3779
0
      case cmFindPackageCommand::FoundPackageMode::Cps:
3780
0
        return "cps";
3781
0
      case cmFindPackageCommand::FoundPackageMode::Provider:
3782
0
        return "provider";
3783
0
    }
3784
0
    assert(false);
3785
0
    return "<UNKNOWN>";
3786
0
  };
3787
0
  if (!fpc->ConsideredPaths.empty()) {
3788
0
    auto search_result =
3789
0
      [](cmFindPackageCommand::SearchResult type) -> std::string {
3790
0
      switch (type) {
3791
0
        case cmFindPackageCommand::SearchResult::Acceptable:
3792
0
          return "acceptable";
3793
0
        case cmFindPackageCommand::SearchResult::InsufficientVersion:
3794
0
          return "insufficient_version";
3795
0
        case cmFindPackageCommand::SearchResult::InsufficientComponents:
3796
0
          return "insufficient_components";
3797
0
        case cmFindPackageCommand::SearchResult::Error:
3798
0
          return "error";
3799
0
        case cmFindPackageCommand::SearchResult::NoExist:
3800
0
          return "no_exist";
3801
0
        case cmFindPackageCommand::SearchResult::Ignored:
3802
0
          return "ignored";
3803
0
        case cmFindPackageCommand::SearchResult::NoConfigFile:
3804
0
          return "no_config_file";
3805
0
        case cmFindPackageCommand::SearchResult::NotFound:
3806
0
          return "not_found";
3807
0
      }
3808
0
      assert(false);
3809
0
      return "<UNKNOWN>";
3810
0
    };
3811
3812
0
    log.BeginObject("candidates"_s);
3813
0
    log.BeginArray();
3814
0
    for (auto const& considered : fpc->ConsideredPaths) {
3815
0
      log.NextArrayElement();
3816
0
      log.WriteValue("path"_s, considered.Path);
3817
0
      log.WriteValue("mode"_s, found_mode(considered.Mode));
3818
0
      log.WriteValue("reason"_s, search_result(considered.Reason));
3819
0
      if (!considered.Message.empty()) {
3820
0
        log.WriteValue("message"_s, considered.Message);
3821
0
      }
3822
0
    }
3823
0
    log.EndArray();
3824
0
    log.EndObject();
3825
0
  }
3826
  // TODO: Add provider information (see #26925)
3827
0
  if (!fpc->FileFound.empty()) {
3828
0
    log.BeginObject("found"_s);
3829
0
    log.WriteValue("path"_s, fpc->FileFound);
3830
0
    log.WriteValue("mode"_s, found_mode(fpc->FileFoundMode));
3831
0
    log.WriteValue("version"_s, fpc->VersionFound);
3832
0
    log.EndObject();
3833
0
  } else {
3834
0
    log.WriteValue("found"_s, nullptr);
3835
0
  }
3836
3837
0
  this->WriteSearchVariables(log, mf);
3838
3839
0
  log.EndEvent();
3840
0
}
3841
3842
std::vector<std::pair<cmFindCommonDebugState::VariableSource, std::string>>
3843
cmFindPackageDebugState::ExtraSearchVariables() const
3844
0
{
3845
0
  std::vector<std::pair<cmFindCommonDebugState::VariableSource, std::string>>
3846
0
    extraSearches;
3847
0
  if (this->FindPackageCommand->UseFindModules) {
3848
0
    extraSearches.emplace_back(VariableSource::PathList, "CMAKE_MODULE_PATH");
3849
0
  }
3850
0
  return extraSearches;
3851
0
}
3852
#endif