2017-07-19 22 views
0

我需要在Qt中创建一个无框小部件,它需要调整大小。该应用程序将在Windows和Mac OSX下运行。Qt在MacOSX上调整无框小部件

如果我使用:setWindowFlags(Qt::FramelessWindowHint); 我可以从右下角调整窗口大小(QSizeGrip出现,我想它包含在QMainWindow小部件中)。

我可以在每个角落添加把手,但我希望窗口可以从两侧(而不仅仅是角落)调整大小。是否有任何简单的方法可以让它像普通窗口一样从各个方面调整大小?

Windows有一个解决方法,它由override nativeEvent处理程序组成:Qt/Windows, resizable frameless window,但我找不到Mac OSX平台的解决方案。

回答

0

要做到这一点,最好的方法是捕捉鼠标移动事件,并显示适合您的位置的光标,并在按住按钮时进行调整大小。有一个例子提供了一个Frame小部件,您可以将自己的内容放入其中。

#include <QtWidgets> 

    class Frame : public QFrame 
    { 
    public: 

    Frame() 
    { 
    m_mouse_down = false; 
    setFrameShape(Panel); 

    // Make this a borderless window which can't 
    // be resized or moved via the window system 
    setWindowFlags(Qt::FramelessWindowHint); 
    setMouseTracking(true); 

    m_content = new QWidget(this); 

    QVBoxLayout *layout = new QVBoxLayout; 
    layout->addWidget(m_content); 
    layout->setMargin(5); 
    layout->setSpacing(0); 
    setLayout(layout); 
    } 

    // Allows you to access the content area of the frame 
    // where widgets and layouts can be added 
    QWidget *contentWidget() const { return m_content; } 

    void mousePressEvent(QMouseEvent *e) 
    { 
    m_old_pos = e->pos(); 
    m_mouse_down = e->button() == Qt::LeftButton; 
    } 

    void mouseMoveEvent(QMouseEvent *e) 
    { 
    int x = e->x(); 
    int y = e->y(); 

    if (m_mouse_down) { 
    int dx = x - m_old_pos.x(); 
    int dy = y - m_old_pos.y(); 

    QRect g = geometry(); 

    if (left) 
    g.setLeft(g.left() + dx); 
    if (right) 
    g.setRight(g.right() + dx); 
    if (bottom) 
    g.setBottom(g.bottom() + dy); 
    if (top) 
    g.setTop(g.top() + dy); 

    setGeometry(g); 

    m_old_pos = QPoint(!left ? e->x() : m_old_pos.x(), e->y()); 
    } else { 
    QRect r = rect(); 
    top = qAbs(y - r.top()) <= 5; 
    left = qAbs(x - r.left()) <= 5; 
    right = qAbs(x - r.right()) <= 5; 
    bottom = qAbs(y - r.bottom()) <= 5; 
    bool hor = left | right; 

    if (hor && bottom) { 
    if (left) 
    setCursor(Qt::SizeBDiagCursor); 
    else 
    setCursor(Qt::SizeFDiagCursor); 
    } else if (hor) { 
    setCursor(Qt::SizeHorCursor); 
    } else if (bottom || top) { 
    setCursor(Qt::SizeVerCursor); 
    } else { 
    setCursor(Qt::ArrowCursor); 
    } 
    } 
    } 

    void mouseReleaseEvent(QMouseEvent *e) 
    { 
    m_mouse_down = false; 
    } 

    private: 
    QWidget *m_content; 
    QPoint m_old_pos; 
    bool m_mouse_down; 
    bool left, right, bottom, top; 
    }; 


    #include "main.moc" 

    int main(int argc, char **argv) 
    { 
    QApplication app(argc, argv); 

    Frame box; 

    QVBoxLayout *l = new QVBoxLayout(box.contentWidget()); 
    l->setMargin(0); 
    QTextEdit *edit = new QTextEdit(box.contentWidget()); 
    l->addWidget(edit); 

    box.show(); 
    return app.exec(); 
    }