예제 #1
0
def test_abbreviator_with_multilevel():
    abb = Abbreviator(
        ['ham.eggs.foo', 'ham.spam.bar', 'eggs.ham.foo', 'eggs.hamspam.bar'])
    assert abb.abbreviate('ham.eggs.foo') == 'h.e.foo'
    assert abb.abbreviate('ham.spam.bar') == 'h.s.bar'
    assert abb.abbreviate('eggs.ham.foo') == 'e.ham.foo'
    assert abb.abbreviate('eggs.hamspam.bar') == 'e.hams.bar'
예제 #2
0
 def testresults(self, new_value):
     """Setter for test results."""
     self.beginResetModel()
     self.abbreviator = Abbreviator(res.name for res in new_value)
     self._testresults = new_value
     self.endResetModel()
     self.emit_summary()
def test_abbreviator_with_multilevel():
    abb = Abbreviator(['ham.eggs.foo', 'ham.spam.bar', 'eggs.ham.foo',
                       'eggs.hamspam.bar'])
    assert abb.abbreviate('ham.eggs.foo') == 'h.e.foo'
    assert abb.abbreviate('ham.spam.bar') == 'h.s.bar'
    assert abb.abbreviate('eggs.ham.foo') == 'e.ham.foo'
    assert abb.abbreviate('eggs.hamspam.bar') == 'e.hams.bar'
예제 #4
0
 def __init__(self, parent=None):
     """Constructor."""
     QAbstractItemModel.__init__(self, parent)
     self.abbreviator = Abbreviator()
     self.testresults = []
     try:
         self.monospace_font = parent.window().editor.get_plugin_font()
     except AttributeError:  # If run standalone for testing
         self.monospace_font = QFont("Courier New")
         self.monospace_font.setPointSize(10)
예제 #5
0
def test_abbreviator_with_one_word():
    abb = Abbreviator()
    abb.add('ham')
    assert abb.abbreviate('ham') == 'ham'
def test_abbreviator_with_second_word_prefix_of_first():
    abb = Abbreviator(['hameggs.x', 'ham.x'])
    assert abb.abbreviate('hameggs.x') == 'hame.x'
    assert abb.abbreviate('ham.x') == 'ham.x'
def test_abbreviator_with_three_words():
    abb = Abbreviator(['hamegg.x', 'hameggs.x', 'hall.x'])
    assert abb.abbreviate('hamegg.x') == 'hamegg.x'
    assert abb.abbreviate('hameggs.x') == 'hameggs.x'
    assert abb.abbreviate('hall.x') == 'hal.x'
def test_abbreviator_without_common_prefix():
    abb = Abbreviator(['ham.foo', 'spam.foo'])
    assert abb.abbreviate('ham.foo') == 'h.foo'
    assert abb.abbreviate('spam.foo') == 's.foo'
def test_abbreviator_with_prefix():
    abb = Abbreviator(['test_ham.x', 'test_spam.x'])
    assert abb.abbreviate('test_ham.x') == 'test_h.x'
    assert abb.abbreviate('test_spam.x') == 'test_s.x'
def test_abbreviator_with_one_word():
    abb = Abbreviator()
    abb.add('ham')
    assert abb.abbreviate('ham') == 'ham'
def test_abbreviator_with_one_word_with_three_components():
    abb = Abbreviator()
    abb.add('ham.spam.eggs')
    assert abb.abbreviate('ham.spam.eggs') == 'h.s.eggs'
예제 #12
0
def test_abbreviator_with_one_word_with_three_components():
    abb = Abbreviator()
    abb.add('ham.spam.eggs')
    assert abb.abbreviate('ham.spam.eggs') == 'h.s.eggs'
예제 #13
0
def test_abbreviator_without_common_prefix():
    abb = Abbreviator(['ham.foo', 'spam.foo'])
    assert abb.abbreviate('ham.foo') == 'h.foo'
    assert abb.abbreviate('spam.foo') == 's.foo'
