1

在 Qt 4.8.6 中,是否有一种QCoreApplication::applicationName()无需编程即可在 GUI 中显示值的机制?我的意思是,是否有一组占位符可用于QWidget::windowTitle()QLabel::text()其他属性,它们将被一些常见的字符串(如应用程序名称或版本)替换?类似于 中的[*]占位符QWidget::windowTitle()

4

2 回答 2

2

不,没有现有的机制可以做到这一点。幸运的是,您可以实现自己的。

要替换控件中的文本,您可以使用代理样式来替换您指定的所有出现的“宏”。

要替换窗口标题中的文本,您必须截取QEvent::WindowTitleChange.

为了使这些宏独一无二,你应该用一些控制代码来包装它们:这里是 US/RS。下面是一个完整的例子。

// https://github.com/KubaO/stackoverflown/tree/master/questions/text-wildcard-40235510
#include <QtWidgets>

constexpr auto US = QChar{0x1F};
constexpr auto RS = QChar{0x1E};

class SubstitutingStyle : public QProxyStyle
{
    Q_OBJECT
    QMap<QString, QString> substs;
public:
    static QString _(QString str) {
        str.prepend(US);
        str.append(RS);
        return str;
    }
    void add(const QString & from, const QString & to) {
        substs.insert(_(from), to);
    }
    QString substituted(QString text) const {
        for (auto it = substs.begin(); it != substs.end(); ++it)
            text.replace(it.key(), it.value());
        return text;
    }
    virtual void drawItemText(
            QPainter * painter, const QRect & rect, int flags, const QPalette & pal,
            bool enabled, const QString & text, QPalette::ColorRole textRole = QPalette::NoRole) const override;
};

void SubstitutingStyle::drawItemText(
        QPainter * painter, const QRect & rect, int flags, const QPalette & pal,
        bool enabled, const QString & text, QPalette::ColorRole textRole) const
{
    QProxyStyle::drawItemText(painter, rect, flags, pal, enabled, substituted(text), textRole);
}

template <typename Base> class SubstitutingApp : public Base {
public:
    using Base::Base;
    bool notify(QObject * obj, QEvent * ev) override {
        if (ev->type() == QEvent::WindowTitleChange) {
            auto w = qobject_cast<QWidget*>(obj);
            auto s = qobject_cast<SubstitutingStyle*>(this->style());
            if (w && s) w->setWindowTitle(s->substituted(w->windowTitle()));
        }
        return Base::notify(obj, ev);
    }
};

int main(int argc, char ** argv) {
    SubstitutingApp<QApplication> app{argc, argv};
    auto style = new SubstitutingStyle;
    app.setApplicationVersion("0.0.1");
    app.setStyle(style);
    style->add("version", app.applicationVersion());

    QLabel label{"My Version is: \x1Fversion\x1E"};
    label.setWindowTitle("Foo \x1Fversion\x1E");
    label.setMinimumSize(200, 100);
    label.show();
    return app.exec();
}
#include "main.moc"

另请参阅:控制文本省略

于 2016-10-25T20:28:42.167 回答
1

如果我正确理解您的问题,那么qtTrId应该可以帮助您。它不是通配符,但您可以选择任何ID您想要的。

细节:

应该对此示例进行一些更改。

  1. 使用qtTrIdwithIDs而不是tr,例如:

    QPushButton hello(qtTrId("applicationNameId"));

  2. 在这里的第五步,你应该-idbased给工具输入参数lrelease

    lrelease -idbased hellotr_la.ts

注意: hellotr_la.ts 已在此处lupdate的第一步中生成

于 2016-10-25T09:15:06.313 回答