Russian Qt Forum
Ноябрь 08, 2024, 23:47 *
Добро пожаловать, Гость. Пожалуйста, войдите или зарегистрируйтесь.
Вам не пришло письмо с кодом активации?

Войти
 
  Начало   Форум  WIKI (Вики)FAQ Помощь Поиск Войти Регистрация  

Страниц: [1]   Вниз
  Печать  
Автор Тема: QAbstractScrollArea как им пользоваться ?  (Прочитано 10573 раз)
Exception13
Гость
« : Август 26, 2009, 11:03 »

Люди добрые, помогите разобраться как работать с классом QAbstractScrollArea.
Долго курил QScrollArea.cpp, но никаких выводов сделать не смог.

Есть класс, порожденный от QWidget, который я пытаюсь вставить в нечто порожденное от QAbstractScrollArea с помощью setViewport( QWidget *widget );
Но содержимое виджета никак не отображается. В то же время если я вставляю свой виджет непосредственно в QScrollArea, то все получается и нормально отображается.
Какие функции необходимо переопределить в QAbstractScrollArea чтобы хоть что то стало отображаться ?

Можно маленький примерчик, если есть ?
Записан
kwisp
Гость
« Ответ #1 : Август 26, 2009, 11:14 »

вроде в документации описано что делать надо
Цитировать
When inheriting QAbstractScrollArea, you need to do the following:

Control the scroll bars by setting their range, value, page step, and tracking their movements.
Draw the contents of the area in the viewport according to the values of the scroll bars.
Handle events received by the viewport in viewportEvent() - notably resize events.
Use viewport->update() to update the contents of the viewport instead of update() as all painting operations take place on the viewport.
With a scroll bar policy of Qt::ScrollBarAsNeeded (the default), QAbstractScrollArea shows scroll bars when they provide a non-zero scrolling range, and hides them otherwise.

The scroll bars and viewport should be updated whenever the viewport receives a resize event or the size of the contents changes. The viewport also needs to be updated when the scroll bars values change. The initial values of the scroll bars are often set when the area receives new contents.

We give a simple example, in which we have implemented a scroll area that can scroll any QWidget. We make the widget a child of the viewport; this way, we do not have to calculate which part of the widget to draw but can simply move the widget with QWidget::move(). When the area contents or the viewport size changes, we do the following:

     QSize areaSize = viewport()->size();
     QSize  widgetSize = widget->size();

     verticalScrollBar()->setPageStep(widgetSize.height());
     horizontalScrollBar()->setPageStep(widgetSize.width());
     verticalScrollBar()->setRange(0, widgetSize.height() - areaSize.height());
     horizontalScrollBar()->setRange(0, widgetSize.width() - areaSize.width());
     updateWidgetPosition();
When the scroll bars change value, we need to update the widget position, i.e., find the part of the widget that is to be drawn in the viewport:

     int hvalue = horizontalScrollBar()->value();
     int vvalue = verticalScrollBar()->value();
     QPoint topLeft = viewport()->rect().topLeft();

     widget->move(topLeft.x() - hvalue, topLeft.y() - vvalue);
In order to track scroll bar movements, reimplement the virtual function scrollContentsBy(). In order to fine-tune scrolling behavior, connect to a scroll bar's QAbstractSlider::actionTriggered() signal and adjust the QAbstractSlider::sliderPosition as you wish.

For convenience, QAbstractScrollArea makes all viewport events available in the virtual viewportEvent() handler. QWidget's specialized handlers are remapped to viewport events in the cases where this makes sense. The remapped specialized handlers are: paintEvent(), mousePressEvent(), mouseReleaseEvent(), mouseDoubleClickEvent(), mouseMoveEvent(), wheelEvent(), dragEnterEvent(), dragMoveEvent(), dragLeaveEvent(), dropEvent(), contextMenuEvent(), and resizeEvent().

