这很简单:我想模仿一个禁用的项目的颜色变化而不禁用它。
有QTableWidgetItem
和QStandardItem
项,我正在使用这样的代码
item->setForeground( enabled ? QApplication::palette().color( QPalette::Text ) : QApplication::palette().color( QPalette::Disabled, QPalette::Text ) );
马上。但是,如果用户使用新调色板调用
QApplication::setPalette( ... )
,则必须手动刷新该项目。我宁愿设置ColorGroup
和Role
,因此Qt知道如何刷新。有可能这样做吗? 最佳答案
要自动执行,必须覆盖QStyledItemDelegate的initStyleOption()方法,并将伪造的启用与新角色相关联:
#include <QtWidgets>
enum FakeRoles {
FakeEnableRole = Qt::UserRole + 1000
};
class ForegroundDelegate: public QStyledItemDelegate
{
public:
using QStyledItemDelegate::QStyledItemDelegate;
protected:
void initStyleOption(QStyleOptionViewItem *option, const QModelIndex &index) const override{
QStyledItemDelegate::initStyleOption(option, index);
QVariant val = index.data(FakeRoles::FakeEnableRole);
if(val.canConvert<bool>()){
bool enabled = val.value<bool>();
option->palette.setBrush(QPalette::Text,
QApplication::palette().color(enabled ? QPalette::Active:
QPalette::Disabled, QPalette::Text));
}
}
};
int main(int argc, char *argv[])
{
QApplication a(argc, argv);
QTableWidget w(4, 4);
ForegroundDelegate *delegate = new ForegroundDelegate(&w);
w.setItemDelegate(delegate);
for(int i=0; i< w.rowCount(); ++i)
for (int j=0; j< w.columnCount(); ++j) {
QTableWidgetItem *it = new QTableWidgetItem(QString("%1-%2").arg(i).arg(j));
w.setItem(i, j, it);
bool enabled = QRandomGenerator::global()->bounded(0, 2) == 0;
it->setData(FakeRoles::FakeEnableRole, enabled);
}
w.show();
QTimer::singleShot(1000, [](){
QPalette pal = QApplication::palette();
pal.setColor(QPalette::Active, QPalette::Text, QColor("salmon"));
pal.setColor(QPalette::Disabled, QPalette::Text, QColor("cyan"));
QApplication::setPalette(pal);
});
return a.exec();
}
关于c++ - 基于QApplication::palette()的颜色样式行为,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/55617335/