为什么我在QTableView中看不到掉落指示符?

时间:2016-06-13 17:13:45

标签: c++ qt qtableview qt5.6

我在我的QTableView(工作)中使用拖放功能。但是,我没有看到任何跌落指标。我应该看到一条应该插入掉线的线,不应该吗?至少here他们这样说。

我的初学者非常标准。

    // see model for implementing logic of drag
    this->viewport()->setAcceptDrops(allowDrop);
    this->setDragEnabled(allowDrag);
    this->setDropIndicatorShown(true);
    this->m_model->allowDrop(allowDrop);

我不知道为什么我没有看到指标。样式表与视图一起使用,可能就是原因。但是,我已经禁用了样式表,但仍然没有看到它。

视图使用整行进行选择,不确定这是否会导致问题。所以任何暗示都值得赞赏。

- 编辑 -

截至下面的评论,尝试了所有选择模式:单人,多人或扩展,没有视觉效果。也试过单元格而不是行选择,再没有任何改进。

- 编辑2 -

目前正在评估another style proxy example,与下面的内容类似,最初引用了here

- 相关 -

QTreeView draw drop indicator
How to highlight the entire row on mouse hover in QTableWidget: Qt5
https://forum.qt.io/topic/12794/mousehover-entire-row-selection-in-qtableview/7
https://stackoverflow.com/a/23111484/356726

1 个答案:

答案 0 :(得分:1)

我遇到了同样的问题,我尝试了两个对我有用的选项。 IIRC,帮助来自SO的回答。

  • 如果您是QTreeView的子类,则可以覆盖其paintEvent()方法。它默认调用drawTree()方法和paintDropIndicator()方法(后者属于QAbstractItemView私有类)。

您可以从drawTree()拨打paintEvent(),它也应该覆盖默认的拖放指示符:

class MyTreeView : public QTreeView
{
public:
    explicit MyTreeView(QWidget* parent = 0) : QTreeView(parent) {}

    void paintEvent(QPaintEvent * event)
    {
        QPainter painter(viewport());
        drawTree(&painter, event->region());
    }
};
  • 另一种方法是子类QProxyStyle并覆盖drawPrimitive()方法。当您将元素 QStyle::PE_IndicatorItemViewItemDrop作为参数时,您可以按自己的方式绘制它。

代码如下所示:

class MyOwnStyle : public QProxyStyle
{
public:
    MyOwnStyle(QStyle* style = 0) : QProxyStyle(style) {}

    void drawPrimitive(PrimitiveElement element, const QStyleOption* option, QPainter* painter, const QWidget* widget) const
    {
        if (element == QStyle::PE_IndicatorItemViewItemDrop)
        {
            //custom paint here, you can do nothing as well
            QColor c(Qt::white);
            QPen pen(c);
            pen.setWidth(1);

            painter->setPen(pen);
            if (!option->rect.isNull())
                painter->drawLine(option->rect.topLeft(), option->rect.topRight());
        }
        else
        {
            // the default style is applied
            QProxyStyle::drawPrimitive(element, option, painter, widget);
        }
    }
};