我有一个带文本的QTextEdit。允许用户仅将文本从存储在startPos
变量中的QCursor位置更改为文档的末尾。文本的开头必须保持不变。
我设法通过调整QCursor位置来做到这一点。
但是用户可以随时在禁区内拖放一些文字。
我想根据QCursor位置进行条件拖放。因此,如果用户在禁止区域中删除一些文本(在光标位置startPos
之前),我想将该文本放在文档的末尾。如果用户在光标位置startPos
之后删除文本,则允许用户这样做。
class BasicOutput : public QTextEdit, public ViewWidgetIFace
{
Q_OBJECT
public:
BasicOutput();
~BasicOutput();
virtual void dragEnterEvent(QDragEnterEvent *e);
virtual void dropEvent(QDropEvent *event);
private:
int startPos;
};
以及其他简化(非功能)代码:
BasicOutput::BasicOutput( ) : QTextEdit () {
setInputMethodHints(Qt::ImhNoPredictiveText);
setFocusPolicy(Qt::StrongFocus);
setAcceptRichText(false);
setUndoRedoEnabled(false);
}
void BasicOutput::dragEnterEvent(QDragEnterEvent *e){
e->acceptProposedAction();
}
void BasicOutput::dropEvent(QDropEvent *event){
QPoint p = event->pos(); //get position of drop
QTextCursor t(textCursor()); //create a cursor for QTextEdit
t.setPos(&p); //try convert QPoint to QTextCursor to compare with position stored in startPos variable - ERROR
//if dropCursorPosition < startPos then t = endOfDocument
//if dropCursorPosition >= startPos then t remains the same
p = t.pos(); //convert the manipulated cursor position to QPoint - ERROR
QDropEvent drop(p,event->dropAction(), event->mimeData(), event->mouseButtons(), event->keyboardModifiers(), event->type());
QTextEdit::dropEvent(&drop); // Call the parent function w/ the modified event
}
错误是:
In member function 'virtual void BasicOutput::dropEvent(QDropEvent*)':
error: 'class QTextCursor' has no member named 'setPos' t.setPos(&p);
error: 'class QTextCursor' has no member named 'pos'p = t.pos();
如何保护禁止的文本区域免受用户拖放?
Rspectfully, 林。
void BasicOutput::dragEnterEvent(QDragEnterEvent *e){
if (e->mimeData()->hasFormat("text/plain"))
e->acceptProposedAction();
else
e->ignore();
}
void BasicOutput::dragMoveEvent (QDragMoveEvent *event){
QTextCursor t = cursorForPosition(event->pos());
if (t.position() >= startPos){
event->acceptProposedAction();
QDragMoveEvent move(event->pos(),event->dropAction(), event->mimeData(), event->mouseButtons(), event->keyboardModifiers(), event->type());
QTextEdit::dragMoveEvent(&move); // Call the parent function (show cursor and keep selection)
}else
event->ignore();
}
答案 0 :(得分:1)
你目前有......
QTextCursor t(textCursor()); //create a cursor for QTextEdit
t.setPos(&p);
如果您想要与建议的放置位置关联的QTextCursor,您应该使用...
QTextCursor t = cursorForPosition(p);
那应该修复第一个编译错误。不幸的是,似乎没有任何明显的方法可以让QPoint与QTextCursor相关联(虽然可能有一种方法可以通过QTextDocument和QTextBlock,但我还没有检查过)。如果是这样的话,那么你自己就必须自己动手......
if (t.position() < startPos)
t.movePosition(QTextCursor::End);
setTextCursor(t);
insertPlainText(event->mimeData()->text());
但是,我是否可以建议您尝试做的事情可能会让用户感到非常困惑。应该有一些视觉指示,指出如果文本被删除会发生什么。用户如何知道如果他们将文本放在禁止区域上,它将被附加到当前文本的末尾 - 这在大型文档中甚至可能不可见?
考虑到这一点,更好的方法可能是覆盖dragMoveEvent ...
void BasicOutput::dragMoveEvent (QDragMoveEvent *event)
{
QTextCursor t = cursorForPosition(p);
if (t.position() >= startPos)
event->acceptProposedAction();
}
此处仅在鼠标指针不在禁止区域时才接受建议的放下操作。否则,用户将看到(通过指针字形或其他)不会接受掉落。