I've seen at least one StackOverflow answer suggesting that I need to use a NSTableRowView if I want a custom color for my NSTableView's selected cell state. So I created a custom subclass and added some NSTableViewDelegate calls to use the subclass:
func tableView(_ tableView: NSTableView, rowViewForRow row: Int) -> NSTableRowView? {
return QueriesTableRow()
}
override func didAdd(_ rowView: NSTableRowView, forRow row: Int) {
rowView.backgroundColor = QueriesTableRow.baseColor
}
func tableViewSelectionDidChange(_ notification: Notification) {
if let tableView = notification.object as? NSTableView {
tableView.enumerateAvailableRowViews { (rowView, _) in
print("Calling setNeedsDisplay on: \(rowView)")
rowView.setNeedsDisplay(rowView.bounds)
}
}
}
And here's the code for the NSTableRowView subclass:
class QueriesTableRow: NSTableRowView {
static let baseColor = NSColor.yellow.withAlphaComponent(0.4)
override func drawSelection(in dirtyRect: NSRect) {
var color: NSColor
if isSelected {
color = NSColor.tertiaryLabelColor
} else {
color = QueriesTableRow.baseColor
}
print("QueriesTableRow set color to: \(color) on \(self)")
backgroundColor = color
}
}
This works fine to display the cell as desired initially, and to change its color when it's selected. But when I deselect a selected cell, calling setNeedsDisplay on the rowView does not trigger its drawSelection(in:) method, and the cell's color does not revert to reflect its deselected state.
The print statements produce:
QueriesTableRow set color to: Catalog color: System tertiaryLabelColor on <Analytics_Query.QueriesTableRow: 0x7fa4d8c26610> - row: 0
Calling setNeedsDisplay on: <Analytics_Query.QueriesTableRow: 0x7fa4d8c26610> - row: 0
QueriesTableRow set color to: Catalog color: System tertiaryLabelColor on <Analytics_Query.QueriesTableRow: 0x7fa4d8c26610> - row: 0
Calling setNeedsDisplay on: <Analytics_Query.QueriesTableRow: 0x7fa4d8c26610> - row: 0
Can somebody suggest a fix for this?
After watching the WWDC 2011 video referenced in the answer that Willeke pointed me to, I came up with a solution that does exactly what I want.
Here's the NSTableViewDelegate code involved:
And here's the custom NSTableRowView code:
Now my cells display the specific color I want for selected and deselected state.