2 * Copyright (c) 2014-2017 Samsung Electronics Co., Ltd All Rights Reserved
4 * Licensed under the Apache License, Version 2.0 (the "License");
5 * you may not use this file except in compliance with the License.
6 * You may obtain a copy of the License at
8 * http://www.apache.org/licenses/LICENSE-2.0
10 * Unless required by applicable law or agreed to in writing, software
11 * distributed under the License is distributed on an "AS IS" BASIS,
12 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13 * See the License for the specific language governing permissions and
14 * limitations under the License.
17 * @file test_runner.cpp
18 * @author Przemyslaw Dobrowolski (p.dobrowolsk@samsung.com)
19 * @author Lukasz Wrzosek (l.wrzosek@samsung.com)
21 * @brief This file is the implementation file of test runner
24 #include <dpl/test/test_failed.h>
25 #include <dpl/test/test_ignored.h>
26 #include <dpl/test/test_runner.h>
27 #include <dpl/test/test_results_collector.h>
28 #include <dpl/test/safe_cleanup.h>
29 #include <dpl/exception.h>
30 #include <dpl/scoped_free.h>
31 #include <dpl/log/log.h>
32 #include <dpl/colors.h>
41 #include <libxml/xpath.h>
42 #include <libxml/xpathInternals.h>
43 #include <libxml/parser.h>
44 #include <libxml/tree.h>
46 #include <dpl/singleton_impl.h>
47 IMPLEMENT_SINGLETON(DPL::Test::TestRunner)
51 std::string getXMLNode(xmlNodePtr node)
54 xmlChar * value = xmlNodeGetContent(node);
55 ret = std::string(reinterpret_cast<char*>(value));
65 TestResult::FailStatus TryCatch(const std::function<void(void)> &func, std::string &reason) {
68 } catch (const DPL::Test::TestFailed &e) {
69 reason = e.GetMessage();
70 return TestResult::FailStatus::FAILED;
71 } catch (const DPL::Test::TestIgnored &e) {
72 reason = e.GetMessage();
73 return TestResult::FailStatus::IGNORED;
74 } catch (const std::exception &e) {
76 return TestResult::FailStatus::FAILED;
78 reason = "Unknown exception";
79 return TestResult::FailStatus::FAILED;
81 reason = std::string();
82 return TestResult::FailStatus::NONE;
85 void TestRunner::RegisterTest(TestCase* testCase)
87 m_currentGroup->Add(testCase);
90 void TestRunner::InitGroup(const char* name, TestGroup* group)
93 group = new TestGroup();
95 m_testGroups[name] = group;
96 m_currentGroup = group;
99 void TestRunner::normalizeXMLTag(std::string& str, const std::string& testcase)
101 //Add testcase if missing
102 std::string::size_type pos = str.find(testcase);
105 str = testcase + "_" + str;
108 //dpl test runner cannot have '-' character in name so it have to be replaced
109 // for TCT case to make comparision works
110 std::replace(str.begin(), str.end(), '-', '_');
113 bool TestRunner::filterGroupsByXmls(const std::vector<std::string> & files)
115 DECLARE_EXCEPTION_TYPE(DPL::Exception, XMLError)
117 const std::string idPath = "/test_definition/suite/set/testcase/@id";
120 std::map<std::string, bool> casesMap;
122 std::string testsuite;
123 if(!m_testGroups.empty())
125 for(auto cit = m_testGroups.begin(); cit != m_testGroups.end(); ++cit)
127 const TestCaseSet& tl = cit->second->GetTests();
130 for(auto cj = tl.begin(); cj != tl.end(); ++cj)
132 std::string name = (*cj)->GetName();
133 std::string::size_type st = name.find('_');
134 if(st != std::string::npos)
136 name = name.substr(0, st);
141 if(!testsuite.empty()) break;
152 for (const std::string &file : files)
155 xmlXPathContextPtr xpathCtx;
157 doc = xmlReadFile(file.c_str(), nullptr, 0);
158 if (doc == nullptr) {
159 ThrowMsg(XMLError, "File Problem");
162 xpathCtx = xmlXPathNewContext(doc);
163 if (xpathCtx == nullptr) {
165 "Error: unable to create new XPath context\n");
167 xpathCtx->node = xmlDocGetRootElement(doc);
171 xmlXPathObjectPtr xpathObject;
172 //get requested node's values
173 xpathObject = xmlXPathEvalExpression(BAD_CAST idPath.c_str(), xpathCtx);
174 if (xpathObject == nullptr)
176 ThrowMsg(XMLError, "XPath evaluation failure: " << idPath);
178 xmlNodeSetPtr nodes = xpathObject->nodesetval;
179 unsigned size = (nodes) ? nodes->nodeNr : 0;
180 LogDebug("Found " << size << " nodes matching xpath");
181 for(unsigned i = 0; i < size; ++i)
183 LogPedantic("Type: " << nodes->nodeTab[i]->type);
184 if (nodes->nodeTab[i]->type == XML_ATTRIBUTE_NODE) {
185 xmlNodePtr curNode = nodes->nodeTab[i];
186 result = getXMLNode(curNode);
187 LogPedantic("Result: " << result);
188 normalizeXMLTag(result, testsuite);
189 casesMap.insert(make_pair(result, false));
192 //Cleanup of XPath data
193 xmlXPathFreeObject(xpathObject);
194 xmlXPathFreeContext(xpathCtx);
200 LogError("Libxml error: " << _rethrown_exception.DumpToString());
205 if(!filterByXML(casesMap))
213 bool TestRunner::filterByXML(std::map<std::string, bool> & casesMap)
215 for (auto &group : m_testGroups) {
216 group.second->RemoveIf([&](const TestCasePtr test){
217 return (casesMap.find(test->GetName()) == casesMap.end());
220 for (auto &cs : casesMap)
222 if(cs.second == false)
224 LogError("Cannot find testcase from XML file: " << cs.first);
231 void TestRunner::RunTestCase(TestCasePtr testCase)
233 setCurrentTestCase(testCase);
234 m_deferDeepness = 0U;
236 std::string initReason;
237 TestResult::FailStatus initStatus = TryCatch(std::bind(&TestCase::Init, testCase),
239 if (initStatus != TestResult::FailStatus::NONE) {
240 CollectResult(testCase->GetName(),
241 TestResult(initStatus, getConcatedFailReason(initReason), testCase->GetPerformance()));
242 setCurrentTestCase(nullptr);
246 SafeCleanup::reset();
248 std::string testReason;
249 TestResult::FailStatus testStatus = TryCatch(std::bind(&TestCase::Test, testCase),
251 testReason = getConcatedFailReason(testReason);
252 std::string finishReason;
253 TestResult::FailStatus finishStatus = TryCatch(std::bind(&TestCase::Finish, testCase),
255 finishReason = getConcatedFailReason(finishReason);
257 std::string cleanupReason = SafeCleanup::dump();
259 switch (finishStatus) {
260 case TestResult::FailStatus::FAILED:
261 testStatus = TestResult::FailStatus::FAILED;
262 if (!testReason.empty())
264 testReason += finishReason;
265 if (!cleanupReason.empty()) {
266 if (!testReason.empty())
268 testReason += cleanupReason;
271 case TestResult::FailStatus::IGNORED:
272 if (testStatus == TestResult::FailStatus::NONE)
273 testStatus = TestResult::FailStatus::IGNORED;
274 if (!testReason.empty())
276 testReason += finishReason;
278 case TestResult::FailStatus::NONE:
279 if (!cleanupReason.empty()) {
280 if (!testReason.empty())
282 testReason += cleanupReason;
283 if (testStatus == TestResult::FailStatus::NONE)
284 testStatus = TestResult::FailStatus::FAILED;
288 Assert(false && "Unhandled fail status");
291 CollectResult(testCase->GetName(),
292 TestResult(testStatus, testReason, testCase->GetPerformance()));
293 setCurrentTestCase(nullptr);
296 void TestRunner::RunTests()
298 using namespace DPL::Colors::Text;
301 for (auto &collector : m_collectors) {
302 collector.second->Start();
306 for (auto &group : m_testGroups) {
307 count += group.second->GetTests().size();
309 fprintf(stderr, "%sFound %d testcases...%s\n", GREEN_BEGIN, count, GREEN_END);
310 fprintf(stderr, "%s%s%s\n", GREEN_BEGIN, "Running tests...", GREEN_END);
311 for (auto &group : m_testGroups) {
312 const TestCaseSet& set = group.second->GetTests();
314 group.second->Init();
316 for (auto &collector : m_collectors) {
317 collector.second->CollectCurrentTestGroupName(group.first);
320 for (TestCaseSet::const_iterator iterator = set.begin();
321 iterator != set.end();
324 TestCasePtr test = *iterator;
325 if (m_startTestId == test->GetName()) {
329 if (m_startTestId.empty()) {
332 if (m_terminate == true) {
333 // Terminate quietly without any logs
337 group.second->Finish();
341 std::for_each(m_collectors.begin(),
343 [] (const TestResultsCollectors::value_type & collector)
345 collector.second->Finish();
349 fprintf(stderr, "%s%s%s\n\n", GREEN_BEGIN, "Finished", GREEN_END);
352 TestCasePtr TestRunner::getCurrentTestCase()
354 return m_currentTestCase;
357 void TestRunner::setCurrentTestCase(TestCasePtr testCase)
359 m_currentTestCase = testCase;
362 void TestRunner::beginPerformance(std::chrono::system_clock::duration maxDurationInMicroseconds)
364 TestCasePtr testCase = getCurrentTestCase();
368 if (!testCase->GetPerformance())
369 testCase->SetPerformance(
370 std::unique_ptr<PerformanceResult> \
371 (new PerformanceResult(maxDurationInMicroseconds)));
374 void TestRunner::endPerformance()
376 TestCasePtr testCase = getCurrentTestCase();
380 testCase->GetPerformance()->Finish();
383 ConstPerformanceResultPtr TestRunner::getCurrentTestCasePerformanceResult()
385 TestCasePtr testCase = getCurrentTestCase();
389 return testCase->GetPerformance();
392 void TestRunner::setCurrentTestCasePerformanceResult(const PerformanceResultPtr &performance)
394 TestCasePtr testCase = getCurrentTestCase();
398 testCase->SetPerformance(performance);
401 void TestRunner::addFailReason(const std::string &reason)
403 m_failReason.push(reason);
406 std::string TestRunner::getConcatedFailReason(const std::string &reason)
409 while (!m_failReason.empty())
411 ret += m_failReason.front();
417 TestRunner::~TestRunner()
419 for(auto &g : m_testGroups)
423 void TestRunner::CollectResult(const std::string& id, const TestResult& result)
425 if (result.GetFailStatus() == TestResult::FailStatus::IGNORED && m_runIgnored)
428 std::for_each(m_collectors.begin(),
430 [&](const TestResultsCollectors::value_type & collector)
432 collector.second->CollectResult(id, result);
436 void TestRunner::Banner()
438 using namespace DPL::Colors::Text;
452 void TestRunner::InvalidArgs(const std::string& message)
454 using namespace DPL::Colors::Text;
462 void TestRunner::Usage()
464 fprintf(stderr, "Usage: runner [options]\n\n");
465 fprintf(stderr, "Output type:\n");
466 fprintf(stderr, " --output=<output type> --output=<output type> ...\n");
467 fprintf(stderr, "\n possible output types:\n");
468 for (std::string &type : TestResultsCollectorBase::GetCollectorsNames()) {
469 fprintf(stderr, " --output=%s\n", type.c_str());
471 fprintf(stderr, "\n example:\n");
473 " test-binary --output=text --output=xml --file=output.xml\n\n");
474 fprintf(stderr, "Other parameters:\n");
475 fprintf(stderr, " --test=<test name> Run only one test\n");
477 " --regexp='regexp'\t Only selected tests"
478 " which names match regexp run\n\n");
479 fprintf(stderr, " --start=<test id>\tStart from concrete test id\n");
480 fprintf(stderr, " --group=<group name>\t Run tests only from one group\n");
481 fprintf(stderr, " --runignored\t Run also ignored tests\n");
482 fprintf(stderr, " --list\t Show a list of Test IDs\n");
483 fprintf(stderr, " --listgroups\t Show a list of Test Group names \n");
484 fprintf(stderr, " --only-from-xml=<xml file>\t Run only testcases specified in XML file \n"
485 " XML name is taken from attribute id=\"part1_part2\" as whole.\n"
486 " If part1 is not found (no _) then it is implicitily "
487 "set according to suite part1 from binary tests\n");
490 " --listingroup=<group name>\t Show a list of Test IDS in one group\n");
491 fprintf(stderr, " --allowchildlogs\t Allow to print logs from child process on screen.\n");
492 fprintf(stderr, " When active child process will be able to print logs on stdout and stderr.\n");
493 fprintf(stderr, " Both descriptors will be closed after test.\n");
494 fprintf(stderr, " --help\t This help\n\n");
495 std::for_each(m_collectors.begin(),
497 [] (const TestResultsCollectors::value_type & collector)
500 "Output %s has specific args:\n",
501 collector.first.c_str());
505 CollectorSpecificHelp().c_str());
507 fprintf(stderr, "For bug reporting, please write to:\n");
508 fprintf(stderr, "<p.dobrowolsk@samsung.com>\n");
511 int TestRunner::ExecTestRunner(int argc, char *argv[])
513 std::vector<std::string> args;
514 for (int i = 0; i < argc; ++i) {
515 args.push_back(argv[i]);
517 return ExecTestRunner(args);
520 int TestRunner::ExecTestRunner(ArgsList args)
522 m_runIgnored = false;
523 // Parse command line
525 args.erase(args.begin());
527 bool showHelp = false;
528 bool justList = false;
529 std::vector<std::string> xmlFiles;
531 TestResultsCollectorBasePtr currentCollector;
533 // Parse each argument
534 for(std::string &arg : args)
536 const std::string test = "--test=";
537 const std::string regexp = "--regexp=";
538 const std::string output = "--output=";
539 const std::string groupId = "--group=";
540 const std::string runIgnored = "--runignored";
541 const std::string listCmd = "--list";
542 const std::string startCmd = "--start=";
543 const std::string listGroupsCmd = "--listgroups";
544 const std::string listInGroup = "--listingroup=";
545 const std::string allowChildLogs = "--allowchildlogs";
546 const std::string onlyFromXML = "--only-from-xml=";
548 if (currentCollector) {
549 if (currentCollector->ParseCollectorSpecificArg(arg)) {
554 if (arg.find(startCmd) == 0) {
555 arg.erase(0, startCmd.length());
556 for (auto &group : m_testGroups) {
557 for (auto &tc : group.second->GetTests()) {
558 if (tc->GetName() == arg) {
563 if (!m_startTestId.empty()) {
567 if (!m_startTestId.empty()) {
571 fprintf(stderr, "Start test id has not been found\n");
574 } else if (arg.find(groupId) == 0) {
575 arg.erase(0, groupId.length());
576 for (auto it = m_testGroups.begin(); it != m_testGroups.end();) {
577 if (it->first == arg)
580 it = m_testGroups.erase(it);
583 if (m_testGroups.empty()) {
584 fprintf(stderr, "Group %s not found\n", arg.c_str());
589 } else if (arg == runIgnored) {
591 } else if (arg == listCmd) {
593 } else if (arg == listGroupsCmd) {
594 for (auto &group : m_testGroups) {
595 printf("GR:%s\n", group.first.c_str());
598 } else if (arg.find(listInGroup) == 0) {
599 arg.erase(0, listInGroup.length());
600 auto it = m_testGroups.find(arg);
601 if (it == m_testGroups.end()) {
602 fprintf(stderr, "Group %s not found\n", arg.c_str());
607 for (auto &test : it->second->GetTests()) {
608 printf("ID:%s\n", test->GetName().c_str());
611 } else if (arg.find(allowChildLogs) == 0) {
612 arg.erase(0, allowChildLogs.length());
613 m_allowChildLogs = true;
614 } else if (arg == "--help") {
616 } else if (arg.find(output) == 0) {
617 arg.erase(0, output.length());
618 if (m_collectors.find(arg) != m_collectors.end()) {
620 "Multiple outputs of the same type are not supported!");
624 currentCollector.reset(TestResultsCollectorBase::Create(arg));
625 if (!currentCollector) {
626 InvalidArgs("Unsupported output type!");
630 m_collectors[arg] = currentCollector;
631 } else if (arg.find(regexp) == 0) {
632 arg.erase(0, regexp.length());
633 if (arg.length() == 0) {
639 if (arg[0] == '\'' && arg[arg.length() - 1] == '\'') {
641 arg.erase(arg.length() - 1);
644 if (arg.length() == 0) {
650 pcrecpp::RE re(arg.c_str());
651 for (auto &group : m_testGroups) {
652 group.second->RemoveIf([&](const TestCasePtr& test){
653 return !re.PartialMatch(test->GetName());
656 } else if (arg.find(test) == 0) {
657 arg.erase(0, test.length());
658 if (arg.length() == 0) {
664 if (arg[0] == '\'' && arg[arg.length() - 1] == '\'') {
666 arg.erase(arg.length() - 1);
669 if (arg.length() == 0) {
675 pcrecpp::RE re(arg.c_str());
676 for (auto &group : m_testGroups) {
677 group.second->RemoveIf([&](const TestCasePtr& test){
678 return !re.FullMatch(test->GetName());
681 } else if(arg.find(onlyFromXML) == 0) {
682 arg.erase(0, onlyFromXML.length());
683 if (arg.length() == 0) {
689 if (arg[0] == '\'' && arg[arg.length() - 1] == '\'') {
691 arg.erase(arg.length() - 1);
694 if (arg.length() == 0) {
700 xmlFiles.push_back(arg);
708 if(!xmlFiles.empty())
710 if(!filterGroupsByXmls(xmlFiles))
712 fprintf(stderr, "XML file is not correct\n");
719 for (auto &group : m_testGroups) {
720 for (auto &tc : group.second->GetTests()) {
721 printf("ID:%s:%s\n", group.first.c_str(), tc->GetName().c_str());
727 currentCollector.reset();
735 if (m_collectors.empty()) {
736 TestResultsCollectorBasePtr collector(
737 TestResultsCollectorBase::Create("text"));
738 m_collectors["text"] = collector;
741 for (auto &collector : m_collectors) {
742 if (!collector.second->Configure()) {
743 fprintf(stderr, "Could not configure selected output");
754 void TestRunner::Terminate()
759 bool TestRunner::GetAllowChildLogs()
761 return m_allowChildLogs;
764 bool TestRunner::GetRunIgnored() const
769 void TestRunner::deferFailedException(const DPL::Test::TestFailed &ex)
771 if (m_deferDeepness <= 0)
774 if (m_deferredExceptionsMessages.empty()) {
775 m_firstDeferredFail = ex;
776 m_firstDeferredExceptionType = DeferredExceptionType::DEFERRED_FAILED;
778 m_deferredExceptionsMessages.push_back(ex.GetMessage());
781 void TestRunner::deferIgnoredException(const DPL::Test::TestIgnored &ex)
783 if (m_deferDeepness <= 0)
786 if (m_deferredExceptionsMessages.empty()) {
787 m_firstDeferredIgnore = ex;
788 m_firstDeferredExceptionType = DeferredExceptionType::DEFERRED_IGNORED;
790 m_deferredExceptionsMessages.push_back(ex.GetMessage());
793 void TestRunner::deferBegin()
798 void TestRunner::deferEnd()
800 if (m_deferDeepness > 0)
803 if (m_deferDeepness > 0)
806 for (size_t i = 0; i < m_deferredExceptionsMessages.size(); ++i) {
807 addFailReason(m_deferredExceptionsMessages[i]);
810 if (!m_deferredExceptionsMessages.empty())
812 m_deferredExceptionsMessages.clear();
813 switch (m_firstDeferredExceptionType) {
814 case DeferredExceptionType::DEFERRED_FAILED:
815 throw m_firstDeferredFail;
816 case DeferredExceptionType::DEFERRED_IGNORED:
817 throw m_firstDeferredIgnore;
820 m_deferredExceptionsMessages.clear();