我有一个派生自QStyleOptionViewItem的自定义委托(delegate),它试图在paint方法中绘制多行(自动换行)长行文本。经过一些搜索和Qt文档阅读之后,我似乎需要使用QTextLayout来执行此任务,下面是我仍然将文本放在一行中的代码,有关如何将行环绕QStyleOptionViewItem的长度的任何提示通过了吗?谢谢!!

void Delegate::paint(QPainter *painter,
                     const QStyleOptionViewItem &option,
                     const QModelIndex &index) const
{
  painter->save();

  painter->translate(option.rect.topLeft());

  QString title = index.data(Qt::DisplayRole).toString();
  QTextLayout * layout = new QTextLayout(title, QApplication::font());

  layout->beginLayout();
  QTextLine line = layout->createLine();
  while (line.isValid()) {
    line.setLineWidth(option.rect.width());
    line = layout->createLine();
  }
 layout->endLayout();
  layout->draw(painter, QPointF(0, 0));

  painter->restore();
}

由于我无法自已回答,因此我将在这里发布我的发现。
我发现我的代码有几个问题:
  • 测试字符串I是一个单词,由200个字符组成,默认情况下,QTextLayout会自动换行。因此,我必须显式调用QTextLayout::setWrapMode()来包装该测试用例。
  • 我没有为每行设置位置。

  • 这是我在Ruby中的绘画方法:
    def paint painter, styleOptionViewItem, modelIndex
      painter.save
      painter.translate styleOptionViewItem.rect.top_left
    
      marked_text = modelIndex.data(Qt::DisplayRole).value
      font = Qt::Application::font()
      text_layout = Qt::TextLayout.new marked_text
      text_layout.setFont font
    
      text_option = Qt::TextOption.new
      text_option.setWrapMode(Qt::TextOption::WrapAtWordBoundaryOrAnywhere)
      text_layout.setTextOption text_option
    
      text_layout.beginLayout
      fm = Qt::FontMetrics.new font
      font_height = fm.height
      i = 0
      while i< LINE_LIMIT do
        line = text_layout.createLine
        break if (!line.isValid())
        line.setLineWidth(styleOptionViewItem.rect.width)
        line.setPosition(Qt::PointF.new(0, font_height * i))
        i += 1
      end
      text_layout.endLayout
      text_layout.draw painter, Qt::PointF.new(0, 0)
      painter.restore
    end
    

    最佳答案

    我不得不做同样的任务一段时间。
    当我使用简单的 QPainter::drwText 时,我遇到了这个问题。

    要使自动换行起作用,您应该:

  • 禁用 View 的uniformRowHeight属性。
  • 正确处理 sizeHint 。默认情况下,此函数返回0,您应该重写它以返回项目数据的Qt::SizeHint角色。
  • 但您还应该为Qt::SizeHint角色设置正确的值。您可以使用 QFontMetrics::boundingRect 来计算sizeHint,但是在计算sizeHint和绘制项目时应确保使用相同的字体。在Windows 7上,我遇到了一个问题,即QStandardItem的字体与QListView的字体不一致。

    注意,每次请求都从头开始计算sizeHint是个坏主意,因为它的运行速度非常慢。
  • 09-12 16:44