예제 #14
0
class TestDataModel(QAbstractItemModel):
    """
    Model class storing test results for display.

    Test results are stored as a list of TestResults in the property
    `self.testresults`. Every test is exposed as a child of the root node,
    with extra information as second-level nodes.

    As in every model, an iteem of data is identified by its index, which is
    a tuple (row, column, id). The id is TOPLEVEL_ID for top-level items.
    For level-2 items, the id is the index of the test in `self.testresults`.

    Signals
    -------
    sig_summary(str)
       Emitted with new summary if test results change.
    """

    sig_summary = Signal(str)

    def __init__(self, parent=None):
        """Constructor."""
        QAbstractItemModel.__init__(self, parent)
        self.abbreviator = Abbreviator()
        self.testresults = []
        try:
            self.monospace_font = parent.window().editor.get_plugin_font()
        except AttributeError:  # If run standalone for testing
            self.monospace_font = QFont("Courier New")
            self.monospace_font.setPointSize(10)

    @property
    def testresults(self):
        """List of test results."""
        return self._testresults

    @testresults.setter
    def testresults(self, new_value):
        """Setter for test results."""
        self.beginResetModel()
        self.abbreviator = Abbreviator(res.name for res in new_value)
        self._testresults = new_value
        self.endResetModel()
        self.emit_summary()

    def add_testresults(self, new_tests):
        """
        Add new test results to the model.

        Arguments
        ---------
        new_tests : list of TestResult
        """
        firstRow = len(self.testresults)
        lastRow = firstRow + len(new_tests) - 1
        for test in new_tests:
            self.abbreviator.add(test.name)
        self.beginInsertRows(QModelIndex(), firstRow, lastRow)
        self.testresults.extend(new_tests)
        self.endInsertRows()
        self.emit_summary()

    def update_testresults(self, new_results):
        """
        Update some test results by new results.

        The tests in `new_results` should already be included in
        `self.testresults` (otherwise a `KeyError` is raised). This function
        replaces the existing results by `new_results`.

        Arguments
        ---------
        new_results: list of TestResult
        """
        idx_min = idx_max = None
        for new_result in new_results:
            for (idx, old_result) in enumerate(self.testresults):
                if old_result.name == new_result.name:
                    self.testresults[idx] = new_result
                    if idx_min is None:
                        idx_min = idx_max = idx
                    else:
                        idx_min = min(idx_min, idx)
                        idx_max = max(idx_max, idx)
                    break
            else:
                raise KeyError('test not found')
        if idx_min is not None:
            self.dataChanged.emit(self.index(idx_min, 0),
                                  self.index(idx_max, len(HEADERS) - 1))
            self.emit_summary()

    def index(self, row, column, parent=QModelIndex()):
        """
        Construct index to given item of data.

        If `parent` not valid, then the item of data is on the top level.
        """
        if not self.hasIndex(row, column, parent):  # check bounds etc.
            return QModelIndex()
        if not parent.isValid():
            return self.createIndex(row, column, TOPLEVEL_ID)
        else:
            testresult_index = parent.row()
            return self.createIndex(row, column, testresult_index)

    def data(self, index, role):
        """
        Return data in `role` for item of data that `index` points to.

        If `role` is `DisplayRole`, then return string to display.
        If `role` is `TooltipRole`, then return string for tool tip.
        If `role` is `FontRole`, then return monospace font for level-2 items.
        If `role` is `BackgroundRole`, then return background color.
        If `role` is `TextAlignmentRole`, then return right-aligned for time.
        If `role` is `UserRole`, then return location of test as (file, line).
        """
        if not index.isValid():
            return None
        row = index.row()
        column = index.column()
        id = index.internalId()
        if role == Qt.DisplayRole:
            if id != TOPLEVEL_ID:
                return self.testresults[id].extra_text[index.row()]
            elif column == STATUS_COLUMN:
                return self.testresults[row].status
            elif column == NAME_COLUMN:
                return self.abbreviator.abbreviate(self.testresults[row].name)
            elif column == MESSAGE_COLUMN:
                return self.testresults[row].message
            elif column == TIME_COLUMN:
                time = self.testresults[row].time
                return '' if time is None else '{:.2f}'.format(time * 1e3)
        elif role == Qt.ToolTipRole:
            if id == TOPLEVEL_ID and column == NAME_COLUMN:
                return self.testresults[row].name
        elif role == Qt.FontRole:
            if id != TOPLEVEL_ID:
                return self.monospace_font
        elif role == Qt.BackgroundRole:
            if id == TOPLEVEL_ID:
                testresult = self.testresults[row]
                return COLORS[testresult.category]
        elif role == Qt.TextAlignmentRole:
            if id == TOPLEVEL_ID and column == TIME_COLUMN:
                return Qt.AlignRight
        elif role == Qt.UserRole:
            if id == TOPLEVEL_ID:
                testresult = self.testresults[row]
                return (testresult.filename, testresult.lineno)
        else:
            return None

    def headerData(self, section, orientation, role=Qt.DisplayRole):
        """Return data for specified header."""
        if orientation == Qt.Horizontal and role == Qt.DisplayRole:
            return HEADERS[section]
        else:
            return None

    def parent(self, index):
        """Return index to parent of item that `index` points to."""
        if not index.isValid():
            return QModelIndex()
        id = index.internalId()
        if id == TOPLEVEL_ID:
            return QModelIndex()
        else:
            return self.index(id, 0)

    def rowCount(self, parent=QModelIndex()):
        """Return number of rows underneath `parent`."""
        if not parent.isValid():
            return len(self.testresults)
        if parent.internalId() == TOPLEVEL_ID and parent.column() == 0:
            return len(self.testresults[parent.row()].extra_text)
        return 0

    def columnCount(self, parent=QModelIndex()):
        """Return number of rcolumns underneath `parent`."""
        if not parent.isValid():
            return len(HEADERS)
        else:
            return 1

    def sort(self, column, order):
        """Sort model by `column` in `order`."""
        def key_time(result):
            return result.time or -1

        self.beginResetModel()
        reverse = order == Qt.DescendingOrder
        if column == STATUS_COLUMN:
            self.testresults.sort(key=attrgetter('category', 'status'),
                                  reverse=reverse)
        elif column == NAME_COLUMN:
            self.testresults.sort(key=attrgetter('name'), reverse=reverse)
        elif column == MESSAGE_COLUMN:
            self.testresults.sort(key=attrgetter('message'), reverse=reverse)
        elif column == TIME_COLUMN:
            self.testresults.sort(key=key_time, reverse=reverse)
        self.endResetModel()

    def summary(self):
        """Return summary for current results."""
        def n_test_or_tests(n):
            test_or_tests = _('test') if n == 1 else _('tests')
            return '{} {}'.format(n, test_or_tests)

        if not len(self.testresults):
            return _('No results to show.')
        counts = Counter(res.category for res in self.testresults)
        if all(counts[cat] == 0
               for cat in (Category.FAIL, Category.OK, Category.SKIP)):
            txt = n_test_or_tests(counts[Category.PENDING])
            return _('collected {}').format(txt)
        msg = _('{} failed').format(n_test_or_tests(counts[Category.FAIL]))
        msg += _(', {} passed').format(counts[Category.OK])
        if counts[Category.SKIP]:
            msg += _(', {} other').format(counts[Category.SKIP])
        if counts[Category.PENDING]:
            msg += _(', {} pending').format(counts[Category.PENDING])
        return msg

    def emit_summary(self):
        """Emit sig_summary with summary for current results."""
        self.sig_summary.emit(self.summary())
예제 #15
0
def test_abbreviator_with_one_word_with_two_components_and_parameters_with_dot(
):
    abb = Abbreviator()
    abb.add('ham.spam[.]')
    assert abb.abbreviate('ham.spam[x.]') == 'h.spam[x.]'
예제 #16
0
def test_abbreviator_with_prefix():
    abb = Abbreviator(['test_ham.x', 'test_spam.x'])
    assert abb.abbreviate('test_ham.x') == 'test_h.x'
    assert abb.abbreviate('test_spam.x') == 'test_s.x'
예제 #17
0
def test_abbreviator_with_three_words():
    abb = Abbreviator(['hamegg.x', 'hameggs.x', 'hall.x'])
    assert abb.abbreviate('hamegg.x') == 'hamegg.x'
    assert abb.abbreviate('hameggs.x') == 'hameggs.x'
    assert abb.abbreviate('hall.x') == 'hal.x'
예제 #18
0
def test_abbreviator_with_second_word_prefix_of_first():
    abb = Abbreviator(['hameggs.x', 'ham.x'])
    assert abb.abbreviate('hameggs.x') == 'hame.x'
    assert abb.abbreviate('ham.x') == 'ham.x'