QScrollArea, which inherits QAbstractScrollArea, provides smooth scrolling for any QWidget (i.e., the widget is scrolled pixel by pixel). You only need to subclass QAbstractScrollArea if you need more specialized behavior. This is, for instance, true if the entire contents of the area is not suitable for being drawn on a QWidget or if you do not want smooth scrolling.

See also QScrollArea.
почему QScrollArea не использовать?
Записан
Exception13
Гость
« Ответ #2 : Август 26, 2009, 11:58 »

почему QScrollArea не использовать?

В QScrollArea - реализован попиксельный скрол виджета.
Но у меня область может быть 0..2^64 x 0..2^64, обычный компонент тут не прокатит.

Честно говоря именно эту доку читал раз 10 перечитывал, но так и не вкурил что и в какое место надо вставить...
Записан
Exception13
Гость
« Ответ #3 : Август 31, 2009, 09:31 »

Чет я совсем ничего не понимаю, разъясните пожалуйста бестолковому что я делаю не так ?
Сделал примитивнейший приклад для т.ч. разобраться.

1. Основное окошко приклада:
Код
C++ (Qt)
scrollArea::scrollArea(QWidget *parent, Qt::WFlags flags)
   : QMainWindow( parent, flags )
{
  ui.setupUi(this);
 
  TMyScrollArea  *pScrollArea = new TMyScrollArea( this );
  TMyWidget   *pWidget = new TMyWidget(this);
  pScrollArea->attach( pWidget );
  //pScrollArea->setViewport( pWidget );
 
  setCentralWidget( pScrollArea );
}
 

2. Виджет, который должен отображаться внутри ScrollArea
Код
C++ (Qt)
class TMyWidget : public QWidget
{
  Q_OBJECT
public:
  TMyWidget(QWidget *parent = 0):QWidget(parent){};
  ~TMyWidget(){};
  QSize sizeHint() const
  {
     return size();
  };
protected:
  virtual void paintEvent( QPaintEvent *event_ )
  {
     QWidget::paintEvent( event_ );
     QPainter painter;
     painter.begin(this);
     painter.drawText( 10, 10, tr("some text...") );
  };
private:
};
 

3. Непосредственно ScrollArea, реализация QAbstractScrollArea:
Код
C++ (Qt)
class TMyScrollArea : public QAbstractScrollArea
{
  Q_OBJECT
 
public:
  TMyScrollArea(QWidget *parent = 0) : QAbstractScrollArea( parent ){};
  ~TMyScrollArea(){};
 
  void attach( QWidget *widget_ )
  {
     m_pWidget = widget_;
  }
 
protected:
  virtual bool viewportEvent( QEvent *event_ )
  {
     QSize areaSize = viewport()->size();
     QSize widgetSize = m_pWidget->size();
 
     verticalScrollBar()->setPageStep(widgetSize.height());
     horizontalScrollBar()->setPageStep(widgetSize.width());
     verticalScrollBar()->setRange(0, widgetSize.height() - areaSize.height());
     horizontalScrollBar()->setRange(0, widgetSize.width() - areaSize.width());
     updateWidgetPosition();
 
     viewport()->update();
     return QAbstractScrollArea::viewportEvent( event_ );
  };
 
  void updateWidgetPosition(void)
  {
     int hvalue = horizontalScrollBar()->value();
     int vvalue = verticalScrollBar()->value();
     QPoint topLeft = viewport()->rect().topLeft();
     m_pWidget->move(topLeft.x() - hvalue, topLeft.y() - vvalue);
  }
private:
   QWidget *m_pWidget;
};
 

Вобщем, нивкакую не хочет отрабатывать paintEvent в классе TMyWidget...

Заранее спасибо.
Записан
kwisp
Гость
« Ответ #4 : Сентябрь 10, 2009, 13:16 »

а зачем QWidget::paintEvent(QEvent* event)
вызываешь?
и 10,10 это кажется координата левой стороны базовой линии текста.
рисуй в своем прикладе где нить посерединке?
Записан
Страниц: [1]   Вверх
  Печать  
 
Перейти в:  


Страница сгенерирована за 0.175 секунд. Запросов: 20.