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