Louvre
Louvre

Reputation: 169

QSortFilterProxyModel does not apply Caseinsensitive

As I've subclassed QSortFilterModel to be able to search thru several coloumns in a QListView, the CaseInsensitive option no longer works. Ive tried to apply it as follows:

class CustomSortFilterProxyModel(QtCore.QSortFilterProxyModel):
    def __init__(self, parent=None):
        super(CustomSortFilterProxyModel, self).__init__(parent)
        self.filterString = ''
        self.filterFunctions = {} 
        self.setFilterCaseSensitivity(QtCore.Qt.CaseInsensitive) #Applied here



    def setFilterString(self, text):

        self.filterString = str(text)
        self.setFilterCaseSensitivity(QtCore.Qt.CaseInsensitive)    #And applied here
        self.invalidateFilter()

    def filterAcceptsRow(self, row_num, parent):

        self.filterColumns = [1,3]    
        model = self.sourceModel()  
        row = model.row(row_num)
        tests = [self.filterString in row[col] for col in self.filterColumns]

        return True in tests 

How come my search string is case sensitive?

Upvotes: 0

Views: 1450

Answers (1)

The Compiler
The Compiler

Reputation: 11929

The sensitivity you set there only applies to the default filterAcceptsRow implementation. If you override it, you'll need to handle this yourself, by doing something like:

return any(self.filterString.casefold() in row[col].casefold() for col in self.filterColumns))

(see the str.casefold docs)

Upvotes: 1

Related Questions