Xmipp  v3.23.11-Nereus
gtest-param-util.h
Go to the documentation of this file.
1 // Copyright 2008 Google Inc.
2 // All Rights Reserved.
3 //
4 // Redistribution and use in source and binary forms, with or without
5 // modification, are permitted provided that the following conditions are
6 // met:
7 //
8 // * Redistributions of source code must retain the above copyright
9 // notice, this list of conditions and the following disclaimer.
10 // * Redistributions in binary form must reproduce the above
11 // copyright notice, this list of conditions and the following disclaimer
12 // in the documentation and/or other materials provided with the
13 // distribution.
14 // * Neither the name of Google Inc. nor the names of its
15 // contributors may be used to endorse or promote products derived from
16 // this software without specific prior written permission.
17 //
18 // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
19 // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
20 // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
21 // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
22 // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
23 // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
24 // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
25 // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
26 // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
27 // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
28 // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
29 
30 // Type and function utilities for implementing parameterized tests.
31 
32 // IWYU pragma: private, include "gtest/gtest.h"
33 // IWYU pragma: friend gtest/.*
34 // IWYU pragma: friend gmock/.*
35 
36 #ifndef GOOGLETEST_INCLUDE_GTEST_INTERNAL_GTEST_PARAM_UTIL_H_
37 #define GOOGLETEST_INCLUDE_GTEST_INTERNAL_GTEST_PARAM_UTIL_H_
38 
39 #include <ctype.h>
40 
41 #include <cassert>
42 #include <iterator>
43 #include <map>
44 #include <memory>
45 #include <ostream>
46 #include <set>
47 #include <string>
48 #include <tuple>
49 #include <type_traits>
50 #include <utility>
51 #include <vector>
52 
53 #include "gtest/gtest-printers.h"
54 #include "gtest/gtest-test-part.h"
57 
58 namespace testing {
59 // Input to a parameterized test name generator, describing a test parameter.
60 // Consists of the parameter value and the integer parameter index.
61 template <class ParamType>
62 struct TestParamInfo {
63  TestParamInfo(const ParamType& a_param, size_t an_index)
64  : param(a_param), index(an_index) {}
65  ParamType param;
66  size_t index;
67 };
68 
69 // A builtin parameterized test name generator which returns the result of
70 // testing::PrintToString.
72  template <class ParamType>
73  std::string operator()(const TestParamInfo<ParamType>& info) const {
74  return PrintToString(info.param);
75  }
76 };
77 
78 namespace internal {
79 
80 // INTERNAL IMPLEMENTATION - DO NOT USE IN USER CODE.
81 // Utility Functions
82 
83 // Outputs a message explaining invalid registration of different
84 // fixture class for the same test suite. This may happen when
85 // TEST_P macro is used to define two tests with the same name
86 // but in different namespaces.
87 GTEST_API_ void ReportInvalidTestSuiteType(const char* test_suite_name,
88  CodeLocation code_location);
89 
90 template <typename>
92 template <typename>
94 
95 // Interface for iterating over elements provided by an implementation
96 // of ParamGeneratorInterface<T>.
97 template <typename T>
99  public:
101  // A pointer to the base generator instance.
102  // Used only for the purposes of iterator comparison
103  // to make sure that two iterators belong to the same generator.
104  virtual const ParamGeneratorInterface<T>* BaseGenerator() const = 0;
105  // Advances iterator to point to the next element
106  // provided by the generator. The caller is responsible
107  // for not calling Advance() on an iterator equal to
108  // BaseGenerator()->End().
109  virtual void Advance() = 0;
110  // Clones the iterator object. Used for implementing copy semantics
111  // of ParamIterator<T>.
112  virtual ParamIteratorInterface* Clone() const = 0;
113  // Dereferences the current iterator and provides (read-only) access
114  // to the pointed value. It is the caller's responsibility not to call
115  // Current() on an iterator equal to BaseGenerator()->End().
116  // Used for implementing ParamGenerator<T>::operator*().
117  virtual const T* Current() const = 0;
118  // Determines whether the given iterator and other point to the same
119  // element in the sequence generated by the generator.
120  // Used for implementing ParamGenerator<T>::operator==().
121  virtual bool Equals(const ParamIteratorInterface& other) const = 0;
122 };
123 
124 // Class iterating over elements provided by an implementation of
125 // ParamGeneratorInterface<T>. It wraps ParamIteratorInterface<T>
126 // and implements the const forward iterator concept.
127 template <typename T>
129  public:
130  typedef T value_type;
131  typedef const T& reference;
132  typedef ptrdiff_t difference_type;
133 
134  // ParamIterator assumes ownership of the impl_ pointer.
135  ParamIterator(const ParamIterator& other) : impl_(other.impl_->Clone()) {}
137  if (this != &other) impl_.reset(other.impl_->Clone());
138  return *this;
139  }
140 
141  const T& operator*() const { return *impl_->Current(); }
142  const T* operator->() const { return impl_->Current(); }
143  // Prefix version of operator++.
145  impl_->Advance();
146  return *this;
147  }
148  // Postfix version of operator++.
149  ParamIterator operator++(int /*unused*/) {
150  ParamIteratorInterface<T>* clone = impl_->Clone();
151  impl_->Advance();
152  return ParamIterator(clone);
153  }
154  bool operator==(const ParamIterator& other) const {
155  return impl_.get() == other.impl_.get() || impl_->Equals(*other.impl_);
156  }
157  bool operator!=(const ParamIterator& other) const {
158  return !(*this == other);
159  }
160 
161  private:
162  friend class ParamGenerator<T>;
163  explicit ParamIterator(ParamIteratorInterface<T>* impl) : impl_(impl) {}
164  std::unique_ptr<ParamIteratorInterface<T>> impl_;
165 };
166 
167 // ParamGeneratorInterface<T> is the binary interface to access generators
168 // defined in other translation units.
169 template <typename T>
171  public:
172  typedef T ParamType;
173 
175 
176  // Generator interface definition
177  virtual ParamIteratorInterface<T>* Begin() const = 0;
178  virtual ParamIteratorInterface<T>* End() const = 0;
179 };
180 
181 // Wraps ParamGeneratorInterface<T> and provides general generator syntax
182 // compatible with the STL Container concept.
183 // This class implements copy initialization semantics and the contained
184 // ParamGeneratorInterface<T> instance is shared among all copies
185 // of the original object. This is possible because that instance is immutable.
186 template <typename T>
187 class ParamGenerator {
188  public:
190 
191  explicit ParamGenerator(ParamGeneratorInterface<T>* impl) : impl_(impl) {}
192  ParamGenerator(const ParamGenerator& other) : impl_(other.impl_) {}
193 
195  impl_ = other.impl_;
196  return *this;
197  }
198 
199  iterator begin() const { return iterator(impl_->Begin()); }
200  iterator end() const { return iterator(impl_->End()); }
201 
202  private:
203  std::shared_ptr<const ParamGeneratorInterface<T>> impl_;
204 };
205 
206 // Generates values from a range of two comparable values. Can be used to
207 // generate sequences of user-defined types that implement operator+() and
208 // operator<().
209 // This class is used in the Range() function.
210 template <typename T, typename IncrementT>
212  public:
213  RangeGenerator(T begin, T end, IncrementT step)
214  : begin_(begin),
215  end_(end),
216  step_(step),
217  end_index_(CalculateEndIndex(begin, end, step)) {}
218  ~RangeGenerator() override {}
219 
220  ParamIteratorInterface<T>* Begin() const override {
221  return new Iterator(this, begin_, 0, step_);
222  }
223  ParamIteratorInterface<T>* End() const override {
224  return new Iterator(this, end_, end_index_, step_);
225  }
226 
227  private:
228  class Iterator : public ParamIteratorInterface<T> {
229  public:
230  Iterator(const ParamGeneratorInterface<T>* base, T value, int index,
231  IncrementT step)
232  : base_(base), value_(value), index_(index), step_(step) {}
233  ~Iterator() override {}
234 
235  const ParamGeneratorInterface<T>* BaseGenerator() const override {
236  return base_;
237  }
238  void Advance() override {
239  value_ = static_cast<T>(value_ + step_);
240  index_++;
241  }
242  ParamIteratorInterface<T>* Clone() const override {
243  return new Iterator(*this);
244  }
245  const T* Current() const override { return &value_; }
246  bool Equals(const ParamIteratorInterface<T>& other) const override {
247  // Having the same base generator guarantees that the other
248  // iterator is of the same type and we can downcast.
249  GTEST_CHECK_(BaseGenerator() == other.BaseGenerator())
250  << "The program attempted to compare iterators "
251  << "from different generators." << std::endl;
252  const int other_index =
253  CheckedDowncastToActualType<const Iterator>(&other)->index_;
254  return index_ == other_index;
255  }
256 
257  private:
258  Iterator(const Iterator& other)
260  base_(other.base_),
261  value_(other.value_),
262  index_(other.index_),
263  step_(other.step_) {}
264 
265  // No implementation - assignment is unsupported.
266  void operator=(const Iterator& other);
267 
268  const ParamGeneratorInterface<T>* const base_;
269  T value_;
270  int index_;
271  const IncrementT step_;
272  }; // class RangeGenerator::Iterator
273 
274  static int CalculateEndIndex(const T& begin, const T& end,
275  const IncrementT& step) {
276  int end_index = 0;
277  for (T i = begin; i < end; i = static_cast<T>(i + step)) end_index++;
278  return end_index;
279  }
280 
281  // No implementation - assignment is unsupported.
282  void operator=(const RangeGenerator& other);
283 
284  const T begin_;
285  const T end_;
286  const IncrementT step_;
287  // The index for the end() iterator. All the elements in the generated
288  // sequence are indexed (0-based) to aid iterator comparison.
289  const int end_index_;
290 }; // class RangeGenerator
291 
292 // Generates values from a pair of STL-style iterators. Used in the
293 // ValuesIn() function. The elements are copied from the source range
294 // since the source can be located on the stack, and the generator
295 // is likely to persist beyond that stack frame.
296 template <typename T>
298  public:
299  template <typename ForwardIterator>
300  ValuesInIteratorRangeGenerator(ForwardIterator begin, ForwardIterator end)
301  : container_(begin, end) {}
303 
304  ParamIteratorInterface<T>* Begin() const override {
305  return new Iterator(this, container_.begin());
306  }
307  ParamIteratorInterface<T>* End() const override {
308  return new Iterator(this, container_.end());
309  }
310 
311  private:
312  typedef typename ::std::vector<T> ContainerType;
313 
314  class Iterator : public ParamIteratorInterface<T> {
315  public:
316  Iterator(const ParamGeneratorInterface<T>* base,
317  typename ContainerType::const_iterator iterator)
318  : base_(base), iterator_(iterator) {}
319  ~Iterator() override {}
320 
321  const ParamGeneratorInterface<T>* BaseGenerator() const override {
322  return base_;
323  }
324  void Advance() override {
325  ++iterator_;
326  value_.reset();
327  }
328  ParamIteratorInterface<T>* Clone() const override {
329  return new Iterator(*this);
330  }
331  // We need to use cached value referenced by iterator_ because *iterator_
332  // can return a temporary object (and of type other then T), so just
333  // having "return &*iterator_;" doesn't work.
334  // value_ is updated here and not in Advance() because Advance()
335  // can advance iterator_ beyond the end of the range, and we cannot
336  // detect that fact. The client code, on the other hand, is
337  // responsible for not calling Current() on an out-of-range iterator.
338  const T* Current() const override {
339  if (value_.get() == nullptr) value_.reset(new T(*iterator_));
340  return value_.get();
341  }
342  bool Equals(const ParamIteratorInterface<T>& other) const override {
343  // Having the same base generator guarantees that the other
344  // iterator is of the same type and we can downcast.
345  GTEST_CHECK_(BaseGenerator() == other.BaseGenerator())
346  << "The program attempted to compare iterators "
347  << "from different generators." << std::endl;
348  return iterator_ ==
349  CheckedDowncastToActualType<const Iterator>(&other)->iterator_;
350  }
351 
352  private:
353  Iterator(const Iterator& other)
354  // The explicit constructor call suppresses a false warning
355  // emitted by gcc when supplied with the -Wextra option.
357  base_(other.base_),
358  iterator_(other.iterator_) {}
359 
360  const ParamGeneratorInterface<T>* const base_;
361  typename ContainerType::const_iterator iterator_;
362  // A cached value of *iterator_. We keep it here to allow access by
363  // pointer in the wrapping iterator's operator->().
364  // value_ needs to be mutable to be accessed in Current().
365  // Use of std::unique_ptr helps manage cached value's lifetime,
366  // which is bound by the lifespan of the iterator itself.
367  mutable std::unique_ptr<const T> value_;
368  }; // class ValuesInIteratorRangeGenerator::Iterator
369 
370  // No implementation - assignment is unsupported.
371  void operator=(const ValuesInIteratorRangeGenerator& other);
372 
373  const ContainerType container_;
374 }; // class ValuesInIteratorRangeGenerator
375 
376 // INTERNAL IMPLEMENTATION - DO NOT USE IN USER CODE.
377 //
378 // Default parameterized test name generator, returns a string containing the
379 // integer test parameter index.
380 template <class ParamType>
381 std::string DefaultParamName(const TestParamInfo<ParamType>& info) {
382  Message name_stream;
383  name_stream << info.index;
384  return name_stream.GetString();
385 }
386 
387 template <typename T = int>
388 void TestNotEmpty() {
389  static_assert(sizeof(T) == 0, "Empty arguments are not allowed.");
390 }
391 template <typename T = int>
392 void TestNotEmpty(const T&) {}
393 
394 // INTERNAL IMPLEMENTATION - DO NOT USE IN USER CODE.
395 //
396 // Stores a parameter value and later creates tests parameterized with that
397 // value.
398 template <class TestClass>
400  public:
401  typedef typename TestClass::ParamType ParamType;
402  explicit ParameterizedTestFactory(ParamType parameter)
403  : parameter_(parameter) {}
404  Test* CreateTest() override {
405  TestClass::SetParam(&parameter_);
406  return new TestClass();
407  }
408 
409  private:
410  const ParamType parameter_;
411 
413  ParameterizedTestFactory& operator=(const ParameterizedTestFactory&) = delete;
414 };
415 
416 // INTERNAL IMPLEMENTATION - DO NOT USE IN USER CODE.
417 //
418 // TestMetaFactoryBase is a base class for meta-factories that create
419 // test factories for passing into MakeAndRegisterTestInfo function.
420 template <class ParamType>
422  public:
423  virtual ~TestMetaFactoryBase() {}
424 
425  virtual TestFactoryBase* CreateTestFactory(ParamType parameter) = 0;
426 };
427 
428 // INTERNAL IMPLEMENTATION - DO NOT USE IN USER CODE.
429 //
430 // TestMetaFactory creates test factories for passing into
431 // MakeAndRegisterTestInfo function. Since MakeAndRegisterTestInfo receives
432 // ownership of test factory pointer, same factory object cannot be passed
433 // into that method twice. But ParameterizedTestSuiteInfo is going to call
434 // it for each Test/Parameter value combination. Thus it needs meta factory
435 // creator class.
436 template <class TestSuite>
438  : public TestMetaFactoryBase<typename TestSuite::ParamType> {
439  public:
440  using ParamType = typename TestSuite::ParamType;
441 
443 
445  return new ParameterizedTestFactory<TestSuite>(parameter);
446  }
447 
448  private:
449  TestMetaFactory(const TestMetaFactory&) = delete;
450  TestMetaFactory& operator=(const TestMetaFactory&) = delete;
451 };
452 
453 // INTERNAL IMPLEMENTATION - DO NOT USE IN USER CODE.
454 //
455 // ParameterizedTestSuiteInfoBase is a generic interface
456 // to ParameterizedTestSuiteInfo classes. ParameterizedTestSuiteInfoBase
457 // accumulates test information provided by TEST_P macro invocations
458 // and generators provided by INSTANTIATE_TEST_SUITE_P macro invocations
459 // and uses that information to register all resulting test instances
460 // in RegisterTests method. The ParameterizeTestSuiteRegistry class holds
461 // a collection of pointers to the ParameterizedTestSuiteInfo objects
462 // and calls RegisterTests() on each of them when asked.
464  public:
466 
467  // Base part of test suite name for display purposes.
468  virtual const std::string& GetTestSuiteName() const = 0;
469  // Test suite id to verify identity.
470  virtual TypeId GetTestSuiteTypeId() const = 0;
471  // UnitTest class invokes this method to register tests in this
472  // test suite right before running them in RUN_ALL_TESTS macro.
473  // This method should not be called more than once on any single
474  // instance of a ParameterizedTestSuiteInfoBase derived class.
475  virtual void RegisterTests() = 0;
476 
477  protected:
479 
480  private:
482  delete;
484  const ParameterizedTestSuiteInfoBase&) = delete;
485 };
486 
487 // INTERNAL IMPLEMENTATION - DO NOT USE IN USER CODE.
488 //
489 // Report a the name of a test_suit as safe to ignore
490 // as the side effect of construction of this type.
492  explicit MarkAsIgnored(const char* test_suite);
493 };
494 
495 GTEST_API_ void InsertSyntheticTestCase(const std::string& name,
496  CodeLocation location, bool has_test_p);
497 
498 // INTERNAL IMPLEMENTATION - DO NOT USE IN USER CODE.
499 //
500 // ParameterizedTestSuiteInfo accumulates tests obtained from TEST_P
501 // macro invocations for a particular test suite and generators
502 // obtained from INSTANTIATE_TEST_SUITE_P macro invocations for that
503 // test suite. It registers tests with all values generated by all
504 // generators when asked.
505 template <class TestSuite>
507  public:
508  // ParamType and GeneratorCreationFunc are private types but are required
509  // for declarations of public methods AddTestPattern() and
510  // AddTestSuiteInstantiation().
511  using ParamType = typename TestSuite::ParamType;
512  // A function that returns an instance of appropriate generator type.
513  typedef ParamGenerator<ParamType>(GeneratorCreationFunc)();
515 
516  explicit ParameterizedTestSuiteInfo(const char* name,
517  CodeLocation code_location)
518  : test_suite_name_(name), code_location_(code_location) {}
519 
520  // Test suite base name for display purposes.
521  const std::string& GetTestSuiteName() const override {
522  return test_suite_name_;
523  }
524  // Test suite id to verify identity.
525  TypeId GetTestSuiteTypeId() const override { return GetTypeId<TestSuite>(); }
526  // TEST_P macro uses AddTestPattern() to record information
527  // about a single test in a LocalTestInfo structure.
528  // test_suite_name is the base name of the test suite (without invocation
529  // prefix). test_base_name is the name of an individual test without
530  // parameter index. For the test SequenceA/FooTest.DoBar/1 FooTest is
531  // test suite base name and DoBar is test base name.
532  void AddTestPattern(const char* test_suite_name, const char* test_base_name,
533  TestMetaFactoryBase<ParamType>* meta_factory,
534  CodeLocation code_location) {
535  tests_.push_back(std::shared_ptr<TestInfo>(new TestInfo(
536  test_suite_name, test_base_name, meta_factory, code_location)));
537  }
538  // INSTANTIATE_TEST_SUITE_P macro uses AddGenerator() to record information
539  // about a generator.
540  int AddTestSuiteInstantiation(const std::string& instantiation_name,
541  GeneratorCreationFunc* func,
542  ParamNameGeneratorFunc* name_func,
543  const char* file, int line) {
544  instantiations_.push_back(
545  InstantiationInfo(instantiation_name, func, name_func, file, line));
546  return 0; // Return value used only to run this method in namespace scope.
547  }
548  // UnitTest class invokes this method to register tests in this test suite
549  // right before running tests in RUN_ALL_TESTS macro.
550  // This method should not be called more than once on any single
551  // instance of a ParameterizedTestSuiteInfoBase derived class.
552  // UnitTest has a guard to prevent from calling this method more than once.
553  void RegisterTests() override {
554  bool generated_instantiations = false;
555 
556  for (typename TestInfoContainer::iterator test_it = tests_.begin();
557  test_it != tests_.end(); ++test_it) {
558  std::shared_ptr<TestInfo> test_info = *test_it;
559  for (typename InstantiationContainer::iterator gen_it =
560  instantiations_.begin();
561  gen_it != instantiations_.end(); ++gen_it) {
562  const std::string& instantiation_name = gen_it->name;
563  ParamGenerator<ParamType> generator((*gen_it->generator)());
564  ParamNameGeneratorFunc* name_func = gen_it->name_func;
565  const char* file = gen_it->file;
566  int line = gen_it->line;
567 
568  std::string test_suite_name;
569  if (!instantiation_name.empty())
570  test_suite_name = instantiation_name + "/";
571  test_suite_name += test_info->test_suite_base_name;
572 
573  size_t i = 0;
574  std::set<std::string> test_param_names;
575  for (typename ParamGenerator<ParamType>::iterator param_it =
576  generator.begin();
577  param_it != generator.end(); ++param_it, ++i) {
578  generated_instantiations = true;
579 
580  Message test_name_stream;
581 
582  std::string param_name =
583  name_func(TestParamInfo<ParamType>(*param_it, i));
584 
585  GTEST_CHECK_(IsValidParamName(param_name))
586  << "Parameterized test name '" << param_name
587  << "' is invalid, in " << file << " line " << line << std::endl;
588 
589  GTEST_CHECK_(test_param_names.count(param_name) == 0)
590  << "Duplicate parameterized test name '" << param_name << "', in "
591  << file << " line " << line << std::endl;
592 
593  test_param_names.insert(param_name);
594 
595  if (!test_info->test_base_name.empty()) {
596  test_name_stream << test_info->test_base_name << "/";
597  }
598  test_name_stream << param_name;
600  test_suite_name.c_str(), test_name_stream.GetString().c_str(),
601  nullptr, // No type parameter.
602  PrintToString(*param_it).c_str(), test_info->code_location,
603  GetTestSuiteTypeId(),
606  test_info->test_meta_factory->CreateTestFactory(*param_it));
607  } // for param_it
608  } // for gen_it
609  } // for test_it
610 
611  if (!generated_instantiations) {
612  // There are no generaotrs, or they all generate nothing ...
613  InsertSyntheticTestCase(GetTestSuiteName(), code_location_,
614  !tests_.empty());
615  }
616  } // RegisterTests
617 
618  private:
619  // LocalTestInfo structure keeps information about a single test registered
620  // with TEST_P macro.
621  struct TestInfo {
622  TestInfo(const char* a_test_suite_base_name, const char* a_test_base_name,
623  TestMetaFactoryBase<ParamType>* a_test_meta_factory,
624  CodeLocation a_code_location)
625  : test_suite_base_name(a_test_suite_base_name),
626  test_base_name(a_test_base_name),
627  test_meta_factory(a_test_meta_factory),
628  code_location(a_code_location) {}
629 
630  const std::string test_suite_base_name;
631  const std::string test_base_name;
632  const std::unique_ptr<TestMetaFactoryBase<ParamType>> test_meta_factory;
633  const CodeLocation code_location;
634  };
635  using TestInfoContainer = ::std::vector<std::shared_ptr<TestInfo>>;
636  // Records data received from INSTANTIATE_TEST_SUITE_P macros:
637  // <Instantiation name, Sequence generator creation function,
638  // Name generator function, Source file, Source line>
639  struct InstantiationInfo {
640  InstantiationInfo(const std::string& name_in,
641  GeneratorCreationFunc* generator_in,
642  ParamNameGeneratorFunc* name_func_in, const char* file_in,
643  int line_in)
644  : name(name_in),
645  generator(generator_in),
646  name_func(name_func_in),
647  file(file_in),
648  line(line_in) {}
649 
650  std::string name;
651  GeneratorCreationFunc* generator;
652  ParamNameGeneratorFunc* name_func;
653  const char* file;
654  int line;
655  };
656  typedef ::std::vector<InstantiationInfo> InstantiationContainer;
657 
658  static bool IsValidParamName(const std::string& name) {
659  // Check for empty string
660  if (name.empty()) return false;
661 
662  // Check for invalid characters
663  for (std::string::size_type index = 0; index < name.size(); ++index) {
664  if (!IsAlNum(name[index]) && name[index] != '_') return false;
665  }
666 
667  return true;
668  }
669 
670  const std::string test_suite_name_;
671  CodeLocation code_location_;
672  TestInfoContainer tests_;
673  InstantiationContainer instantiations_;
674 
677  delete;
678 }; // class ParameterizedTestSuiteInfo
679 
680 // Legacy API is deprecated but still available
681 #ifndef GTEST_REMOVE_LEGACY_TEST_CASEAPI_
682 template <class TestCase>
684 #endif // GTEST_REMOVE_LEGACY_TEST_CASEAPI_
685 
686 // INTERNAL IMPLEMENTATION - DO NOT USE IN USER CODE.
687 //
688 // ParameterizedTestSuiteRegistry contains a map of
689 // ParameterizedTestSuiteInfoBase classes accessed by test suite names. TEST_P
690 // and INSTANTIATE_TEST_SUITE_P macros use it to locate their corresponding
691 // ParameterizedTestSuiteInfo descriptors.
693  public:
696  for (auto& test_suite_info : test_suite_infos_) {
697  delete test_suite_info;
698  }
699  }
700 
701  // Looks up or creates and returns a structure containing information about
702  // tests and instantiations of a particular test suite.
703  template <class TestSuite>
705  const char* test_suite_name, CodeLocation code_location) {
706  ParameterizedTestSuiteInfo<TestSuite>* typed_test_info = nullptr;
707  for (auto& test_suite_info : test_suite_infos_) {
708  if (test_suite_info->GetTestSuiteName() == test_suite_name) {
709  if (test_suite_info->GetTestSuiteTypeId() != GetTypeId<TestSuite>()) {
710  // Complain about incorrect usage of Google Test facilities
711  // and terminate the program since we cannot guaranty correct
712  // test suite setup and tear-down in this case.
713  ReportInvalidTestSuiteType(test_suite_name, code_location);
714  posix::Abort();
715  } else {
716  // At this point we are sure that the object we found is of the same
717  // type we are looking for, so we downcast it to that type
718  // without further checks.
719  typed_test_info = CheckedDowncastToActualType<
720  ParameterizedTestSuiteInfo<TestSuite>>(test_suite_info);
721  }
722  break;
723  }
724  }
725  if (typed_test_info == nullptr) {
726  typed_test_info = new ParameterizedTestSuiteInfo<TestSuite>(
727  test_suite_name, code_location);
728  test_suite_infos_.push_back(typed_test_info);
729  }
730  return typed_test_info;
731  }
732  void RegisterTests() {
733  for (auto& test_suite_info : test_suite_infos_) {
734  test_suite_info->RegisterTests();
735  }
736  }
737 // Legacy API is deprecated but still available
738 #ifndef GTEST_REMOVE_LEGACY_TEST_CASEAPI_
739  template <class TestCase>
741  const char* test_case_name, CodeLocation code_location) {
742  return GetTestSuitePatternHolder<TestCase>(test_case_name, code_location);
743  }
744 
745 #endif // GTEST_REMOVE_LEGACY_TEST_CASEAPI_
746 
747  private:
748  using TestSuiteInfoContainer = ::std::vector<ParameterizedTestSuiteInfoBase*>;
749 
750  TestSuiteInfoContainer test_suite_infos_;
751 
753  delete;
755  const ParameterizedTestSuiteRegistry&) = delete;
756 };
757 
758 // Keep track of what type-parameterized test suite are defined and
759 // where as well as which are intatiated. This allows susequently
760 // identifying suits that are defined but never used.
762  public:
763  // Add a suite definition
764  void RegisterTestSuite(const char* test_suite_name,
765  CodeLocation code_location);
766 
767  // Add an instantiation of a suit.
768  void RegisterInstantiation(const char* test_suite_name);
769 
770  // For each suit repored as defined but not reported as instantiation,
771  // emit a test that reports that fact (configurably, as an error).
772  void CheckForInstantiations();
773 
774  private:
775  struct TypeParameterizedTestSuiteInfo {
776  explicit TypeParameterizedTestSuiteInfo(CodeLocation c)
777  : code_location(c), instantiated(false) {}
778 
779  CodeLocation code_location;
780  bool instantiated;
781  };
782 
783  std::map<std::string, TypeParameterizedTestSuiteInfo> suites_;
784 };
785 
786 } // namespace internal
787 
788 // Forward declarations of ValuesIn(), which is implemented in
789 // include/gtest/gtest-param-test.h.
790 template <class Container>
792  const Container& container);
793 
794 namespace internal {
795 // Used in the Values() function to provide polymorphic capabilities.
796 
797 #ifdef _MSC_VER
798 #pragma warning(push)
799 #pragma warning(disable : 4100)
800 #endif
801 
802 template <typename... Ts>
803 class ValueArray {
804  public:
805  explicit ValueArray(Ts... v) : v_(FlatTupleConstructTag{}, std::move(v)...) {}
806 
807  template <typename T>
808  operator ParamGenerator<T>() const { // NOLINT
809  return ValuesIn(MakeVector<T>(MakeIndexSequence<sizeof...(Ts)>()));
810  }
811 
812  private:
813  template <typename T, size_t... I>
814  std::vector<T> MakeVector(IndexSequence<I...>) const {
815  return std::vector<T>{static_cast<T>(v_.template Get<I>())...};
816  }
817 
818  FlatTuple<Ts...> v_;
819 };
820 
821 #ifdef _MSC_VER
822 #pragma warning(pop)
823 #endif
824 
825 template <typename... T>
827  : public ParamGeneratorInterface<::std::tuple<T...>> {
828  public:
829  typedef ::std::tuple<T...> ParamType;
830 
832  : generators_(g) {}
834 
836  return new Iterator(this, generators_, false);
837  }
839  return new Iterator(this, generators_, true);
840  }
841 
842  private:
843  template <class I>
844  class IteratorImpl;
845  template <size_t... I>
846  class IteratorImpl<IndexSequence<I...>>
847  : public ParamIteratorInterface<ParamType> {
848  public:
849  IteratorImpl(const ParamGeneratorInterface<ParamType>* base,
850  const std::tuple<ParamGenerator<T>...>& generators,
851  bool is_end)
852  : base_(base),
853  begin_(std::get<I>(generators).begin()...),
854  end_(std::get<I>(generators).end()...),
855  current_(is_end ? end_ : begin_) {
856  ComputeCurrentValue();
857  }
858  ~IteratorImpl() override {}
859 
860  const ParamGeneratorInterface<ParamType>* BaseGenerator() const override {
861  return base_;
862  }
863  // Advance should not be called on beyond-of-range iterators
864  // so no component iterators must be beyond end of range, either.
865  void Advance() override {
866  assert(!AtEnd());
867  // Advance the last iterator.
868  ++std::get<sizeof...(T) - 1>(current_);
869  // if that reaches end, propagate that up.
870  AdvanceIfEnd<sizeof...(T) - 1>();
871  ComputeCurrentValue();
872  }
873  ParamIteratorInterface<ParamType>* Clone() const override {
874  return new IteratorImpl(*this);
875  }
876 
877  const ParamType* Current() const override { return current_value_.get(); }
878 
879  bool Equals(const ParamIteratorInterface<ParamType>& other) const override {
880  // Having the same base generator guarantees that the other
881  // iterator is of the same type and we can downcast.
882  GTEST_CHECK_(BaseGenerator() == other.BaseGenerator())
883  << "The program attempted to compare iterators "
884  << "from different generators." << std::endl;
885  const IteratorImpl* typed_other =
886  CheckedDowncastToActualType<const IteratorImpl>(&other);
887 
888  // We must report iterators equal if they both point beyond their
889  // respective ranges. That can happen in a variety of fashions,
890  // so we have to consult AtEnd().
891  if (AtEnd() && typed_other->AtEnd()) return true;
892 
893  bool same = true;
894  bool dummy[] = {
895  (same = same && std::get<I>(current_) ==
896  std::get<I>(typed_other->current_))...};
897  (void)dummy;
898  return same;
899  }
900 
901  private:
902  template <size_t ThisI>
903  void AdvanceIfEnd() {
904  if (std::get<ThisI>(current_) != std::get<ThisI>(end_)) return;
905 
906  bool last = ThisI == 0;
907  if (last) {
908  // We are done. Nothing else to propagate.
909  return;
910  }
911 
912  constexpr size_t NextI = ThisI - (ThisI != 0);
913  std::get<ThisI>(current_) = std::get<ThisI>(begin_);
914  ++std::get<NextI>(current_);
915  AdvanceIfEnd<NextI>();
916  }
917 
918  void ComputeCurrentValue() {
919  if (!AtEnd())
920  current_value_ = std::make_shared<ParamType>(*std::get<I>(current_)...);
921  }
922  bool AtEnd() const {
923  bool at_end = false;
924  bool dummy[] = {
925  (at_end = at_end || std::get<I>(current_) == std::get<I>(end_))...};
926  (void)dummy;
927  return at_end;
928  }
929 
930  const ParamGeneratorInterface<ParamType>* const base_;
931  std::tuple<typename ParamGenerator<T>::iterator...> begin_;
932  std::tuple<typename ParamGenerator<T>::iterator...> end_;
933  std::tuple<typename ParamGenerator<T>::iterator...> current_;
934  std::shared_ptr<ParamType> current_value_;
935  };
936 
937  using Iterator = IteratorImpl<typename MakeIndexSequence<sizeof...(T)>::type>;
938 
939  std::tuple<ParamGenerator<T>...> generators_;
940 };
941 
942 template <class... Gen>
944  public:
945  CartesianProductHolder(const Gen&... g) : generators_(g...) {}
946  template <typename... T>
947  operator ParamGenerator<::std::tuple<T...>>() const {
948  return ParamGenerator<::std::tuple<T...>>(
949  new CartesianProductGenerator<T...>(generators_));
950  }
951 
952  private:
953  std::tuple<Gen...> generators_;
954 };
955 
956 template <typename From, typename To>
958  public:
960  : generator_(std::move(gen)) {}
961 
962  ParamIteratorInterface<To>* Begin() const override {
963  return new Iterator(this, generator_.begin(), generator_.end());
964  }
965  ParamIteratorInterface<To>* End() const override {
966  return new Iterator(this, generator_.end(), generator_.end());
967  }
968 
969  private:
970  class Iterator : public ParamIteratorInterface<To> {
971  public:
972  Iterator(const ParamGeneratorInterface<To>* base, ParamIterator<From> it,
974  : base_(base), it_(it), end_(end) {
975  if (it_ != end_) value_ = std::make_shared<To>(static_cast<To>(*it_));
976  }
977  ~Iterator() override {}
978 
979  const ParamGeneratorInterface<To>* BaseGenerator() const override {
980  return base_;
981  }
982  void Advance() override {
983  ++it_;
984  if (it_ != end_) value_ = std::make_shared<To>(static_cast<To>(*it_));
985  }
986  ParamIteratorInterface<To>* Clone() const override {
987  return new Iterator(*this);
988  }
989  const To* Current() const override { return value_.get(); }
990  bool Equals(const ParamIteratorInterface<To>& other) const override {
991  // Having the same base generator guarantees that the other
992  // iterator is of the same type and we can downcast.
993  GTEST_CHECK_(BaseGenerator() == other.BaseGenerator())
994  << "The program attempted to compare iterators "
995  << "from different generators." << std::endl;
996  const ParamIterator<From> other_it =
997  CheckedDowncastToActualType<const Iterator>(&other)->it_;
998  return it_ == other_it;
999  }
1000 
1001  private:
1002  Iterator(const Iterator& other) = default;
1003 
1004  const ParamGeneratorInterface<To>* const base_;
1005  ParamIterator<From> it_;
1006  ParamIterator<From> end_;
1007  std::shared_ptr<To> value_;
1008  }; // class ParamGeneratorConverter::Iterator
1009 
1010  ParamGenerator<From> generator_;
1011 }; // class ParamGeneratorConverter
1012 
1013 template <class Gen>
1015  public:
1017  : generator_(std::move(g)) {}
1018 
1019  template <typename T>
1020  operator ParamGenerator<T>() const { // NOLINT
1021  return ParamGenerator<T>(new ParamGeneratorConverter<Gen, T>(generator_));
1022  }
1023 
1024  private:
1025  ParamGenerator<Gen> generator_;
1026 };
1027 
1028 } // namespace internal
1029 } // namespace testing
1030 
1031 #endif // GOOGLETEST_INCLUDE_GTEST_INTERNAL_GTEST_PARAM_UTIL_H_
void TestNotEmpty(const T &)
GTEST_API_ void InsertSyntheticTestCase(const std::string &name, CodeLocation location, bool has_test_p)
std::string operator()(const TestParamInfo< ParamType > &info) const
doublereal * c
doublereal * g
ParamIteratorInterface< T > * End() const override
::std::string PrintToString(const T &value)
typename TestSuite::ParamType ParamType
constexpr bool Equals(const char(&a)[N], const char(&b)[M])
ParamConverterGenerator(ParamGenerator< Gen > g)
TestParamInfo(const ParamType &a_param, size_t an_index)
#define GTEST_API_
Definition: gtest-port.h:793
ParamGenerator(const ParamGenerator &other)
ParamIteratorInterface< To > * Begin() const override
RangeGenerator(T begin, T end, IncrementT step)
ValuesInIteratorRangeGenerator(ForwardIterator begin, ForwardIterator end)
internal::ParamGenerator< typename std::iterator_traits< ForwardIterator >::value_type > ValuesIn(ForwardIterator begin, ForwardIterator end)
void AddTestPattern(const char *test_suite_name, const char *test_base_name, TestMetaFactoryBase< ParamType > *meta_factory, CodeLocation code_location)
#define i
ParamIterator(const ParamIterator &other)
ParamIteratorInterface< T > * Begin() const override
typename MakeIndexSequenceImpl< N >::type MakeIndexSequence
ParamIteratorInterface< To > * End() const override
const void * TypeId
TestFactoryBase * CreateTestFactory(ParamType parameter) override
int AddTestSuiteInstantiation(const std::string &instantiation_name, GeneratorCreationFunc *func, ParamNameGeneratorFunc *name_func, const char *file, int line)
viol type
#define GTEST_CHECK_(condition)
Definition: gtest-port.h:1025
GTEST_API_ TestInfo * MakeAndRegisterTestInfo(const char *test_suite_name, const char *name, const char *type_param, const char *value_param, CodeLocation code_location, TypeId fixture_class_id, SetUpTestSuiteFunc set_up_tc, TearDownTestSuiteFunc tear_down_tc, TestFactoryBase *factory)
bool operator==(const ParamIterator &other) const
std::string(const TestParamInfo< ParamType > &) ParamNameGeneratorFunc
ParamGeneratorConverter(ParamGenerator< From > gen)
CartesianProductGenerator(const std::tuple< ParamGenerator< T >... > &g)
ParameterizedTestSuiteInfo(const char *name, CodeLocation code_location)
double dummy
ParameterizedTestSuiteInfo< TestSuite > * GetTestSuitePatternHolder(const char *test_suite_name, CodeLocation code_location)
std::string DefaultParamName(const TestParamInfo< ParamType > &info)
std::string GetString() const
virtual const ParamGeneratorInterface< T > * BaseGenerator() const =0
ParamIteratorInterface< T > * Begin() const override
GTEST_API_ void ReportInvalidTestSuiteType(const char *test_suite_name, CodeLocation code_location)
ParamIteratorInterface< T > * End() const override
bool operator!=(const ParamIterator &other) const
ParamGenerator & operator=(const ParamGenerator &other)
ParamIteratorInterface< ParamType > * Begin() const override
ParameterizedTestCaseInfo< TestCase > * GetTestCasePatternHolder(const char *test_case_name, CodeLocation code_location)
const std::string & GetTestSuiteName() const override
virtual ParamIteratorInterface * Clone() const =0
ParamGenerator(ParamGeneratorInterface< T > *impl)
Derived * CheckedDowncastToActualType(Base *base)
Definition: gtest-port.h:1138
ParamIterator & operator=(const ParamIterator &other)
ParamIteratorInterface< ParamType > * End() const override
bool IsAlNum(char ch)
Definition: gtest-port.h:1924