是否可以在一条水平线上在QTextDocument中排列几个QTextBlocks?
我需要知道单击了哪个文本块,由于它的setUserState(int)方法可以很好地使用QTextBlock,它可以用来保存特定块的ID。有更好的方法吗?
最佳答案
不知道我是否正确回答了您的问题,但是我正在对此进行尝试(问了问题大约三年后.....)
原则上,您可以使用QTextBlocks
将QTextTable
放在水平线上。如果然后创建一个从QTextEdit
继承的类,则可以捕获鼠标事件并找出单击了哪个文本块。
我在下面发布了一些代码,其中有一个非常简单的对话框,其中仅包含textedit(上面提到的派生类)。我创建了一个表,该表在水平线上布置了三个文本块,并将它们的用户状态设置为列号。然后,我只有重载的mouseEvent
方法具有文本编辑类,该方法仅将其所在的任何文本块的userState
打印到命令行中,仅用于显示原理。
让我知道这是否有帮助或是否误解了您的问题。
dialog.h
#ifndef MYDIALOG_H
#define MYDIALOG_H
#include "ui_dialog.h"
class MyDialog : public QDialog, public Ui::Dialog
{
public:
MyDialog(QWidget * parent = 0, Qt::WindowFlags f = 0);
void createTable();
};
#endif
dialog.cpp
#include "dialog.h"
#include <QTextTable>
#include <QTextTableFormat>
MyDialog::MyDialog(QWidget * parent, Qt::WindowFlags f) :
QDialog(parent,f)
{
setupUi(this);
}
void MyDialog::createTable()
{
QTextCursor cursor = textEdit->textCursor();
QTextTableFormat tableFormat;
tableFormat.setCellPadding(40);
tableFormat.setBorderStyle(QTextFrameFormat::BorderStyle_None);
QTextTable* table=cursor.insertTable(1,3,tableFormat);
for( int col = 0; col < table->columns(); ++col ) {
cursor = table->cellAt(0, col).firstCursorPosition();
cursor.insertBlock();
cursor.block().setUserState(col);
cursor.insertText(QString("Block in Column ")+QString::number(col));
}
}
mytextedit.h
#ifndef MYTEXTEDIT_H
#define MYTEXTEDIT_H
#include <QTextEdit>
class MyTextEdit : public QTextEdit
{
public:
MyTextEdit(QWidget * parent = 0);
void mousePressEvent(QMouseEvent *event);
};
#endif
mytextedit.cpp
#include "mytextedit.h"
#include <QMouseEvent>
#include <QTextBlock>
#include <QtCore>
MyTextEdit::MyTextEdit(QWidget * parent) :
QTextEdit(parent)
{
}
void MyTextEdit::mousePressEvent(QMouseEvent *event)
{
if(event->button() == Qt::LeftButton) {
qDebug() << this->cursorForPosition(event->pos()).block().userState();
}
}
main.cpp (仅出于完整性考虑)
#include <QApplication>
#include "dialog.h"
int main(int argc, char** argv)
{
QApplication app(argc,argv);
MyDialog dialog;
dialog.show();
dialog.createTable();
return app.exec();
}
关于Qt-几个QTextBlock内联,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/12041341/