我的Qt应用程序中有一个自定义的QGraphicsScene(我的类称为MainScene)。此场景包含一定数量的Rect项目,就像放置在网格中一样
参见图片№1
此外,我可以动态更改此Rect网格的大小
图片№2
此外,我希望此网格适合大小,因此每次我按“调整大小”按钮(picture №2)时,场景都应适合picture №1中的大小。我使用以下代码实现它:
void MainWindow::on_resizeButton_clicked()
{
int h = ui->heightSpinBox->value(); //height of the grid
int w = ui->widthSpinBox->value(); //width of the grid
scene->resize(h, w); //adding required amount of rects
ui->graphicsView->fitInView(scene->itemsBoundingRect(), Qt::KeepAspectRatio);
ui->graphicsView->centerOn(0, 0);
}
问题是:当我选择高度和宽度时,新高度大于当前高度,新宽度大于当前宽度(例如,当前网格为20x20,我将其调整为30x30),它可以正常工作,但是当我选择小于当前大小的高度和宽度(例如,当前网格为30x30,而我将其调整为20x20),则无法按我的意愿工作
图片№3
你能告诉我,为什么会这样?有什么办法可以解决?
UPD: 这是我创建网格的方式:
void MainScene::resize(int rows, int cols)
{
clearScene(rows, cols);
populateScene(rows, cols);
}
void MainScene::clearScene(int rows, int cols)
{
if(rows < roomHeight)
{
for(int i = rows; i < roomHeight; ++i)
{
for(int j = 0; j < roomWidth; ++j)
{
removeItem(room[i][j]);
delete room[i][j];
}
}
room.resize(rows);
roomHeight = rows;
}
if(cols < roomWidth)
{
for(int i = 0; i < roomHeight; ++i)
{
for(int j = cols; j < roomWidth; ++j)
{
removeItem(room[i][j]);
delete room[i][j];
}
room[i].resize(cols);
}
roomWidth = cols;
}
}
void MainScene::populateScene(int rows, int cols)
{
if(rows > roomHeight)
{
room.resize(rows);
for(int i = roomHeight; i < rows; ++i)
{
room[i].resize(roomWidth);
for(int j = 0; j < roomWidth; ++j)
{
room[i][j] = new GraphicsCell();
room[i][j]->setPos(j * 30, i * 30);
addItem(room[i][j]);
}
}
roomHeight = rows;
}
if(cols > roomWidth)
{
for(int i = 0; i < roomHeight; ++i)
{
room[i].resize(cols);
for(int j = roomWidth; j < cols; ++j)
{
room[i][j] = new GraphicsCell();
room[i][j]->setPos(j * 30, i * 30);
addItem(room[i][j]);
}
}
roomWidth = cols;
}
}
GraphicsCell是我的自定义类,它是从QObject
和QGraphicsItem
派生的。 room
是GraphicsCell对象的向量。
答案 0 :(得分:1)
添加项目时,如果它们不在sceneRect
内,则sceneRect
会增加,这就是添加30x30
时发生的情况,但通过时并不会减少20x20
,因此场景仍然很大,因此您可以观看QScrollBar
,因此在这种情况下,解决方案是将场景的大小更新为itemsBoundingRect()
。
void MainWindow::on_resizeButton_clicked()
{
int h = ui->heightSpinBox->value(); //height of the grid
int w = ui->widthSpinBox->value(); //width of the grid
scene->resize(h, w); //adding required amount of rects
ui->graphicsView->fitInView(scene->itemsBoundingRect(), Qt::KeepAspectRatio);
scene->setSceneRect(scene->itemsBoundingRect()); // <---
}