53bee456b85c72eab9950d17aea428ae6f7a89a4
[quassel.git] / src / qtui / chatitem.cpp
1 /***************************************************************************
2  *   Copyright (C) 2005-08 by the Quassel Project                          *
3  *   devel@quassel-irc.org                                                 *
4  *                                                                         *
5  *   This program is free software; you can redistribute it and/or modify  *
6  *   it under the terms of the GNU General Public License as published by  *
7  *   the Free Software Foundation; either version 2 of the License, or     *
8  *   (at your option) version 3.                                           *
9  *                                                                         *
10  *   This program is distributed in the hope that it will be useful,       *
11  *   but WITHOUT ANY WARRANTY; without even the implied warranty of        *
12  *   MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the         *
13  *   GNU General Public License for more details.                          *
14  *                                                                         *
15  *   You should have received a copy of the GNU General Public License     *
16  *   along with this program; if not, write to the                         *
17  *   Free Software Foundation, Inc.,                                       *
18  *   59 Temple Place - Suite 330, Boston, MA  02111-1307, USA.             *
19  ***************************************************************************/
20
21 #include <QApplication>
22 #include <QClipboard>
23 #include <QDesktopServices>
24 #include <QFontMetrics>
25 #include <QGraphicsSceneMouseEvent>
26 #include <QPainter>
27 #include <QPalette>
28 #include <QTextLayout>
29 #include <QMenu>
30
31
32 #include "chatitem.h"
33 #include "chatlinemodel.h"
34 #include "qtui.h"
35 #include "qtuistyle.h"
36
37 ChatItem::ChatItem(const qreal &width, const qreal &height, const QPointF &pos, QGraphicsItem *parent)
38   : QGraphicsItem(parent),
39     _data(0),
40     _boundingRect(0, 0, width, height),
41     _selectionMode(NoSelection),
42     _selectionStart(-1)
43 {
44   setAcceptHoverEvents(true);
45   setZValue(20);
46   setPos(pos);
47 }
48
49 ChatItem::~ChatItem() {
50   delete _data;
51 }
52
53 QVariant ChatItem::data(int role) const {
54   QModelIndex index = model()->index(row(), column());
55   if(!index.isValid()) {
56     qWarning() << "ChatItem::data(): model index is invalid!" << index;
57     return QVariant();
58   }
59   return model()->data(index, role);
60 }
61
62 QTextLayout *ChatItem::createLayout(QTextOption::WrapMode wrapMode, Qt::Alignment alignment) const {
63   QTextLayout *layout = new QTextLayout(data(MessageModel::DisplayRole).toString());
64
65   QTextOption option;
66   option.setWrapMode(wrapMode);
67   option.setAlignment(alignment);
68   layout->setTextOption(option);
69
70   QList<QTextLayout::FormatRange> formatRanges
71          = QtUi::style()->toTextLayoutList(data(MessageModel::FormatRole).value<UiStyle::FormatList>(), layout->text().length());
72   layout->setAdditionalFormats(formatRanges);
73   return layout;
74 }
75
76 void ChatItem::doLayout() {
77   QTextLayout *layout_ = layout();
78   layout_->beginLayout();
79   QTextLine line = layout_->createLine();
80   if(line.isValid()) {
81     line.setLineWidth(width());
82     line.setPosition(QPointF(0,0));
83   }
84   layout_->endLayout();
85 }
86
87 void ChatItem::clearLayout() {
88   delete _data;
89   _data = 0;
90 }
91
92 ChatItemPrivate *ChatItem::privateData() const {
93   if(!_data) {
94     ChatItem *that = const_cast<ChatItem *>(this);
95     that->_data = that->newPrivateData();
96     that->doLayout();
97   }
98   return _data;
99 }
100
101 // NOTE: This is not the most time-efficient implementation, but it saves space by not caching unnecessary data
102 //       This is a deliberate trade-off. (-> selectFmt creation, data() call)
103 void ChatItem::paint(QPainter *painter, const QStyleOptionGraphicsItem *option, QWidget *widget) {
104   Q_UNUSED(option); Q_UNUSED(widget);
105   painter->setClipRect(boundingRect()); // no idea why QGraphicsItem clipping won't work
106   QVector<QTextLayout::FormatRange> formats = additionalFormats();
107   QTextLayout::FormatRange selectFmt = selectionFormat();
108   if(selectFmt.format.isValid()) formats.append(selectFmt);
109   layout()->draw(painter, QPointF(0,0), formats, boundingRect());
110
111   // Debuging Stuff
112   // uncomment partially or all of the following stuff:
113   //
114   // 0) alternativ painter color for debug stuff
115 //   if(row() % 2)
116 //     painter->setPen(Qt::red);
117 //   else
118 //     painter->setPen(Qt::blue);
119   // 1) draw wordwrap points in the first line
120 //   if(column() == 2) {
121 //     ChatLineModel::WrapList wrapList = data(ChatLineModel::WrapListRole).value<ChatLineModel::WrapList>();
122 //     foreach(ChatLineModel::Word word, wrapList) {
123 //       if(word.endX > width())
124 //      break;
125 //       painter->drawLine(word.endX, 0, word.endX, height());
126 //     }
127 //   }
128   // 2) draw MsgId over the time column
129 //   if(column() == 0) {
130 //     QString msgIdString = QString::number(data(MessageModel::MsgIdRole).value<MsgId>().toInt());
131 //     QPointF bottomPoint = boundingRect().bottomLeft();
132 //     bottomPoint.ry() -= 2;
133 //     painter->drawText(bottomPoint, msgIdString);
134 //   }
135   // 3) draw bounding rect
136 //   painter->drawRect(_boundingRect.adjusted(0, 0, -1, -1));
137 }
138
139 qint16 ChatItem::posToCursor(const QPointF &pos) const {
140   if(pos.y() > height()) return data(MessageModel::DisplayRole).toString().length();
141   if(pos.y() < 0) return 0;
142   for(int l = layout()->lineCount() - 1; l >= 0; l--) {
143     QTextLine line = layout()->lineAt(l);
144     if(pos.y() >= line.y()) {
145       return line.xToCursor(pos.x(), QTextLine::CursorOnCharacter);
146     }
147   }
148   return 0;
149 }
150
151 bool ChatItem::hasSelection() const {
152   if(_selectionMode == NoSelection)
153     return false;
154   if(_selectionMode == FullSelection)
155     return true;
156   // partial
157   return _selectionStart != _selectionEnd;
158 }
159
160 QString ChatItem::selection() const {
161   if(_selectionMode == FullSelection)
162     return data(MessageModel::DisplayRole).toString();
163   if(_selectionMode == PartialSelection)
164     return data(MessageModel::DisplayRole).toString().mid(qMin(_selectionStart, _selectionEnd), qAbs(_selectionStart - _selectionEnd));
165   return QString();
166 }
167
168 void ChatItem::setFullSelection() {
169   if(_selectionMode != FullSelection) {
170     _selectionMode = FullSelection;
171     update();
172   }
173 }
174
175 void ChatItem::clearSelection() {
176   _selectionMode = NoSelection;
177   update();
178 }
179
180 void ChatItem::continueSelecting(const QPointF &pos) {
181   _selectionMode = PartialSelection;
182   _selectionEnd = posToCursor(pos);
183   update();
184 }
185
186 bool ChatItem::isPosOverSelection(const QPointF &pos) const {
187   if(_selectionMode == FullSelection)
188     return true;
189   if(_selectionMode == PartialSelection) {
190     int cursor = posToCursor(pos);
191     return cursor >= qMin(_selectionStart, _selectionEnd) && cursor <= qMax(_selectionStart, _selectionEnd);
192   }
193   return false;
194 }
195
196 QTextLayout::FormatRange ChatItem::selectionFormat() const {
197   QTextLayout::FormatRange selectFmt;
198   if(_selectionMode != NoSelection) {
199     selectFmt.format.setForeground(QApplication::palette().brush(QPalette::HighlightedText));
200     selectFmt.format.setBackground(QApplication::palette().brush(QPalette::Highlight));
201     if(_selectionMode == PartialSelection) {
202       selectFmt.start = qMin(_selectionStart, _selectionEnd);
203       selectFmt.length = qAbs(_selectionStart - _selectionEnd);
204     } else { // FullSelection
205       selectFmt.start = 0;
206       selectFmt.length = data(MessageModel::DisplayRole).toString().length();
207     }
208   } else {
209     selectFmt.start = -1;
210     selectFmt.length = 0;
211   }
212   return selectFmt;
213 }
214
215 QList<QRectF> ChatItem::findWords(const QString &searchWord, Qt::CaseSensitivity caseSensitive) {
216   QList<QRectF> resultList;
217   const QAbstractItemModel *model_ = model();
218   if(!model_)
219     return resultList;
220
221   QString plainText = model_->data(model_->index(row(), column()), MessageModel::DisplayRole).toString();
222   QList<int> indexList;
223   int searchIdx = plainText.indexOf(searchWord, 0, caseSensitive);
224   while(searchIdx != -1) {
225     indexList << searchIdx;
226     searchIdx = plainText.indexOf(searchWord, searchIdx + 1, caseSensitive);
227   }
228
229   bool hadPrivateData = hasPrivateData();
230
231   foreach(int idx, indexList) {
232     QTextLine line = layout()->lineForTextPosition(idx);
233     qreal x = line.cursorToX(idx);
234     qreal width = line.cursorToX(idx + searchWord.count()) - x;
235     qreal height = line.height();
236     qreal y = height * line.lineNumber();
237     resultList << QRectF(x, y, width, height);
238   }
239
240   if(!hadPrivateData)
241     clearLayout();
242   return resultList;
243 }
244
245 void ChatItem::handleClick(const QPointF &pos, ChatScene::ClickMode clickMode) {
246   // single clicks are already handled by the scene (for clearing the selection)
247   if(clickMode == ChatScene::DragStartClick) {
248     chatScene()->setSelectingItem(this);
249     _selectionStart = _selectionEnd = posToCursor(pos);
250     _selectionMode = NoSelection; // will be set to PartialSelection by mouseMoveEvent
251     update();
252   } else if(clickMode == ChatScene::DoubleClick) {
253     //_selectionMode = PartialSelection;
254
255   } else if(clickMode == ChatScene::TripleClick) {
256
257   }
258 }
259
260 void ChatItem::mouseMoveEvent(QGraphicsSceneMouseEvent *event) {
261   if(event->buttons() == Qt::LeftButton) {
262     if(contains(event->pos())) {
263       qint16 end = posToCursor(event->pos());
264       if(end != _selectionEnd) {
265         _selectionEnd = end;
266         _selectionMode = (_selectionStart != _selectionEnd ? PartialSelection : NoSelection);
267         update();
268       }
269     } else {
270       setFullSelection();
271       chatScene()->startGlobalSelection(this, event->pos());
272     }
273     event->accept();
274   } else {
275     event->ignore();
276   }
277 }
278
279 void ChatItem::mousePressEvent(QGraphicsSceneMouseEvent *event) {
280   if(event->buttons() == Qt::LeftButton) {
281     event->accept();
282   } else {
283     event->ignore();
284   }
285 }
286
287 void ChatItem::mouseReleaseEvent(QGraphicsSceneMouseEvent *event) {
288   if(_selectionMode != NoSelection && !event->buttons() & Qt::LeftButton) {
289     _selectionEnd = posToCursor(event->pos());
290     QString selection
291         = data(MessageModel::DisplayRole).toString().mid(qMin(_selectionStart, _selectionEnd), qAbs(_selectionStart - _selectionEnd));
292     chatScene()->putToClipboard(selection);
293     event->accept();
294   } else {
295     event->ignore();
296   }
297 }
298
299 // ************************************************************
300 // SenderChatItem
301 // ************************************************************
302
303 void SenderChatItem::paint(QPainter *painter, const QStyleOptionGraphicsItem *option, QWidget *widget) {
304   Q_UNUSED(option); Q_UNUSED(widget);
305
306   painter->setClipRect(boundingRect()); // no idea why QGraphicsItem clipping won't work
307   qreal layoutWidth = layout()->minimumWidth();
308   qreal offset = 0;
309   if(chatScene()->senderCutoffMode() == ChatScene::CutoffLeft)
310     offset = qMin(width() - layoutWidth, (qreal)0);
311   else
312     offset = qMax(layoutWidth - width(), (qreal)0);
313
314   QTextLayout::FormatRange selectFmt = selectionFormat();
315
316   if(layoutWidth > width()) {
317     // Draw a nice gradient for longer items
318     // Qt's text drawing with a gradient brush sucks, so we use an alpha-channeled pixmap instead
319     QPixmap pixmap(layout()->boundingRect().toRect().size());
320     pixmap.fill(Qt::transparent);
321     QPainter pixPainter(&pixmap);
322     layout()->draw(&pixPainter, QPointF(qMax(offset, (qreal)0), 0), QVector<QTextLayout::FormatRange>() << selectFmt);
323     pixPainter.end();
324
325     // Create alpha channel mask
326     QPixmap mask(pixmap.size());
327     QPainter maskPainter(&mask);
328     QLinearGradient gradient;
329     if(offset < 0) {
330       gradient.setStart(0, 0);
331       gradient.setFinalStop(12, 0);
332       gradient.setColorAt(0, Qt::black);
333       gradient.setColorAt(1, Qt::white);
334     } else {
335       gradient.setStart(width()-10, 0);
336       gradient.setFinalStop(width(), 0);
337       gradient.setColorAt(0, Qt::white);
338       gradient.setColorAt(1, Qt::black);
339     }
340     maskPainter.fillRect(boundingRect(), gradient);
341     pixmap.setAlphaChannel(mask);
342     painter->drawPixmap(0, 0, pixmap);
343   } else {
344     layout()->draw(painter, QPointF(0,0), QVector<QTextLayout::FormatRange>() << selectFmt, boundingRect());
345   }
346 }
347
348 // ************************************************************
349 // ContentsChatItem
350 // ************************************************************
351 ContentsChatItem::ContentsChatItem(const qreal &width, const QPointF &pos, QGraphicsItem *parent)
352   : ChatItem(0, 0, pos, parent)
353 {
354   const QAbstractItemModel *model_ = model();
355   QModelIndex index = model_->index(row(), column());
356   _fontMetrics = QtUi::style()->fontMetrics(model_->data(index, ChatLineModel::FormatRole).value<UiStyle::FormatList>().at(0).second);
357
358   setGeometryByWidth(width);
359 }
360
361 qreal ContentsChatItem::setGeometryByWidth(qreal w) {
362   if(w != width()) {
363     prepareGeometryChange();
364     setWidth(w);
365     // compute height
366     int lines = 1;
367     WrapColumnFinder finder(this);
368     while(finder.nextWrapColumn() > 0)
369       lines++;
370     setHeight(lines * fontMetrics()->lineSpacing());
371   }
372   return height();
373 }
374
375 void ContentsChatItem::doLayout() {
376   ChatLineModel::WrapList wrapList = data(ChatLineModel::WrapListRole).value<ChatLineModel::WrapList>();
377   if(!wrapList.count()) return; // empty chatitem
378
379   qreal h = 0;
380   WrapColumnFinder finder(this);
381   layout()->beginLayout();
382   forever {
383     QTextLine line = layout()->createLine();
384     if(!line.isValid())
385       break;
386
387     int col = finder.nextWrapColumn();
388     line.setNumColumns(col >= 0 ? col - line.textStart() : layout()->text().length());
389     line.setPosition(QPointF(0, h));
390     h += fontMetrics()->lineSpacing();
391   }
392   layout()->endLayout();
393 }
394
395 // NOTE: This method is not threadsafe and not reentrant!
396 //       (RegExps are not constant while matching, and they are static here for efficiency)
397 QList<ContentsChatItem::Clickable> ContentsChatItem::findClickables() const {
398   // For matching URLs
399   static QString urlEnd("(?:>|[,.;:\"]*\\s|\\b|$)");
400   static QString urlChars("(?:[,.;:]*[\\w\\-~@/?&=+$()!%#*|{}\\[\\]])");
401
402   static QRegExp regExp[] = {
403     // URL
404     // QRegExp(QString("((?:https?://|s?ftp://|irc://|mailto:|www\\.)%1+|%1+\\.[a-z]{2,4}(?:?=/%1+|\\b))%2").arg(urlChars, urlEnd)),
405     QRegExp(QString("((?:(?:https?://|s?ftp://|irc://|mailto:)|www)%1+)%2").arg(urlChars, urlEnd), Qt::CaseInsensitive),
406
407     // Channel name
408     // We don't match for channel names starting with + or &, because that gives us a lot of false positives.
409     QRegExp("((?:#|![A-Z0-9]{5})[^,:\\s]+(?::[^,:\\s]+)?)\\b", Qt::CaseInsensitive)
410
411     // TODO: Nicks, we'll need a filtering for only matching known nicknames further down if we do this
412   };
413
414   static const int regExpCount = 2;  // number of regexps in the array above
415
416   qint16 matches[] = { 0, 0, 0 };
417   qint16 matchEnd[] = { 0, 0, 0 };
418
419   QString str = data(ChatLineModel::DisplayRole).toString();
420
421   QList<Clickable> result;
422   qint16 idx = 0;
423   qint16 minidx;
424   int type = -1;
425
426   do {
427     type = -1;
428     minidx = str.length();
429     for(int i = 0; i < regExpCount; i++) {
430       if(matches[i] < 0 || matchEnd[i] > str.length()) continue;
431       if(idx >= matchEnd[i]) {
432         matches[i] = str.indexOf(regExp[i], qMax(matchEnd[i], idx));
433         if(matches[i] >= 0) matchEnd[i] = matches[i] + regExp[i].cap(1).length();
434       }
435       if(matches[i] >= 0 && matches[i] < minidx) {
436         minidx = matches[i];
437         type = i;
438       }
439     }
440     if(type >= 0) {
441       idx = matchEnd[type];
442       if(type == Clickable::Url && str.at(idx-1) == ')') {  // special case: closing paren only matches if we had an open one
443         if(!str.mid(matches[type], matchEnd[type]-matches[type]).contains('(')) matchEnd[type]--;
444       }
445       result.append(Clickable((Clickable::Type)type, matches[type], matchEnd[type] - matches[type]));
446     }
447   } while(type >= 0);
448
449   /* testing
450   if(!result.isEmpty()) qDebug() << str;
451   foreach(Clickable click, result) {
452     qDebug() << str.mid(click.start, click.length);
453   }
454   */
455   return result;
456 }
457
458 QVector<QTextLayout::FormatRange> ContentsChatItem::additionalFormats() const {
459   // mark a clickable if hovered upon
460   QVector<QTextLayout::FormatRange> fmt;
461   if(privateData()->currentClickable.isValid()) {
462     Clickable click = privateData()->currentClickable;
463     QTextLayout::FormatRange f;
464     f.start = click.start;
465     f.length = click.length;
466     f.format.setFontUnderline(true);
467     fmt.append(f);
468   }
469   return fmt;
470 }
471
472 void ContentsChatItem::endHoverMode() {
473   if(hasPrivateData()) {
474     if(privateData()->currentClickable.isValid()) {
475       setCursor(Qt::ArrowCursor);
476       privateData()->currentClickable = Clickable();
477     }
478     clearWebPreview();
479     update();
480   }
481 }
482
483 void ContentsChatItem::handleClick(const QPointF &pos, ChatScene::ClickMode clickMode) {
484   if(clickMode == ChatScene::SingleClick) {
485     Clickable click = privateData()->currentClickable;
486     if(click.isValid()) {
487       QString str = data(ChatLineModel::DisplayRole).toString().mid(click.start, click.length);
488       switch(click.type) {
489         case Clickable::Url:
490           if(!str.contains("://"))
491             str = "http://" + str;
492           QDesktopServices::openUrl(QUrl::fromEncoded(str.toAscii()));
493           break;
494         case Clickable::Channel:
495           // TODO join or whatever...
496           break;
497         default:
498           break;
499       }
500     }
501   }
502   ChatItem::handleClick(pos, clickMode);
503 }
504
505 void ContentsChatItem::mouseMoveEvent(QGraphicsSceneMouseEvent *event) {
506   // mouse move events always mean we're not hovering anymore...
507   endHoverMode();
508   ChatItem::mouseMoveEvent(event);
509 }
510
511 void ContentsChatItem::hoverLeaveEvent(QGraphicsSceneHoverEvent *event) {
512   endHoverMode();
513   event->accept();
514 }
515
516 void ContentsChatItem::hoverMoveEvent(QGraphicsSceneHoverEvent *event) {
517   bool onClickable = false;
518   qint16 idx = posToCursor(event->pos());
519   for(int i = 0; i < privateData()->clickables.count(); i++) {
520     Clickable click = privateData()->clickables.at(i);
521     if(idx >= click.start && idx < click.start + click.length) {
522       if(click.type == Clickable::Url) {
523         onClickable = true;
524         showWebPreview(click);
525       } else if(click.type == Clickable::Channel) {
526         // TODO: don't make clickable if it's our own name
527         //onClickable = true; //FIXME disabled for now
528       }
529       if(onClickable) {
530         setCursor(Qt::PointingHandCursor);
531         privateData()->currentClickable = click;
532         update();
533         break;
534       }
535     }
536   }
537   if(!onClickable) endHoverMode();
538   event->accept();
539 }
540
541 void ContentsChatItem::contextMenuEvent(QGraphicsSceneContextMenuEvent *event) {
542   qint16 idx = posToCursor(event->pos());
543   for(int i = 0; i < privateData()->clickables.count(); i++) {
544     Clickable click = privateData()->clickables.at(i);
545     if(idx >= click.start && idx < click.start + click.length) {
546       if(click.type == Clickable::Url) {
547         QMenu menu;
548         QAction *copyToClipboard = menu.addAction(QObject::tr("Copy to Clipboard"));
549         QAction *selected = menu.exec(event->screenPos());
550         if(selected == copyToClipboard) {
551           QString url = data(ChatLineModel::DisplayRole).toString().mid(click.start, click.length);
552 #   ifdef Q_WS_X11
553           QApplication::clipboard()->setText(url, QClipboard::Selection);
554 #   endif
555 //# else
556           QApplication::clipboard()->setText(url);
557 //# endif
558         }
559       }
560     }
561   }
562 }
563
564 void ContentsChatItem::showWebPreview(const Clickable &click) {
565 #ifndef HAVE_WEBKIT
566   Q_UNUSED(click);
567 #else
568   QTextLine line = layout()->lineForTextPosition(click.start);
569   qreal x = line.cursorToX(click.start);
570   qreal width = line.cursorToX(click.start + click.length) - x;
571   qreal height = line.height();
572   qreal y = height * line.lineNumber();
573
574   QPointF topLeft = scenePos() + QPointF(x, y);
575   QRectF urlRect = QRectF(topLeft.x(), topLeft.y(), width, height);
576
577   QString url = data(ChatLineModel::DisplayRole).toString().mid(click.start, click.length);
578   if(!url.contains("://"))
579     url = "http://" + url;
580   chatScene()->loadWebPreview(this, url, urlRect);
581 #endif
582 }
583
584 void ContentsChatItem::clearWebPreview() {
585 #ifdef HAVE_WEBKIT
586   chatScene()->clearWebPreview(this);
587 #endif
588 }
589
590 /*************************************************************************************************/
591
592 ContentsChatItem::WrapColumnFinder::WrapColumnFinder(ChatItem *_item)
593   : item(_item),
594     layout(0),
595     wrapList(item->data(ChatLineModel::WrapListRole).value<ChatLineModel::WrapList>()),
596     wordidx(0),
597     lineCount(0),
598     choppedTrailing(0)
599 {
600 }
601
602 ContentsChatItem::WrapColumnFinder::~WrapColumnFinder() {
603   delete layout;
604 }
605
606 qint16 ContentsChatItem::WrapColumnFinder::nextWrapColumn() {
607   if(wordidx >= wrapList.count())
608     return -1;
609
610   lineCount++;
611   qreal targetWidth = lineCount * item->width() + choppedTrailing;
612
613   qint16 start = wordidx;
614   qint16 end = wrapList.count() - 1;
615
616   // check if the whole line fits
617   if(wrapList.at(end).endX <= targetWidth) //  || start == end)
618     return -1;
619
620   // check if we have a very long word that needs inter word wrap
621   if(wrapList.at(start).endX > targetWidth) {
622     if(!line.isValid()) {
623       layout = item->createLayout(QTextOption::NoWrap);
624       layout->beginLayout();
625       line = layout->createLine();
626       layout->endLayout();
627     }
628     return line.xToCursor(targetWidth, QTextLine::CursorOnCharacter);
629   }
630
631   while(true) {
632     if(start + 1 == end) {
633       wordidx = end;
634       const ChatLineModel::Word &lastWord = wrapList.at(start); // the last word we were able to squeeze in
635
636       // both cases should be cought preliminary
637       Q_ASSERT(lastWord.endX <= targetWidth); // ensure that "start" really fits in
638       Q_ASSERT(end < wrapList.count()); // ensure that start isn't the last word
639
640       choppedTrailing += lastWord.trailing - (targetWidth - lastWord.endX);
641       return wrapList.at(wordidx).start;
642     }
643
644     qint16 pivot = (end + start) / 2;
645     if(wrapList.at(pivot).endX > targetWidth) {
646       end = pivot;
647     } else {
648       start = pivot;
649     }
650   }
651   Q_ASSERT(false);
652   return -1;
653 }
654