Chromium Code Reviews
chromiumcodereview-hr@appspot.gserviceaccount.com (chromiumcodereview-hr) | Please choose your nickname with Settings | Help | Chromium Project | Gerrit Changes | Sign out
(2886)

Unified Diff: build/android/pylib/base/base_test_result.py

Issue 2392643003: Removes files from //build that we don't need (Closed)
Patch Set: Created 4 years, 2 months ago
Use n/p to move between diff chunks; N/P to move between comments. Draft comments are only viewable by you.
Jump to:
View side-by-side diff with in-line comments
Download patch
« no previous file with comments | « build/android/pylib/base/base_setup.py ('k') | build/android/pylib/base/base_test_result_unittest.py » ('j') | no next file with comments »
Expand Comments ('e') | Collapse Comments ('c') | Show Comments Hide Comments ('s')
Index: build/android/pylib/base/base_test_result.py
diff --git a/build/android/pylib/base/base_test_result.py b/build/android/pylib/base/base_test_result.py
deleted file mode 100644
index 58200f6d49535b64426b6d5160b01e7a3a010241..0000000000000000000000000000000000000000
--- a/build/android/pylib/base/base_test_result.py
+++ /dev/null
@@ -1,216 +0,0 @@
-# Copyright (c) 2013 The Chromium Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-"""Module containing base test results classes."""
-
-class ResultType(object):
- """Class enumerating test types."""
- PASS = 'PASS'
- SKIP = 'SKIP'
- FAIL = 'FAIL'
- CRASH = 'CRASH'
- TIMEOUT = 'TIMEOUT'
- UNKNOWN = 'UNKNOWN'
-
- @staticmethod
- def GetTypes():
- """Get a list of all test types."""
- return [ResultType.PASS, ResultType.SKIP, ResultType.FAIL,
- ResultType.CRASH, ResultType.TIMEOUT, ResultType.UNKNOWN]
-
-
-class BaseTestResult(object):
- """Base class for a single test result."""
-
- def __init__(self, name, test_type, duration=0, log=''):
- """Construct a BaseTestResult.
-
- Args:
- name: Name of the test which defines uniqueness.
- test_type: Type of the test result as defined in ResultType.
- duration: Time it took for the test to run in milliseconds.
- log: An optional string listing any errors.
- """
- assert name
- assert test_type in ResultType.GetTypes()
- self._name = name
- self._test_type = test_type
- self._duration = duration
- self._log = log
-
- def __str__(self):
- return self._name
-
- def __repr__(self):
- return self._name
-
- def __cmp__(self, other):
- # pylint: disable=W0212
- return cmp(self._name, other._name)
-
- def __hash__(self):
- return hash(self._name)
-
- def SetName(self, name):
- """Set the test name.
-
- Because we're putting this into a set, this should only be used if moving
- this test result into another set.
- """
- self._name = name
-
- def GetName(self):
- """Get the test name."""
- return self._name
-
- def SetType(self, test_type):
- """Set the test result type."""
- assert test_type in ResultType.GetTypes()
- self._test_type = test_type
-
- def GetType(self):
- """Get the test result type."""
- return self._test_type
-
- def GetDuration(self):
- """Get the test duration."""
- return self._duration
-
- def SetLog(self, log):
- """Set the test log."""
- self._log = log
-
- def GetLog(self):
- """Get the test log."""
- return self._log
-
-
-class TestRunResults(object):
- """Set of results for a test run."""
-
- def __init__(self):
- self._results = set()
-
- def GetLogs(self):
- """Get the string representation of all test logs."""
- s = []
- for test_type in ResultType.GetTypes():
- if test_type != ResultType.PASS:
- for t in sorted(self._GetType(test_type)):
- log = t.GetLog()
- if log:
- s.append('[%s] %s:' % (test_type, t))
- s.append(log)
- return '\n'.join(s)
-
- def GetGtestForm(self):
- """Get the gtest string representation of this object."""
- s = []
- plural = lambda n, s, p: '%d %s' % (n, p if n != 1 else s)
- tests = lambda n: plural(n, 'test', 'tests')
-
- s.append('[==========] %s ran.' % (tests(len(self.GetAll()))))
- s.append('[ PASSED ] %s.' % (tests(len(self.GetPass()))))
-
- skipped = self.GetSkip()
- if skipped:
- s.append('[ SKIPPED ] Skipped %s, listed below:' % tests(len(skipped)))
- for t in sorted(skipped):
- s.append('[ SKIPPED ] %s' % str(t))
-
- all_failures = self.GetFail().union(self.GetCrash(), self.GetTimeout(),
- self.GetUnknown())
- if all_failures:
- s.append('[ FAILED ] %s, listed below:' % tests(len(all_failures)))
- for t in sorted(self.GetFail()):
- s.append('[ FAILED ] %s' % str(t))
- for t in sorted(self.GetCrash()):
- s.append('[ FAILED ] %s (CRASHED)' % str(t))
- for t in sorted(self.GetTimeout()):
- s.append('[ FAILED ] %s (TIMEOUT)' % str(t))
- for t in sorted(self.GetUnknown()):
- s.append('[ FAILED ] %s (UNKNOWN)' % str(t))
- s.append('')
- s.append(plural(len(all_failures), 'FAILED TEST', 'FAILED TESTS'))
- return '\n'.join(s)
-
- def GetShortForm(self):
- """Get the short string representation of this object."""
- s = []
- s.append('ALL: %d' % len(self._results))
- for test_type in ResultType.GetTypes():
- s.append('%s: %d' % (test_type, len(self._GetType(test_type))))
- return ''.join([x.ljust(15) for x in s])
-
- def __str__(self):
- return self.GetLongForm()
-
- def AddResult(self, result):
- """Add |result| to the set.
-
- Args:
- result: An instance of BaseTestResult.
- """
- assert isinstance(result, BaseTestResult)
- self._results.add(result)
-
- def AddResults(self, results):
- """Add |results| to the set.
-
- Args:
- results: An iterable of BaseTestResult objects.
- """
- for t in results:
- self.AddResult(t)
-
- def AddTestRunResults(self, results):
- """Add the set of test results from |results|.
-
- Args:
- results: An instance of TestRunResults.
- """
- assert isinstance(results, TestRunResults)
- # pylint: disable=W0212
- self._results.update(results._results)
-
- def GetAll(self):
- """Get the set of all test results."""
- return self._results.copy()
-
- def _GetType(self, test_type):
- """Get the set of test results with the given test type."""
- return set(t for t in self._results if t.GetType() == test_type)
-
- def GetPass(self):
- """Get the set of all passed test results."""
- return self._GetType(ResultType.PASS)
-
- def GetSkip(self):
- """Get the set of all skipped test results."""
- return self._GetType(ResultType.SKIP)
-
- def GetFail(self):
- """Get the set of all failed test results."""
- return self._GetType(ResultType.FAIL)
-
- def GetCrash(self):
- """Get the set of all crashed test results."""
- return self._GetType(ResultType.CRASH)
-
- def GetTimeout(self):
- """Get the set of all timed out test results."""
- return self._GetType(ResultType.TIMEOUT)
-
- def GetUnknown(self):
- """Get the set of all unknown test results."""
- return self._GetType(ResultType.UNKNOWN)
-
- def GetNotPass(self):
- """Get the set of all non-passed test results."""
- return self.GetAll() - self.GetPass()
-
- def DidRunPass(self):
- """Return whether the test run was successful."""
- return not self.GetNotPass() - self.GetSkip()
-
« no previous file with comments | « build/android/pylib/base/base_setup.py ('k') | build/android/pylib/base/base_test_result_unittest.py » ('j') | no next file with comments »

Powered by Google App Engine
This is Rietveld 408576698