1 | // Copyright (C) 2016 The Qt Company Ltd. |
2 | // SPDX-License-Identifier: LicenseRef-Qt-Commercial OR LGPL-3.0-only OR GPL-2.0-only OR GPL-3.0-only |
3 | |
4 | #include "qstyle.h" |
5 | #include "qapplication.h" |
6 | #include "qpainter.h" |
7 | #include "qwidget.h" |
8 | #include "qbitmap.h" |
9 | #include "qpixmapcache.h" |
10 | #include "qstyleoption.h" |
11 | #include "private/qstyle_p.h" |
12 | #include "private/qguiapplication_p.h" |
13 | #include <qpa/qplatformtheme.h> |
14 | #ifndef QT_NO_DEBUG |
15 | #include "qdebug.h" |
16 | #endif |
17 | |
18 | #include <limits.h> |
19 | #include <algorithm> |
20 | |
21 | QT_BEGIN_NAMESPACE |
22 | |
23 | static const int MaxBits = 8 * sizeof(QSizePolicy::ControlType); |
24 | |
25 | static int unpackControlTypes(QSizePolicy::ControlTypes controls, QSizePolicy::ControlType *array) |
26 | { |
27 | if (!controls) |
28 | return 0; |
29 | |
30 | // optimization: exactly one bit is set |
31 | if (qPopulationCount(v: uint(controls)) == 1) { |
32 | array[0] = QSizePolicy::ControlType(uint(controls)); |
33 | return 1; |
34 | } |
35 | |
36 | int count = 0; |
37 | for (int i = 0; i < MaxBits; ++i) { |
38 | if (uint bit = (controls & (0x1 << i))) |
39 | array[count++] = QSizePolicy::ControlType(bit); |
40 | } |
41 | return count; |
42 | } |
43 | |
44 | /*! |
45 | \page qwidget-styling.html |
46 | \title Styling |
47 | |
48 | Qt's built-in widgets use the QStyle class to perform nearly all |
49 | of their drawing. QStyle is an abstract base class that |
50 | encapsulates the look and feel of a GUI, and can be used to make |
51 | the widgets look exactly like the equivalent native widgets or to |
52 | give the widgets a custom look. |
53 | |
54 | Qt provides a set of QStyle subclasses that emulate the native |
55 | look of the different platforms supported by Qt (QWindowsStyle, |
56 | QMacStyle, etc.). These styles are built into the |
57 | Qt GUI module, other styles can be made available using Qt's |
58 | plugin mechanism. |
59 | |
60 | Most functions for drawing style elements take four arguments: |
61 | |
62 | \list |
63 | \li an enum value specifying which graphical element to draw |
64 | \li a QStyleOption object specifying how and where to render that element |
65 | \li a QPainter object that should be used to draw the element |
66 | \li a QWidget object on which the drawing is performed (optional) |
67 | \endlist |
68 | |
69 | The style gets all the information it needs to render the |
70 | graphical element from the QStyleOption class. The widget is |
71 | passed as the last argument in case the style needs it to perform |
72 | special effects (such as animated default buttons on \macos), |
73 | but it isn't mandatory. In fact, QStyle can be used to draw on any |
74 | paint device (not just widgets), in which case the widget argument |
75 | is a zero pointer. |
76 | |
77 | \image paintsystem-stylepainter.png |
78 | |
79 | The paint system also provides the QStylePainter class inheriting |
80 | from QPainter. QStylePainter is a convenience class for drawing |
81 | QStyle elements inside a widget, and extends QPainter with a set |
82 | of high-level drawing functions implemented on top of QStyle's |
83 | API. The advantage of using QStylePainter is that the parameter |
84 | lists get considerably shorter. |
85 | |
86 | \table 100% |
87 | \row |
88 | \li \inlineimage paintsystem-icon.png |
89 | \li \b QIcon |
90 | |
91 | The QIcon class provides scalable icons in different modes and states. |
92 | |
93 | QIcon can generate pixmaps reflecting an icon's state, mode and |
94 | size. These pixmaps are generated from the set of pixmaps |
95 | made available to the icon, and are used by Qt widgets to show an |
96 | icon representing a particular action. |
97 | |
98 | The rendering of a QIcon object is handled by the QIconEngine |
99 | class. Each icon has a corresponding icon engine that is |
100 | responsible for drawing the icon with a requested size, mode and |
101 | state. |
102 | |
103 | \endtable |
104 | |
105 | For more information about widget styling and appearance, see the |
106 | \l{Styles and Style Aware Widgets}. |
107 | */ |
108 | |
109 | |
110 | /*! |
111 | \class QStyle |
112 | \brief The QStyle class is an abstract base class that encapsulates the look and feel of a GUI. |
113 | |
114 | \ingroup appearance |
115 | \inmodule QtWidgets |
116 | |
117 | Qt contains a set of QStyle subclasses that emulate the styles of |
118 | the different platforms supported by Qt (QWindowsStyle, |
119 | QMacStyle etc.). By default, these styles are built |
120 | into the Qt GUI module. Styles can also be made available as |
121 | plugins. |
122 | |
123 | Qt's built-in widgets use QStyle to perform nearly all of their |
124 | drawing, ensuring that they look exactly like the equivalent |
125 | native widgets. The diagram below shows a QComboBox in nine |
126 | different styles. |
127 | |
128 | \image qstyle-comboboxes.png Nine combo boxes |
129 | |
130 | Topics: |
131 | |
132 | \tableofcontents |
133 | |
134 | \section1 Setting a Style |
135 | |
136 | The style of the entire application can be set using the |
137 | QApplication::setStyle() function. It can also be specified by the |
138 | user of the application, using the \c -style command-line option: |
139 | |
140 | \snippet code/src_gui_styles_qstyle.cpp 0 |
141 | |
142 | If no style is specified, Qt will choose the most appropriate |
143 | style for the user's platform or desktop environment. |
144 | |
145 | A style can also be set on an individual widget using the |
146 | QWidget::setStyle() function. |
147 | |
148 | \section1 Developing Style-Aware Custom Widgets |
149 | |
150 | If you are developing custom widgets and want them to look good on |
151 | all platforms, you can use QStyle functions to perform parts of |
152 | the widget drawing, such as drawItemText(), drawItemPixmap(), |
153 | drawPrimitive(), drawControl(), and drawComplexControl(). |
154 | |
155 | Most QStyle draw functions take four arguments: |
156 | \list |
157 | \li an enum value specifying which graphical element to draw |
158 | \li a QStyleOption specifying how and where to render that element |
159 | \li a QPainter that should be used to draw the element |
160 | \li a QWidget on which the drawing is performed (optional) |
161 | \endlist |
162 | |
163 | For example, if you want to draw a focus rectangle on your |
164 | widget, you can write: |
165 | |
166 | \snippet styles/styles.cpp 1 |
167 | |
168 | QStyle gets all the information it needs to render the graphical |
169 | element from QStyleOption. The widget is passed as the last |
170 | argument in case the style needs it to perform special effects |
171 | (such as animated default buttons on \macos), but it isn't |
172 | mandatory. In fact, you can use QStyle to draw on any paint |
173 | device, not just widgets, by setting the QPainter properly. |
174 | |
175 | QStyleOption has various subclasses for the various types of |
176 | graphical elements that can be drawn. For example, |
177 | PE_FrameFocusRect expects a QStyleOptionFocusRect argument. |
178 | |
179 | To ensure that drawing operations are as fast as possible, |
180 | QStyleOption and its subclasses have public data members. See the |
181 | QStyleOption class documentation for details on how to use it. |
182 | |
183 | For convenience, Qt provides the QStylePainter class, which |
184 | combines a QStyle, a QPainter, and a QWidget. This makes it |
185 | possible to write |
186 | |
187 | \snippet styles/styles.cpp 5 |
188 | \dots |
189 | \snippet styles/styles.cpp 7 |
190 | |
191 | instead of |
192 | |
193 | \snippet styles/styles.cpp 2 |
194 | \dots |
195 | \snippet styles/styles.cpp 3 |
196 | |
197 | \section1 Creating a Custom Style |
198 | |
199 | You can create a custom look and feel for your application by |
200 | creating a custom style. There are two approaches to creating a |
201 | custom style. In the static approach, you either choose an |
202 | existing QStyle class, subclass it, and reimplement virtual |
203 | functions to provide the custom behavior, or you create an entire |
204 | QStyle class from scratch. In the dynamic approach, you modify the |
205 | behavior of your system style at runtime. The static approach is |
206 | described below. The dynamic approach is described in QProxyStyle. |
207 | |
208 | The first step in the static approach is to pick one of the styles |
209 | provided by Qt from which you will build your custom style. Your |
210 | choice of QStyle class will depend on which style resembles your |
211 | desired style the most. The most general class that you can use as |
212 | a base is QCommonStyle (not QStyle). This is because Qt requires |
213 | its styles to be \l{QCommonStyle}s. |
214 | |
215 | Depending on which parts of the base style you want to change, |
216 | you must reimplement the functions that are used to draw those |
217 | parts of the interface. To illustrate this, we will modify the |
218 | look of the spin box arrows drawn by QWindowsStyle. The arrows |
219 | are \e{primitive elements} that are drawn by the drawPrimitive() |
220 | function, so we need to reimplement that function. We need the |
221 | following class declaration: |
222 | |
223 | \snippet customstyle/customstyle.h 0 |
224 | |
225 | To draw its up and down arrows, QSpinBox uses the |
226 | PE_IndicatorSpinUp and PE_IndicatorSpinDown primitive elements. |
227 | Here's how to reimplement the drawPrimitive() function to draw |
228 | them differently: |
229 | |
230 | \snippet customstyle/customstyle.cpp 2 |
231 | \snippet customstyle/customstyle.cpp 3 |
232 | \snippet customstyle/customstyle.cpp 4 |
233 | |
234 | Notice that we don't use the \c widget argument, except to pass it |
235 | on to the QWindowStyle::drawPrimitive() function. As mentioned |
236 | earlier, the information about what is to be drawn and how it |
237 | should be drawn is specified by a QStyleOption object, so there is |
238 | no need to ask the widget. |
239 | |
240 | If you need to use the \c widget argument to obtain additional |
241 | information, be careful to ensure that it isn't 0 and that it is |
242 | of the correct type before using it. For example: |
243 | |
244 | \snippet customstyle/customstyle.cpp 0 |
245 | \dots |
246 | \snippet customstyle/customstyle.cpp 1 |
247 | |
248 | When implementing a custom style, you cannot assume that the |
249 | widget is a QSpinBox just because the enum value is called |
250 | PE_IndicatorSpinUp or PE_IndicatorSpinDown. |
251 | |
252 | \warning Qt style sheets are currently not supported for custom QStyle |
253 | subclasses. We plan to address this in some future release. |
254 | |
255 | |
256 | \section1 Using a Custom Style |
257 | |
258 | There are several ways of using a custom style in a Qt |
259 | application. The simplest way is to pass the custom style to the |
260 | QApplication::setStyle() static function before creating the |
261 | QApplication object: |
262 | |
263 | \snippet customstyle/main.cpp using a custom style |
264 | |
265 | You can call QApplication::setStyle() at any time, but by calling |
266 | it before the constructor, you ensure that the user's preference, |
267 | set using the \c -style command-line option, is respected. |
268 | |
269 | You may want to make your custom style available for use in other |
270 | applications, which may not be yours and hence not available for |
271 | you to recompile. The Qt Plugin system makes it possible to create |
272 | styles as plugins. Styles created as plugins are loaded as shared |
273 | objects at runtime by Qt itself. Please refer to the \l{How to Create Qt Plugins}{Qt Plugin} |
274 | documentation for more information on how to go about creating a style |
275 | plugin. |
276 | |
277 | Compile your plugin and put it into Qt's \c plugins/styles |
278 | directory. We now have a pluggable style that Qt can load |
279 | automatically. To use your new style with existing applications, |
280 | simply start the application with the following argument: |
281 | |
282 | \snippet code/src_gui_styles_qstyle.cpp 1 |
283 | |
284 | The application will use the look and feel from the custom style you |
285 | implemented. |
286 | |
287 | \section1 Right-to-Left Desktops |
288 | |
289 | Languages written from right to left (such as Arabic and Hebrew) |
290 | usually also mirror the whole layout of widgets, and require the |
291 | light to come from the screen's top-right corner instead of |
292 | top-left. |
293 | |
294 | If you create a custom style, you should take special care when |
295 | drawing asymmetric elements to make sure that they also look |
296 | correct in a mirrored layout. An easy way to test your styles is |
297 | to run applications with the \c -reverse command-line option or |
298 | to call QApplication::setLayoutDirection() in your \c main() |
299 | function. |
300 | |
301 | Here are some things to keep in mind when making a style work well in a |
302 | right-to-left environment: |
303 | |
304 | \list |
305 | \li subControlRect() and subElementRect() return rectangles in screen coordinates |
306 | \li QStyleOption::direction indicates in which direction the item should be drawn in |
307 | \li If a style is not right-to-left aware it will display items as if it were left-to-right |
308 | \li visualRect(), visualPos(), and visualAlignment() are helpful functions that will |
309 | translate from logical to screen representations. |
310 | \li alignedRect() will return a logical rect aligned for the current direction |
311 | \endlist |
312 | |
313 | \section1 Styles in Item Views |
314 | |
315 | The painting of items in views is performed by a delegate. Qt's |
316 | default delegate, QStyledItemDelegate, is also used for calculating bounding |
317 | rectangles of items, and their sub-elements for the various kind |
318 | of item \l{Qt::ItemDataRole}{data roles} |
319 | QStyledItemDelegate supports. See the QStyledItemDelegate class |
320 | description to find out which datatypes and roles are supported. You |
321 | can read more about item data roles in \l{Model/View Programming}. |
322 | |
323 | When QStyledItemDelegate paints its items, it draws |
324 | CE_ItemViewItem, and calculates their size with CT_ItemViewItem. |
325 | Note also that it uses SE_ItemViewItemText to set the size of |
326 | editors. When implementing a style to customize drawing of item |
327 | views, you need to check the implementation of QCommonStyle (and |
328 | any other subclasses from which your style |
329 | inherits). This way, you find out which and how |
330 | other style elements are painted, and you can then reimplement the |
331 | painting of elements that should be drawn differently. |
332 | |
333 | We include a small example where we customize the drawing of item |
334 | backgrounds. |
335 | |
336 | \snippet customviewstyle/customviewstyle.cpp 0 |
337 | |
338 | The primitive element PE_PanelItemViewItem is responsible for |
339 | painting the background of items, and is called from |
340 | \l{QCommonStyle}'s implementation of CE_ItemViewItem. |
341 | |
342 | To add support for drawing of new datatypes and item data roles, |
343 | it is necessary to create a custom delegate. But if you only |
344 | need to support the datatypes implemented by the default |
345 | delegate, a custom style does not need an accompanying |
346 | delegate. The QStyledItemDelegate class description gives more |
347 | information on custom delegates. |
348 | |
349 | The drawing of item view headers is also done by the style, giving |
350 | control over size of header items and row and column sizes. |
351 | |
352 | \sa QStyleOption, QStylePainter, |
353 | {Styles and Style Aware Widgets}, QStyledItemDelegate, {Styling} |
354 | */ |
355 | |
356 | /*! |
357 | Constructs a style object. |
358 | */ |
359 | QStyle::QStyle() |
360 | : QObject(*new QStylePrivate) |
361 | { |
362 | Q_D(QStyle); |
363 | d->proxyStyle = this; |
364 | } |
365 | |
366 | /*! |
367 | \internal |
368 | |
369 | Constructs a style object. |
370 | */ |
371 | QStyle::QStyle(QStylePrivate &dd) |
372 | : QObject(dd) |
373 | { |
374 | Q_D(QStyle); |
375 | d->proxyStyle = this; |
376 | Q_STATIC_ASSERT_X(int(StandardPixmap::NStandardPixmap) == |
377 | int(QPlatformTheme::StandardPixmap::NStandardPixmap), |
378 | "StandardPixmap in QPlatformTheme and QStyle out of sync" ); |
379 | } |
380 | |
381 | /*! |
382 | Destroys the style object. |
383 | */ |
384 | QStyle::~QStyle() |
385 | { |
386 | } |
387 | |
388 | /*! |
389 | Returns the name of the style. |
390 | |
391 | This value can be used to create a style with QStyleFactory::create(). |
392 | |
393 | \sa QStyleFactory::create() |
394 | \since 6.1 |
395 | */ |
396 | QString QStyle::name() const |
397 | { |
398 | Q_D(const QStyle); |
399 | return d->name; |
400 | } |
401 | |
402 | /*! |
403 | \internal |
404 | Set the style name |
405 | */ |
406 | void QStyle::setName(const QString &name) |
407 | { |
408 | Q_D(QStyle); |
409 | d->name = name; |
410 | } |
411 | |
412 | /*! |
413 | Initializes the appearance of the given \a widget. |
414 | |
415 | This function is called for every widget at some point after it |
416 | has been fully created but just \e before it is shown for the very |
417 | first time. |
418 | |
419 | Note that the default implementation does nothing. Reasonable |
420 | actions in this function might be to call the |
421 | QWidget::setBackgroundMode() function for the widget. Do not use |
422 | the function to set, for example, the geometry. Reimplementing |
423 | this function provides a back-door through which the appearance |
424 | of a widget can be changed, but with Qt's style engine it is |
425 | rarely necessary to implement this function; reimplement |
426 | drawItemPixmap(), drawItemText(), drawPrimitive(), etc. instead. |
427 | |
428 | The QWidget::inherits() function may provide enough information to |
429 | allow class-specific customizations. But because new QStyle |
430 | subclasses are expected to work reasonably with all current and \e |
431 | future widgets, limited use of hard-coded customization is |
432 | recommended. |
433 | |
434 | \sa unpolish() |
435 | */ |
436 | void QStyle::polish(QWidget * /* widget */) |
437 | { |
438 | } |
439 | |
440 | /*! |
441 | Uninitialize the given \a{widget}'s appearance. |
442 | |
443 | This function is the counterpart to polish(). It is called for |
444 | every polished widget whenever the style is dynamically changed; |
445 | the former style has to unpolish its settings before the new style |
446 | can polish them again. |
447 | |
448 | Note that unpolish() will only be called if the widget is |
449 | destroyed. This can cause problems in some cases, e.g, if you |
450 | remove a widget from the UI, cache it, and then reinsert it after |
451 | the style has changed; some of Qt's classes cache their widgets. |
452 | |
453 | \sa polish() |
454 | */ |
455 | void QStyle::unpolish(QWidget * /* widget */) |
456 | { |
457 | } |
458 | |
459 | /*! |
460 | \fn void QStyle::polish(QApplication * application) |
461 | \overload |
462 | |
463 | Late initialization of the given \a application object. |
464 | */ |
465 | void QStyle::polish(QApplication * /* app */) |
466 | { |
467 | } |
468 | |
469 | /*! |
470 | \fn void QStyle::unpolish(QApplication * application) |
471 | \overload |
472 | |
473 | Uninitialize the given \a application. |
474 | */ |
475 | void QStyle::unpolish(QApplication * /* app */) |
476 | { |
477 | } |
478 | |
479 | /*! |
480 | \fn void QStyle::polish(QPalette & palette) |
481 | \overload |
482 | |
483 | Changes the \a palette according to style specific requirements |
484 | for color palettes (if any). |
485 | |
486 | \sa QPalette, QApplication::setPalette() |
487 | */ |
488 | void QStyle::polish(QPalette & /* pal */) |
489 | { |
490 | } |
491 | |
492 | /*! |
493 | \fn QRect QStyle::itemTextRect(const QFontMetrics &metrics, const QRect &rectangle, int alignment, bool enabled, const QString &text) const |
494 | |
495 | Returns the area within the given \a rectangle in which to draw |
496 | the provided \a text according to the specified font \a metrics |
497 | and \a alignment. The \a enabled parameter indicates whether or |
498 | not the associated item is enabled. |
499 | |
500 | If the given \a rectangle is larger than the area needed to render |
501 | the \a text, the rectangle that is returned will be offset within |
502 | \a rectangle according to the specified \a alignment. For |
503 | example, if \a alignment is Qt::AlignCenter, the returned |
504 | rectangle will be centered within \a rectangle. If the given \a |
505 | rectangle is smaller than the area needed, the returned rectangle |
506 | will be the smallest rectangle large enough to render the \a text. |
507 | |
508 | \sa Qt::Alignment |
509 | */ |
510 | QRect QStyle::itemTextRect(const QFontMetrics &metrics, const QRect &rect, int alignment, bool enabled, |
511 | const QString &text) const |
512 | { |
513 | QRect result; |
514 | int x, y, w, h; |
515 | rect.getRect(ax: &x, ay: &y, aw: &w, ah: &h); |
516 | if (!text.isEmpty()) { |
517 | result = metrics.boundingRect(x, y, w, h, flags: alignment, text); |
518 | if (!enabled && proxy()->styleHint(stylehint: SH_EtchDisabledText)) { |
519 | result.setWidth(result.width()+1); |
520 | result.setHeight(result.height()+1); |
521 | } |
522 | } else { |
523 | result = QRect(x, y, w, h); |
524 | } |
525 | return result; |
526 | } |
527 | |
528 | /*! |
529 | \fn QRect QStyle::itemPixmapRect(const QRect &rectangle, int alignment, const QPixmap &pixmap) const |
530 | |
531 | Returns the area within the given \a rectangle in which to draw |
532 | the specified \a pixmap according to the defined \a alignment. |
533 | */ |
534 | QRect QStyle::itemPixmapRect(const QRect &rect, int alignment, const QPixmap &pixmap) const |
535 | { |
536 | QRect result; |
537 | int x, y, w, h; |
538 | rect.getRect(ax: &x, ay: &y, aw: &w, ah: &h); |
539 | |
540 | QSizeF pixmapSize = pixmap.deviceIndependentSize(); |
541 | const int pixmapWidth = pixmapSize.width(); |
542 | const int pixmapHeight = pixmapSize.height(); |
543 | |
544 | if ((alignment & Qt::AlignVCenter) == Qt::AlignVCenter) |
545 | y += h/2 - pixmapHeight/2; |
546 | else if ((alignment & Qt::AlignBottom) == Qt::AlignBottom) |
547 | y += h - pixmapHeight; |
548 | if ((alignment & Qt::AlignRight) == Qt::AlignRight) |
549 | x += w - pixmapWidth; |
550 | else if ((alignment & Qt::AlignHCenter) == Qt::AlignHCenter) |
551 | x += w/2 - pixmapWidth/2; |
552 | else if ((alignment & Qt::AlignLeft) != Qt::AlignLeft && QGuiApplication::isRightToLeft()) |
553 | x += w - pixmapWidth; |
554 | result = QRect(x, y, pixmapWidth, pixmapHeight); |
555 | return result; |
556 | } |
557 | |
558 | /*! |
559 | \fn void QStyle::drawItemText(QPainter *painter, const QRect &rectangle, int alignment, const QPalette &palette, bool enabled, const QString& text, QPalette::ColorRole textRole) const |
560 | |
561 | Draws the given \a text in the specified \a rectangle using the |
562 | provided \a painter and \a palette. |
563 | |
564 | The text is drawn using the painter's pen, and aligned and wrapped |
565 | according to the specified \a alignment. If an explicit \a |
566 | textRole is specified, the text is drawn using the \a palette's |
567 | color for the given role. The \a enabled parameter indicates |
568 | whether or not the item is enabled; when reimplementing this |
569 | function, the \a enabled parameter should influence how the item is |
570 | drawn. |
571 | |
572 | \sa Qt::Alignment, drawItemPixmap() |
573 | */ |
574 | void QStyle::drawItemText(QPainter *painter, const QRect &rect, int alignment, const QPalette &pal, |
575 | bool enabled, const QString& text, QPalette::ColorRole textRole) const |
576 | { |
577 | if (text.isEmpty()) |
578 | return; |
579 | QPen savedPen; |
580 | if (textRole != QPalette::NoRole) { |
581 | savedPen = painter->pen(); |
582 | painter->setPen(QPen(pal.brush(cr: textRole), savedPen.widthF())); |
583 | } |
584 | if (!enabled) { |
585 | if (proxy()->styleHint(stylehint: SH_DitherDisabledText)) { |
586 | QRect br; |
587 | painter->drawText(r: rect, flags: alignment, text, br: &br); |
588 | painter->fillRect(br, QBrush(painter->background().color(), Qt::Dense5Pattern)); |
589 | return; |
590 | } else if (proxy()->styleHint(stylehint: SH_EtchDisabledText)) { |
591 | QPen pen = painter->pen(); |
592 | painter->setPen(pal.light().color()); |
593 | painter->drawText(r: rect.adjusted(xp1: 1, yp1: 1, xp2: 1, yp2: 1), flags: alignment, text); |
594 | painter->setPen(pen); |
595 | } |
596 | } |
597 | painter->drawText(r: rect, flags: alignment, text); |
598 | if (textRole != QPalette::NoRole) |
599 | painter->setPen(savedPen); |
600 | } |
601 | |
602 | /*! |
603 | \fn void QStyle::drawItemPixmap(QPainter *painter, const QRect &rectangle, int alignment, |
604 | const QPixmap &pixmap) const |
605 | |
606 | Draws the given \a pixmap in the specified \a rectangle, according |
607 | to the specified \a alignment, using the provided \a painter. |
608 | |
609 | \sa drawItemText() |
610 | */ |
611 | |
612 | void QStyle::drawItemPixmap(QPainter *painter, const QRect &rect, int alignment, |
613 | const QPixmap &pixmap) const |
614 | { |
615 | qreal scale = pixmap.devicePixelRatio(); |
616 | QRect aligned = alignedRect(direction: QGuiApplication::layoutDirection(), alignment: QFlag(alignment), size: pixmap.size() / scale, rectangle: rect); |
617 | QRect inter = aligned.intersected(other: rect); |
618 | |
619 | painter->drawPixmap(x: inter.x(), y: inter.y(), pm: pixmap, sx: inter.x() - aligned.x(), sy: inter.y() - aligned.y(), sw: qRound(d: inter.width() * scale), sh: qRound(d: inter.height() *scale)); |
620 | } |
621 | |
622 | /*! |
623 | \enum QStyle::PrimitiveElement |
624 | |
625 | This enum describes the various primitive elements. A |
626 | primitive element is a common GUI element, such as a checkbox |
627 | indicator or button bevel. |
628 | |
629 | \value PE_PanelButtonCommand Button used to initiate an action, for |
630 | example, a QPushButton. |
631 | |
632 | \value PE_FrameDefaultButton This frame around a default button, e.g. in a dialog. |
633 | \value PE_PanelButtonBevel Generic panel with a button bevel. |
634 | \value PE_PanelButtonTool Panel for a Tool button, used with QToolButton. |
635 | \value PE_PanelLineEdit Panel for a QLineEdit. |
636 | \value PE_IndicatorButtonDropDown Indicator for a drop down button, for example, a tool |
637 | button that displays a menu. |
638 | |
639 | \value PE_FrameFocusRect Generic focus indicator. |
640 | |
641 | \value PE_IndicatorArrowUp Generic Up arrow. |
642 | \value PE_IndicatorArrowDown Generic Down arrow. |
643 | \value PE_IndicatorArrowRight Generic Right arrow. |
644 | \value PE_IndicatorArrowLeft Generic Left arrow. |
645 | |
646 | \value PE_IndicatorSpinUp Up symbol for a spin widget, for example a QSpinBox. |
647 | \value PE_IndicatorSpinDown Down symbol for a spin widget. |
648 | \value PE_IndicatorSpinPlus Increase symbol for a spin widget. |
649 | \value PE_IndicatorSpinMinus Decrease symbol for a spin widget. |
650 | |
651 | \value PE_IndicatorItemViewItemCheck On/off indicator for a view item. |
652 | |
653 | \value PE_IndicatorCheckBox On/off indicator, for example, a QCheckBox. |
654 | \value PE_IndicatorRadioButton Exclusive on/off indicator, for example, a QRadioButton. |
655 | |
656 | \value PE_IndicatorDockWidgetResizeHandle Resize handle for dock windows. |
657 | |
658 | \value PE_Frame Generic frame |
659 | \value PE_FrameMenu Frame for popup windows/menus; see also QMenu. |
660 | \value PE_PanelMenuBar Panel for menu bars. |
661 | \value PE_PanelScrollAreaCorner Panel at the bottom-right (or |
662 | bottom-left) corner of a scroll area. |
663 | |
664 | \value PE_FrameDockWidget Panel frame for dock windows and toolbars. |
665 | \value PE_FrameTabWidget Frame for tab widgets. |
666 | \value PE_FrameLineEdit Panel frame for line edits. |
667 | \value PE_FrameGroupBox Panel frame around group boxes. |
668 | \value PE_FrameButtonBevel Panel frame for a button bevel. |
669 | \value PE_FrameButtonTool Panel frame for a tool button. |
670 | |
671 | \value PE_IndicatorHeaderArrow Arrow used to indicate sorting on a list or table |
672 | header. |
673 | \value PE_FrameStatusBarItem Frame for an item of a status bar; see also QStatusBar. |
674 | |
675 | \value PE_FrameWindow Frame around a MDI window or a docking window. |
676 | |
677 | \value PE_IndicatorMenuCheckMark Check mark used in a menu. |
678 | |
679 | \value PE_IndicatorProgressChunk Section of a progress bar indicator; see also QProgressBar. |
680 | |
681 | \value PE_IndicatorBranch Lines used to represent the branch of a tree in a tree view. |
682 | \value PE_IndicatorToolBarHandle The handle of a toolbar. |
683 | \value PE_IndicatorToolBarSeparator The separator in a toolbar. |
684 | \value PE_PanelToolBar The panel for a toolbar. |
685 | \value PE_PanelTipLabel The panel for a tip label. |
686 | \value PE_FrameTabBarBase The frame that is drawn for a tab bar, usually drawn for a tab bar that isn't part of a tab widget. |
687 | \value PE_IndicatorTabTear Deprecated. Use \l{PE_IndicatorTabTearLeft} instead. |
688 | \value PE_IndicatorTabTearLeft An indicator that a tab is partially scrolled out on the left side of the visible tab bar when there are many tabs. |
689 | \value PE_IndicatorTabTearRight An indicator that a tab is partially scrolled out on the right side of the visible tab bar when there are many tabs. |
690 | \value PE_IndicatorColumnViewArrow An arrow in a QColumnView. |
691 | |
692 | \value PE_Widget A plain QWidget. |
693 | |
694 | \value PE_CustomBase Base value for custom primitive elements. |
695 | All values above this are reserved for custom use. Custom values |
696 | must be greater than this value. |
697 | |
698 | \value PE_IndicatorItemViewItemDrop An indicator that is drawn to show where an item in an item view is about to be dropped |
699 | during a drag-and-drop operation in an item view. |
700 | \value PE_PanelItemViewItem The background for an item in an item view. |
701 | \value PE_PanelItemViewRow The background of a row in an item view. |
702 | |
703 | \value PE_PanelStatusBar The panel for a status bar. |
704 | |
705 | \value PE_IndicatorTabClose The close button on a tab bar. |
706 | \value PE_PanelMenu The panel for a menu. |
707 | |
708 | \sa drawPrimitive() |
709 | */ |
710 | |
711 | |
712 | /*! |
713 | \enum QStyle::StateFlag |
714 | |
715 | This enum describes flags that are used when drawing primitive |
716 | elements. |
717 | |
718 | Note that not all primitives use all of these flags, and that the |
719 | flags may mean different things to different items. |
720 | |
721 | \value State_None Indicates that the widget does not have a state. |
722 | \value State_Active Indicates that the widget is active. |
723 | \value State_AutoRaise Used to indicate if auto-raise appearance should be used on a tool button. |
724 | \value State_Children Used to indicate if an item view branch has children. |
725 | \value State_DownArrow Used to indicate if a down arrow should be visible on the widget. |
726 | \value State_Editing Used to indicate if an editor is opened on the widget. |
727 | \value State_Enabled Used to indicate if the widget is enabled. |
728 | \value State_HasEditFocus Used to indicate if the widget currently has edit focus. |
729 | \value State_HasFocus Used to indicate if the widget has focus. |
730 | \value State_Horizontal Used to indicate if the widget is laid out horizontally, for example. a tool bar. |
731 | \value State_KeyboardFocusChange Used to indicate if the focus was changed with the keyboard, e.g., tab, backtab or shortcut. |
732 | \value State_MouseOver Used to indicate if the widget is under the mouse. |
733 | \value State_NoChange Used to indicate a tri-state checkbox. |
734 | \value State_Off Used to indicate if the widget is not checked. |
735 | \value State_On Used to indicate if the widget is checked. |
736 | \value State_Raised Used to indicate if a button is raised. |
737 | \value State_ReadOnly Used to indicate if a widget is read-only. |
738 | \value State_Selected Used to indicate if a widget is selected. |
739 | \value State_Item Used by item views to indicate if a horizontal branch should be drawn. |
740 | \value State_Open Used by item views to indicate if the tree branch is open. |
741 | \value State_Sibling Used by item views to indicate if a vertical line needs to be drawn (for siblings). |
742 | \value State_Sunken Used to indicate if the widget is sunken or pressed. |
743 | \value State_UpArrow Used to indicate if an up arrow should be visible on the widget. |
744 | \value State_Mini Used to indicate a mini style Mac widget or button. |
745 | \value State_Small Used to indicate a small style Mac widget or button. |
746 | \omitvalue State_Window |
747 | \omitvalue State_Bottom |
748 | \omitvalue State_FocusAtBorder |
749 | \omitvalue State_Top |
750 | |
751 | \sa drawPrimitive() |
752 | */ |
753 | |
754 | /*! |
755 | \fn void QStyle::drawPrimitive(PrimitiveElement element, const QStyleOption *option, QPainter *painter, const QWidget *widget) const |
756 | |
757 | Draws the given primitive \a element with the provided \a painter using the style |
758 | options specified by \a option. |
759 | |
760 | The \a widget argument is optional and may contain a widget that may |
761 | aid in drawing the primitive element. |
762 | |
763 | The table below is listing the primitive elements and their |
764 | associated style option subclasses. The style options contain all |
765 | the parameters required to draw the elements, including |
766 | QStyleOption::state which holds the style flags that are used when |
767 | drawing. The table also describes which flags that are set when |
768 | casting the given option to the appropriate subclass. |
769 | |
770 | Note that if a primitive element is not listed here, it is because |
771 | it uses a plain QStyleOption object. |
772 | |
773 | \table |
774 | \header \li Primitive Element \li QStyleOption Subclass \li Style Flag \li Remark |
775 | \row \li \l PE_FrameFocusRect \li \l QStyleOptionFocusRect |
776 | \li \l State_FocusAtBorder |
777 | \li Whether the focus is is at the border or inside the widget. |
778 | \row \li{1,2} \l PE_IndicatorCheckBox \li{1,2} \l QStyleOptionButton |
779 | \li \l State_NoChange \li Indicates a "tri-state" checkbox. |
780 | \row \li \l State_On \li Indicates the indicator is checked. |
781 | \row \li \l PE_IndicatorRadioButton \li \l QStyleOptionButton |
782 | \li \l State_On \li Indicates that a radio button is selected. |
783 | \row \li \l State_NoChange \li Indicates a "tri-state" controller. |
784 | \row \li \l State_Enabled \li Indicates the controller is enabled. |
785 | \row \li{1,4} \l PE_IndicatorBranch \li{1,4} \l QStyleOption |
786 | \li \l State_Children \li Indicates that the control for expanding the tree to show child items, should be drawn. |
787 | \row \li \l State_Item \li Indicates that a horizontal branch (to show a child item), should be drawn. |
788 | \row \li \l State_Open \li Indicates that the tree branch is expanded. |
789 | \row \li \l State_Sibling \li Indicates that a vertical line (to show a sibling item), should be drawn. |
790 | \row \li \l PE_IndicatorHeaderArrow \li \l QStyleOptionHeader |
791 | \li \l State_UpArrow \li Indicates that the arrow should be drawn up; |
792 | otherwise it should be down. |
793 | \row \li \l PE_FrameGroupBox, \l PE_Frame, \l PE_FrameLineEdit, |
794 | \l PE_FrameMenu, \l PE_FrameDockWidget, \l PE_FrameWindow |
795 | \li \l QStyleOptionFrame \li \l State_Sunken |
796 | \li Indicates that the Frame should be sunken. |
797 | \row \li \l PE_IndicatorToolBarHandle \li \l QStyleOption |
798 | \li \l State_Horizontal \li Indicates that the window handle is horizontal |
799 | instead of vertical. |
800 | \row \li \l PE_IndicatorSpinPlus, \l PE_IndicatorSpinMinus, \l PE_IndicatorSpinUp, |
801 | \l PE_IndicatorSpinDown, |
802 | \li \l QStyleOptionSpinBox |
803 | \li \l State_Sunken \li Indicates that the button is pressed. |
804 | \row \li{1,5} \l PE_PanelButtonCommand |
805 | \li{1,5} \l QStyleOptionButton |
806 | \li \l State_Enabled \li Set if the button is enabled. |
807 | \row \li \l State_HasFocus \li Set if the button has input focus. |
808 | \row \li \l State_Raised \li Set if the button is not down, not on and not flat. |
809 | \row \li \l State_On \li Set if the button is a toggle button and is toggled on. |
810 | \row \li \l State_Sunken |
811 | \li Set if the button is down (i.e., the mouse button or the |
812 | space bar is pressed on the button). |
813 | \endtable |
814 | |
815 | \sa drawComplexControl(), drawControl() |
816 | */ |
817 | |
818 | /*! |
819 | \enum QStyle::ControlElement |
820 | |
821 | This enum represents a control element. A control element is a |
822 | part of a widget that performs some action or displays information |
823 | to the user. |
824 | |
825 | \value CE_PushButton A QPushButton, draws CE_PushButtonBevel, CE_PushButtonLabel and PE_FrameFocusRect. |
826 | \value CE_PushButtonBevel The bevel and default indicator of a QPushButton. |
827 | \value CE_PushButtonLabel The label (an icon with text or pixmap) of a QPushButton. |
828 | |
829 | \value CE_DockWidgetTitle Dock window title. |
830 | \value CE_Splitter Splitter handle; see also QSplitter. |
831 | |
832 | |
833 | \value CE_CheckBox A QCheckBox, draws a PE_IndicatorCheckBox, a CE_CheckBoxLabel and a PE_FrameFocusRect. |
834 | \value CE_CheckBoxLabel The label (text or pixmap) of a QCheckBox. |
835 | |
836 | \value CE_RadioButton A QRadioButton, draws a PE_IndicatorRadioButton, a CE_RadioButtonLabel and a PE_FrameFocusRect. |
837 | \value CE_RadioButtonLabel The label (text or pixmap) of a QRadioButton. |
838 | |
839 | \value CE_TabBarTab The tab and label within a QTabBar. |
840 | \value CE_TabBarTabShape The tab shape within a tab bar. |
841 | \value CE_TabBarTabLabel The label within a tab. |
842 | |
843 | \value CE_ProgressBar A QProgressBar, draws CE_ProgressBarGroove, CE_ProgressBarContents and CE_ProgressBarLabel. |
844 | \value CE_ProgressBarGroove The groove where the progress |
845 | indicator is drawn in a QProgressBar. |
846 | \value CE_ProgressBarContents The progress indicator of a QProgressBar. |
847 | \value CE_ProgressBarLabel The text label of a QProgressBar. |
848 | |
849 | \value CE_ToolButtonLabel A tool button's label. |
850 | |
851 | \value CE_MenuBarItem A menu item in a QMenuBar. |
852 | \value CE_MenuBarEmptyArea The empty area of a QMenuBar. |
853 | |
854 | \value CE_MenuItem A menu item in a QMenu. |
855 | \value CE_MenuScroller Scrolling areas in a QMenu when the |
856 | style supports scrolling. |
857 | \value CE_MenuTearoff A menu item representing the tear off section of |
858 | a QMenu. |
859 | \value CE_MenuEmptyArea The area in a menu without menu items. |
860 | \value CE_MenuHMargin The horizontal extra space on the left/right of a menu. |
861 | \value CE_MenuVMargin The vertical extra space on the top/bottom of a menu. |
862 | |
863 | \value CE_ToolBoxTab The toolbox's tab and label within a QToolBox. |
864 | \value CE_SizeGrip Window resize handle; see also QSizeGrip. |
865 | |
866 | \value CE_Header A header. |
867 | \value CE_HeaderSection A header section. |
868 | \value CE_HeaderLabel The header's label. |
869 | |
870 | \value CE_ScrollBarAddLine Scroll bar line increase indicator. |
871 | (i.e., scroll down); see also QScrollBar. |
872 | \value CE_ScrollBarSubLine Scroll bar line decrease indicator (i.e., scroll up). |
873 | \value CE_ScrollBarAddPage Scolllbar page increase indicator (i.e., page down). |
874 | \value CE_ScrollBarSubPage Scroll bar page decrease indicator (i.e., page up). |
875 | \value CE_ScrollBarSlider Scroll bar slider. |
876 | \value CE_ScrollBarFirst Scroll bar first line indicator (i.e., home). |
877 | \value CE_ScrollBarLast Scroll bar last line indicator (i.e., end). |
878 | |
879 | \value CE_RubberBand Rubber band used in for example an icon view. |
880 | |
881 | \value CE_FocusFrame Focus frame that is style controlled. |
882 | |
883 | \value CE_ItemViewItem An item inside an item view. |
884 | |
885 | \value CE_CustomBase Base value for custom control elements; |
886 | custom values must be greater than this value. |
887 | \value CE_ComboBoxLabel The label of a non-editable QComboBox. |
888 | \value CE_ToolBar A toolbar like QToolBar. |
889 | \value CE_ToolBoxTabShape The toolbox's tab shape. |
890 | \value CE_ToolBoxTabLabel The toolbox's tab label. |
891 | \value CE_HeaderEmptyArea The area of a header view where there are no header sections. |
892 | |
893 | \value CE_ShapedFrame The frame with the shape specified in the QStyleOptionFrame; see QFrame. |
894 | |
895 | \omitvalue CE_ColumnViewGrip |
896 | |
897 | \sa drawControl() |
898 | */ |
899 | |
900 | /*! |
901 | \fn void QStyle::drawControl(ControlElement element, const QStyleOption *option, QPainter *painter, const QWidget *widget) const |
902 | |
903 | Draws the given \a element with the provided \a painter with the |
904 | style options specified by \a option. |
905 | |
906 | The \a widget argument is optional and can be used as aid in |
907 | drawing the control. The \a option parameter is a pointer to a |
908 | QStyleOption object that can be cast to the correct subclass |
909 | using the qstyleoption_cast() function. |
910 | |
911 | The table below is listing the control elements and their |
912 | associated style option subclass. The style options contain all |
913 | the parameters required to draw the controls, including |
914 | QStyleOption::state which holds the style flags that are used when |
915 | drawing. The table also describes which flags that are set when |
916 | casting the given option to the appropriate subclass. |
917 | |
918 | Note that if a control element is not listed here, it is because |
919 | it uses a plain QStyleOption object. |
920 | |
921 | \table |
922 | \header \li Control Element \li QStyleOption Subclass \li Style Flag \li Remark |
923 | \row \li{1,5} \l CE_MenuItem, \l CE_MenuBarItem |
924 | \li{1,5} \l QStyleOptionMenuItem |
925 | \li \l State_Selected \li The menu item is currently selected item. |
926 | \row \li \l State_Enabled \li The item is enabled. |
927 | \row \li \l State_DownArrow \li Indicates that a scroll down arrow should be drawn. |
928 | \row \li \l State_UpArrow \li Indicates that a scroll up arrow should be drawn |
929 | \row \li \l State_HasFocus \li Set if the menu bar has input focus. |
930 | |
931 | \row \li{1,5} \l CE_PushButton, \l CE_PushButtonBevel, \l CE_PushButtonLabel |
932 | \li{1,5} \l QStyleOptionButton |
933 | \li \l State_Enabled \li Set if the button is enabled. |
934 | \row \li \l State_HasFocus \li Set if the button has input focus. |
935 | \row \li \l State_Raised \li Set if the button is not down, not on and not flat. |
936 | \row \li \l State_On \li Set if the button is a toggle button and is toggled on. |
937 | \row \li \l State_Sunken |
938 | \li Set if the button is down (i.e., the mouse button or the |
939 | space bar is pressed on the button). |
940 | |
941 | \row \li{1,6} \l CE_RadioButton, \l CE_RadioButtonLabel, |
942 | \l CE_CheckBox, \l CE_CheckBoxLabel |
943 | \li{1,6} \l QStyleOptionButton |
944 | \li \l State_Enabled \li Set if the button is enabled. |
945 | \row \li \l State_HasFocus \li Set if the button has input focus. |
946 | \row \li \l State_On \li Set if the button is checked. |
947 | \row \li \l State_Off \li Set if the button is not checked. |
948 | \row \li \l State_NoChange \li Set if the button is in the NoChange state. |
949 | \row \li \l State_Sunken |
950 | \li Set if the button is down (i.e., the mouse button or |
951 | the space bar is pressed on the button). |
952 | |
953 | \row \li{1,2} \l CE_ProgressBarContents, \l CE_ProgressBarLabel, |
954 | \l CE_ProgressBarGroove |
955 | \li{1,2} \l QStyleOptionProgressBar |
956 | \li \l State_Enabled \li Set if the progress bar is enabled. |
957 | \row \li \l State_HasFocus \li Set if the progress bar has input focus. |
958 | |
959 | \row \li \l CE_Header, \l CE_HeaderSection, \l CE_HeaderLabel \li \l QStyleOptionHeader \li \li |
960 | |
961 | \row \li{1,3} \l CE_TabBarTab, CE_TabBarTabShape, CE_TabBarTabLabel |
962 | \li{1,3} \l QStyleOptionTab |
963 | \li \l State_Enabled \li Set if the tab bar is enabled. |
964 | \row \li \l State_Selected \li The tab bar is the currently selected tab bar. |
965 | \row \li \l State_HasFocus \li Set if the tab bar tab has input focus. |
966 | |
967 | \row \li{1,7} \l CE_ToolButtonLabel |
968 | \li{1,7} \l QStyleOptionToolButton |
969 | \li \l State_Enabled \li Set if the tool button is enabled. |
970 | \row \li \l State_HasFocus \li Set if the tool button has input focus. |
971 | \row \li \l State_Sunken |
972 | \li Set if the tool button is down (i.e., a mouse button or |
973 | the space bar is pressed). |
974 | \row \li \l State_On \li Set if the tool button is a toggle button and is toggled on. |
975 | \row \li \l State_AutoRaise \li Set if the tool button has auto-raise enabled. |
976 | \row \li \l State_MouseOver \li Set if the mouse pointer is over the tool button. |
977 | \row \li \l State_Raised \li Set if the button is not down and is not on. |
978 | |
979 | \row \li \l CE_ToolBoxTab \li \l QStyleOptionToolBox |
980 | \li \l State_Selected \li The tab is the currently selected tab. |
981 | \row \li{1,3} \l CE_HeaderSection \li{1,3} \l QStyleOptionHeader |
982 | \li \l State_Sunken \li Indicates that the section is pressed. |
983 | \row \li \l State_UpArrow \li Indicates that the sort indicator should be pointing up. |
984 | \row \li \l State_DownArrow \li Indicates that the sort indicator should be pointing down. |
985 | \endtable |
986 | |
987 | \sa drawPrimitive(), drawComplexControl() |
988 | */ |
989 | |
990 | /*! |
991 | \enum QStyle::SubElement |
992 | |
993 | This enum represents a sub-area of a widget. Style implementations |
994 | use these areas to draw the different parts of a widget. |
995 | |
996 | \value SE_PushButtonContents Area containing the label (icon |
997 | with text or pixmap). |
998 | \value SE_PushButtonFocusRect Area for the focus rect (usually |
999 | larger than the contents rect). |
1000 | \value SE_PushButtonLayoutItem Area that counts for the parent layout. |
1001 | \value SE_PushButtonBevel [since 5.15] Area used for the bevel of the button. |
1002 | |
1003 | \value SE_CheckBoxIndicator Area for the state indicator (e.g., check mark). |
1004 | \value SE_CheckBoxContents Area for the label (text or pixmap). |
1005 | \value SE_CheckBoxFocusRect Area for the focus indicator. |
1006 | \value SE_CheckBoxClickRect Clickable area, defaults to SE_CheckBoxFocusRect. |
1007 | \value SE_CheckBoxLayoutItem Area that counts for the parent layout. |
1008 | |
1009 | \value SE_DateTimeEditLayoutItem Area that counts for the parent layout. |
1010 | |
1011 | \value SE_RadioButtonIndicator Area for the state indicator. |
1012 | \value SE_RadioButtonContents Area for the label. |
1013 | \value SE_RadioButtonFocusRect Area for the focus indicator. |
1014 | \value SE_RadioButtonClickRect Clickable area, defaults to SE_RadioButtonFocusRect. |
1015 | \value SE_RadioButtonLayoutItem Area that counts for the parent layout. |
1016 | |
1017 | \value SE_ComboBoxFocusRect Area for the focus indicator. |
1018 | |
1019 | \value SE_SliderFocusRect Area for the focus indicator. |
1020 | \value SE_SliderLayoutItem Area that counts for the parent layout. |
1021 | |
1022 | \value SE_SpinBoxLayoutItem Area that counts for the parent layout. |
1023 | |
1024 | \value SE_ProgressBarGroove Area for the groove. |
1025 | \value SE_ProgressBarContents Area for the progress indicator. |
1026 | \value SE_ProgressBarLabel Area for the text label. |
1027 | \value SE_ProgressBarLayoutItem Area that counts for the parent layout. |
1028 | |
1029 | \value SE_FrameContents Area for a frame's contents. |
1030 | \value SE_ShapedFrameContents Area for a frame's contents using the shape in QStyleOptionFrame; see QFrame |
1031 | \value SE_FrameLayoutItem Area that counts for the parent layout. |
1032 | |
1033 | \value SE_HeaderArrow Area for the sort indicator for a header. |
1034 | \value SE_HeaderLabel Area for the label in a header. |
1035 | |
1036 | \value SE_LabelLayoutItem Area that counts for the parent layout. |
1037 | |
1038 | \value SE_LineEditContents Area for a line edit's contents. |
1039 | |
1040 | \value SE_TabWidgetLeftCorner Area for the left corner widget in a tab widget. |
1041 | \value SE_TabWidgetRightCorner Area for the right corner widget in a tab widget. |
1042 | \value SE_TabWidgetTabBar Area for the tab bar widget in a tab widget. |
1043 | \value SE_TabWidgetTabContents Area for the contents of the tab widget. |
1044 | \value SE_TabWidgetTabPane Area for the pane of a tab widget. |
1045 | \value SE_TabWidgetLayoutItem Area that counts for the parent layout. |
1046 | |
1047 | \value SE_ToolBoxTabContents Area for a toolbox tab's icon and label. |
1048 | |
1049 | \value SE_ToolButtonLayoutItem Area that counts for the parent layout. |
1050 | |
1051 | \value SE_ItemViewItemCheckIndicator Area for a view item's check mark. |
1052 | |
1053 | \value SE_TabBarTearIndicator Deprecated. Use SE_TabBarTearIndicatorLeft instead. |
1054 | \value SE_TabBarTearIndicatorLeft Area for the tear indicator on the left side of a tab bar with scroll arrows. |
1055 | \value SE_TabBarTearIndicatorRight Area for the tear indicator on the right side of a tab bar with scroll arrows. |
1056 | |
1057 | \value SE_TabBarScrollLeftButton Area for the scroll left button on a tab bar with scroll buttons. |
1058 | \value SE_TabBarScrollRightButton Area for the scroll right button on a tab bar with scroll buttons. |
1059 | |
1060 | \value SE_TreeViewDisclosureItem Area for the actual disclosure item in a tree branch. |
1061 | |
1062 | \value SE_GroupBoxLayoutItem Area that counts for the parent layout. |
1063 | |
1064 | \value SE_CustomBase Base value for custom sub-elements. |
1065 | Custom values must be greater than this value. |
1066 | |
1067 | \value SE_DockWidgetFloatButton The float button of a dock |
1068 | widget. |
1069 | \value SE_DockWidgetTitleBarText The text bounds of the dock |
1070 | widgets title. |
1071 | \value SE_DockWidgetCloseButton The close button of a dock |
1072 | widget. |
1073 | \value SE_DockWidgetIcon The icon of a dock widget. |
1074 | \value SE_ComboBoxLayoutItem Area that counts for the parent layout. |
1075 | |
1076 | |
1077 | \value SE_ItemViewItemDecoration Area for a view item's decoration (icon). |
1078 | \value SE_ItemViewItemText Area for a view item's text. |
1079 | \value SE_ItemViewItemFocusRect Area for a view item's focus rect. |
1080 | |
1081 | \value SE_TabBarTabLeftButton Area for a widget on the left side of a tab in a tab bar. |
1082 | \value SE_TabBarTabRightButton Area for a widget on the right side of a tab in a tab bar. |
1083 | \value SE_TabBarTabText Area for the text on a tab in a tab bar. |
1084 | |
1085 | \value SE_ToolBarHandle Area for the handle of a tool bar. |
1086 | |
1087 | \sa subElementRect() |
1088 | */ |
1089 | |
1090 | /*! |
1091 | \fn QRect QStyle::subElementRect(SubElement element, const QStyleOption *option, const QWidget *widget) const |
1092 | |
1093 | Returns the sub-area for the given \a element as described in the |
1094 | provided style \a option. The returned rectangle is defined in |
1095 | screen coordinates. |
1096 | |
1097 | The \a widget argument is optional and can be used to aid |
1098 | determining the area. The QStyleOption object can be cast to the |
1099 | appropriate type using the qstyleoption_cast() function. See the |
1100 | table below for the appropriate \a option casts: |
1101 | |
1102 | \table |
1103 | \header \li Sub Element \li QStyleOption Subclass |
1104 | \row \li \l SE_PushButtonContents \li \l QStyleOptionButton |
1105 | \row \li \l SE_PushButtonFocusRect \li \l QStyleOptionButton |
1106 | \row \li \l SE_PushButtonBevel \li \l QStyleOptionButton |
1107 | \row \li \l SE_CheckBoxIndicator \li \l QStyleOptionButton |
1108 | \row \li \l SE_CheckBoxContents \li \l QStyleOptionButton |
1109 | \row \li \l SE_CheckBoxFocusRect \li \l QStyleOptionButton |
1110 | \row \li \l SE_RadioButtonIndicator \li \l QStyleOptionButton |
1111 | \row \li \l SE_RadioButtonContents \li \l QStyleOptionButton |
1112 | \row \li \l SE_RadioButtonFocusRect \li \l QStyleOptionButton |
1113 | \row \li \l SE_ComboBoxFocusRect \li \l QStyleOptionComboBox |
1114 | \row \li \l SE_ProgressBarGroove \li \l QStyleOptionProgressBar |
1115 | \row \li \l SE_ProgressBarContents \li \l QStyleOptionProgressBar |
1116 | \row \li \l SE_ProgressBarLabel \li \l QStyleOptionProgressBar |
1117 | \endtable |
1118 | */ |
1119 | |
1120 | /*! |
1121 | \enum QStyle::ComplexControl |
1122 | |
1123 | This enum describes the available complex controls. Complex |
1124 | controls have different behavior depending upon where the user |
1125 | clicks on them or which keys are pressed. |
1126 | |
1127 | \value CC_SpinBox A spinbox, like QSpinBox. |
1128 | \value CC_ComboBox A combobox, like QComboBox. |
1129 | \value CC_ScrollBar A scroll bar, like QScrollBar. |
1130 | \value CC_Slider A slider, like QSlider. |
1131 | \value CC_ToolButton A tool button, like QToolButton. |
1132 | \value CC_TitleBar A Title bar, like those used in QMdiSubWindow. |
1133 | \value CC_GroupBox A group box, like QGroupBox. |
1134 | \value CC_Dial A dial, like QDial. |
1135 | \value CC_MdiControls The minimize, close, and normal |
1136 | button in the menu bar for a |
1137 | maximized MDI subwindow. |
1138 | |
1139 | \value CC_CustomBase Base value for custom complex controls. Custom |
1140 | values must be greater than this value. |
1141 | |
1142 | \sa SubControl, drawComplexControl() |
1143 | */ |
1144 | |
1145 | /*! |
1146 | \enum QStyle::SubControl |
1147 | |
1148 | This enum describes the available sub controls. A subcontrol is a |
1149 | control element within a complex control (ComplexControl). |
1150 | |
1151 | \value SC_None Special value that matches no other sub control. |
1152 | |
1153 | \value SC_ScrollBarAddLine Scroll bar add line (i.e., down/right |
1154 | arrow); see also QScrollBar. |
1155 | \value SC_ScrollBarSubLine Scroll bar sub line (i.e., up/left arrow). |
1156 | \value SC_ScrollBarAddPage Scroll bar add page (i.e., page down). |
1157 | \value SC_ScrollBarSubPage Scroll bar sub page (i.e., page up). |
1158 | \value SC_ScrollBarFirst Scroll bar first line (i.e., home). |
1159 | \value SC_ScrollBarLast Scroll bar last line (i.e., end). |
1160 | \value SC_ScrollBarSlider Scroll bar slider handle. |
1161 | \value SC_ScrollBarGroove Special sub-control which contains the |
1162 | area in which the slider handle may move. |
1163 | |
1164 | \value SC_SpinBoxUp Spin widget up/increase; see also QSpinBox. |
1165 | \value SC_SpinBoxDown Spin widget down/decrease. |
1166 | \value SC_SpinBoxFrame Spin widget frame. |
1167 | \value SC_SpinBoxEditField Spin widget edit field. |
1168 | |
1169 | \value SC_ComboBoxEditField Combobox edit field; see also QComboBox. |
1170 | \value SC_ComboBoxArrow Combobox arrow button. |
1171 | \value SC_ComboBoxFrame Combobox frame. |
1172 | \value SC_ComboBoxListBoxPopup The reference rectangle for the combobox popup. |
1173 | Used to calculate the position of the popup. |
1174 | |
1175 | \value SC_SliderGroove Special sub-control which contains the area |
1176 | in which the slider handle may move. |
1177 | \value SC_SliderHandle Slider handle. |
1178 | \value SC_SliderTickmarks Slider tickmarks. |
1179 | |
1180 | \value SC_ToolButton Tool button (see also QToolButton). |
1181 | \value SC_ToolButtonMenu Sub-control for opening a popup menu in a |
1182 | tool button. |
1183 | |
1184 | \value SC_TitleBarSysMenu System menu button (i.e., restore, close, etc.). |
1185 | \value SC_TitleBarMinButton Minimize button. |
1186 | \value SC_TitleBarMaxButton Maximize button. |
1187 | \value SC_TitleBarCloseButton Close button. |
1188 | \value SC_TitleBarLabel Window title label. |
1189 | \value SC_TitleBarNormalButton Normal (restore) button. |
1190 | \value SC_TitleBarShadeButton Shade button. |
1191 | \value SC_TitleBarUnshadeButton Unshade button. |
1192 | \value SC_TitleBarContextHelpButton Context Help button. |
1193 | |
1194 | \value SC_DialHandle The handle of the dial (i.e. what you use to control the dial). |
1195 | \value SC_DialGroove The groove for the dial. |
1196 | \value SC_DialTickmarks The tickmarks for the dial. |
1197 | |
1198 | \value SC_GroupBoxFrame The frame of a group box. |
1199 | \value SC_GroupBoxLabel The title of a group box. |
1200 | \value SC_GroupBoxCheckBox The optional check box of a group box. |
1201 | \value SC_GroupBoxContents The group box contents. |
1202 | |
1203 | \value SC_MdiNormalButton The normal button for a MDI |
1204 | subwindow in the menu bar. |
1205 | \value SC_MdiMinButton The minimize button for a MDI |
1206 | subwindow in the menu bar. |
1207 | \value SC_MdiCloseButton The close button for a MDI subwindow |
1208 | in the menu bar. |
1209 | |
1210 | \value SC_All Special value that matches all sub-controls. |
1211 | \omitvalue SC_CustomBase |
1212 | |
1213 | \sa ComplexControl |
1214 | */ |
1215 | |
1216 | /*! |
1217 | \fn void QStyle::drawComplexControl(ComplexControl control, const QStyleOptionComplex *option, QPainter *painter, const QWidget *widget) const |
1218 | |
1219 | Draws the given \a control using the provided \a painter with the |
1220 | style options specified by \a option. |
1221 | |
1222 | The \a widget argument is optional and can be used as aid in |
1223 | drawing the control. |
1224 | |
1225 | The \a option parameter is a pointer to a QStyleOptionComplex |
1226 | object that can be cast to the correct subclass using the |
1227 | qstyleoption_cast() function. Note that the \c rect member of the |
1228 | specified \a option must be in logical |
1229 | coordinates. Reimplementations of this function should use |
1230 | visualRect() to change the logical coordinates into screen |
1231 | coordinates before calling the drawPrimitive() or drawControl() |
1232 | function. |
1233 | |
1234 | The table below is listing the complex control elements and their |
1235 | associated style option subclass. The style options contain all |
1236 | the parameters required to draw the controls, including |
1237 | QStyleOption::state which holds the \l {QStyle::StateFlag}{style |
1238 | flags} that are used when drawing. The table also describes which |
1239 | flags that are set when casting the given \a option to the |
1240 | appropriate subclass. |
1241 | |
1242 | \table |
1243 | \header \li Complex Control \li QStyleOptionComplex Subclass \li Style Flag \li Remark |
1244 | \row \li{1,2} \l{CC_SpinBox} \li{1,2} \l QStyleOptionSpinBox |
1245 | \li \l State_Enabled \li Set if the spin box is enabled. |
1246 | \row \li \l State_HasFocus \li Set if the spin box has input focus. |
1247 | |
1248 | \row \li{1,2} \l {CC_ComboBox} \li{1,2} \l QStyleOptionComboBox |
1249 | \li \l State_Enabled \li Set if the combobox is enabled. |
1250 | \row \li \l State_HasFocus \li Set if the combobox has input focus. |
1251 | |
1252 | \row \li{1,2} \l {CC_ScrollBar} \li{1,2} \l QStyleOptionSlider |
1253 | \li \l State_Enabled \li Set if the scroll bar is enabled. |
1254 | \row \li \l State_HasFocus \li Set if the scroll bar has input focus. |
1255 | |
1256 | \row \li{1,2} \l {CC_Slider} \li{1,2} \l QStyleOptionSlider |
1257 | \li \l State_Enabled \li Set if the slider is enabled. |
1258 | \row \li \l State_HasFocus \li Set if the slider has input focus. |
1259 | |
1260 | \row \li{1,2} \l {CC_Dial} \li{1,2} \l QStyleOptionSlider |
1261 | \li \l State_Enabled \li Set if the dial is enabled. |
1262 | \row \li \l State_HasFocus \li Set if the dial has input focus. |
1263 | |
1264 | \row \li{1,6} \l {CC_ToolButton} \li{1,6} \l QStyleOptionToolButton |
1265 | \li \l State_Enabled \li Set if the tool button is enabled. |
1266 | \row \li \l State_HasFocus \li Set if the tool button has input focus. |
1267 | \row \li \l State_DownArrow \li Set if the tool button is down (i.e., a mouse |
1268 | button or the space bar is pressed). |
1269 | \row \li \l State_On \li Set if the tool button is a toggle button |
1270 | and is toggled on. |
1271 | \row \li \l State_AutoRaise \li Set if the tool button has auto-raise enabled. |
1272 | \row \li \l State_Raised \li Set if the button is not down, not on, and doesn't |
1273 | contain the mouse when auto-raise is enabled. |
1274 | |
1275 | \row \li \l{CC_TitleBar} \li \l QStyleOptionTitleBar |
1276 | \li \l State_Enabled \li Set if the title bar is enabled. |
1277 | |
1278 | \endtable |
1279 | |
1280 | \sa drawPrimitive(), drawControl() |
1281 | */ |
1282 | |
1283 | |
1284 | /*! |
1285 | \fn QRect QStyle::subControlRect(ComplexControl control, |
1286 | const QStyleOptionComplex *option, SubControl subControl, |
1287 | const QWidget *widget) const = 0 |
1288 | |
1289 | Returns the rectangle containing the specified \a subControl of |
1290 | the given complex \a control (with the style specified by \a |
1291 | option). The rectangle is defined in screen coordinates. |
1292 | |
1293 | The \a option argument is a pointer to QStyleOptionComplex or |
1294 | one of its subclasses, and can be cast to the appropriate type |
1295 | using the qstyleoption_cast() function. See drawComplexControl() |
1296 | for details. The \a widget is optional and can contain additional |
1297 | information for the function. |
1298 | |
1299 | \sa drawComplexControl() |
1300 | */ |
1301 | |
1302 | /*! |
1303 | \fn QStyle::SubControl QStyle::hitTestComplexControl(ComplexControl control, |
1304 | const QStyleOptionComplex *option, const QPoint &position, |
1305 | const QWidget *widget) const = 0 |
1306 | |
1307 | Returns the sub control at the given \a position in the given |
1308 | complex \a control (with the style options specified by \a |
1309 | option). |
1310 | |
1311 | Note that the \a position is expressed in screen coordinates. |
1312 | |
1313 | The \a option argument is a pointer to a QStyleOptionComplex |
1314 | object (or one of its subclasses). The object can be cast to the |
1315 | appropriate type using the qstyleoption_cast() function. See |
1316 | drawComplexControl() for details. The \a widget argument is |
1317 | optional and can contain additional information for the function. |
1318 | |
1319 | \sa drawComplexControl(), subControlRect() |
1320 | */ |
1321 | |
1322 | /*! |
1323 | \enum QStyle::PixelMetric |
1324 | |
1325 | This enum describes the various available pixel metrics. A pixel |
1326 | metric is a style dependent size represented by a single pixel |
1327 | value. |
1328 | |
1329 | \value PM_ButtonMargin Amount of whitespace between push button |
1330 | labels and the frame. |
1331 | \value PM_DockWidgetTitleBarButtonMargin Amount of whitespace between dock widget's |
1332 | title bar button labels and the frame. |
1333 | \value PM_ButtonDefaultIndicator Width of the default-button indicator frame. |
1334 | \value PM_MenuButtonIndicator Width of the menu button indicator |
1335 | proportional to the widget height. |
1336 | \value PM_ButtonShiftHorizontal Horizontal contents shift of a |
1337 | button when the button is down. |
1338 | \value PM_ButtonShiftVertical Vertical contents shift of a button when the |
1339 | button is down. |
1340 | |
1341 | \value PM_DefaultFrameWidth Default frame width (usually 2). |
1342 | \value PM_SpinBoxFrameWidth Frame width of a spin box, defaults to PM_DefaultFrameWidth. |
1343 | \value PM_ComboBoxFrameWidth Frame width of a combo box, defaults to PM_DefaultFrameWidth. |
1344 | |
1345 | \value PM_MdiSubWindowFrameWidth Frame width of an MDI window. |
1346 | \value PM_MdiSubWindowMinimizedWidth Width of a minimized MDI window. |
1347 | |
1348 | \value PM_LayoutLeftMargin Default \l{QLayout::setContentsMargins()}{left margin} for a |
1349 | QLayout. |
1350 | \value PM_LayoutTopMargin Default \l{QLayout::setContentsMargins()}{top margin} for a QLayout. |
1351 | \value PM_LayoutRightMargin Default \l{QLayout::setContentsMargins()}{right margin} for a |
1352 | QLayout. |
1353 | \value PM_LayoutBottomMargin Default \l{QLayout::setContentsMargins()}{bottom margin} for a |
1354 | QLayout. |
1355 | \value PM_LayoutHorizontalSpacing Default \l{QLayout::spacing}{horizontal spacing} for a |
1356 | QLayout. |
1357 | \value PM_LayoutVerticalSpacing Default \l{QLayout::spacing}{vertical spacing} for a QLayout. |
1358 | |
1359 | \value PM_MaximumDragDistance The maximum allowed distance between |
1360 | the mouse and a scrollbar when dragging. Exceeding the specified |
1361 | distance will cause the slider to jump back to the original |
1362 | position; a value of -1 disables this behavior. |
1363 | |
1364 | \value PM_ScrollBarExtent Width of a vertical scroll bar and the |
1365 | height of a horizontal scroll bar. |
1366 | \value PM_ScrollBarSliderMin The minimum height of a vertical |
1367 | scroll bar's slider and the minimum width of a horizontal |
1368 | scroll bar's slider. |
1369 | |
1370 | \value PM_SliderThickness Total slider thickness. |
1371 | \value PM_SliderControlThickness Thickness of the slider handle. |
1372 | \value PM_SliderLength Length of the slider. |
1373 | \value PM_SliderTickmarkOffset The offset between the tickmarks |
1374 | and the slider. |
1375 | \value PM_SliderSpaceAvailable The available space for the slider to move. |
1376 | |
1377 | \value PM_DockWidgetSeparatorExtent Width of a separator in a |
1378 | horizontal dock window and the height of a separator in a |
1379 | vertical dock window. |
1380 | \value PM_DockWidgetHandleExtent Width of the handle in a |
1381 | horizontal dock window and the height of the handle in a |
1382 | vertical dock window. |
1383 | \value PM_DockWidgetFrameWidth Frame width of a dock window. |
1384 | \value PM_DockWidgetTitleMargin Margin of the dock window title. |
1385 | |
1386 | \value PM_MenuBarPanelWidth Frame width of a menu bar, defaults to PM_DefaultFrameWidth. |
1387 | \value PM_MenuBarItemSpacing Spacing between menu bar items. |
1388 | \value PM_MenuBarHMargin Spacing between menu bar items and left/right of bar. |
1389 | \value PM_MenuBarVMargin Spacing between menu bar items and top/bottom of bar. |
1390 | |
1391 | \value PM_ToolBarFrameWidth Width of the frame around toolbars. |
1392 | \value PM_ToolBarHandleExtent Width of a toolbar handle in a |
1393 | horizontal toolbar and the height of the handle in a vertical toolbar. |
1394 | \value PM_ToolBarItemMargin Spacing between the toolbar frame and the items. |
1395 | \value PM_ToolBarItemSpacing Spacing between toolbar items. |
1396 | \value PM_ToolBarSeparatorExtent Width of a toolbar separator in a |
1397 | horizontal toolbar and the height of a separator in a vertical toolbar. |
1398 | \value PM_ToolBarExtensionExtent Width of a toolbar extension |
1399 | button in a horizontal toolbar and the height of the button in a |
1400 | vertical toolbar. |
1401 | |
1402 | \value PM_TabBarTabOverlap Number of pixels the tabs should overlap. |
1403 | (Currently only used in styles, not inside of QTabBar) |
1404 | \value PM_TabBarTabHSpace Extra space added to the tab width. |
1405 | \value PM_TabBarTabVSpace Extra space added to the tab height. |
1406 | \value PM_TabBarBaseHeight Height of the area between the tab bar |
1407 | and the tab pages. |
1408 | \value PM_TabBarBaseOverlap Number of pixels the tab bar overlaps |
1409 | the tab bar base. |
1410 | \value PM_TabBarScrollButtonWidth |
1411 | \value PM_TabBarTabShiftHorizontal Horizontal pixel shift when a |
1412 | tab is selected. |
1413 | \value PM_TabBarTabShiftVertical Vertical pixel shift when a |
1414 | tab is selected. |
1415 | |
1416 | \value PM_ProgressBarChunkWidth Width of a chunk in a progress bar indicator. |
1417 | |
1418 | \value PM_SplitterWidth Width of a splitter. |
1419 | |
1420 | \value PM_TitleBarHeight Height of the title bar. |
1421 | |
1422 | \value PM_IndicatorWidth Width of a check box indicator. |
1423 | \value PM_IndicatorHeight Height of a checkbox indicator. |
1424 | \value PM_ExclusiveIndicatorWidth Width of a radio button indicator. |
1425 | \value PM_ExclusiveIndicatorHeight Height of a radio button indicator. |
1426 | |
1427 | \value PM_MenuPanelWidth Border width (applied on all sides) for a QMenu. |
1428 | \value PM_MenuHMargin Additional border (used on left and right) for a QMenu. |
1429 | \value PM_MenuVMargin Additional border (used for bottom and top) for a QMenu. |
1430 | \value PM_MenuScrollerHeight Height of the scroller area in a QMenu. |
1431 | \value PM_MenuTearoffHeight Height of a tear off area in a QMenu. |
1432 | \value PM_MenuDesktopFrameWidth The frame width for the menu on the desktop. |
1433 | |
1434 | \omitvalue PM_DialogButtonsSeparator |
1435 | \omitvalue PM_DialogButtonsButtonWidth |
1436 | \omitvalue PM_DialogButtonsButtonHeight |
1437 | |
1438 | \value PM_HeaderMarkSize The size of the sort indicator in a header. |
1439 | \value PM_HeaderGripMargin The size of the resize grip in a header. |
1440 | \value PM_HeaderMargin The size of the margin between the sort indicator and the text. |
1441 | \value PM_SpinBoxSliderHeight The height of the optional spin box slider. |
1442 | |
1443 | \value PM_ToolBarIconSize Default tool bar icon size |
1444 | \value PM_SmallIconSize Default small icon size |
1445 | \value PM_LargeIconSize Default large icon size |
1446 | |
1447 | \value PM_FocusFrameHMargin Horizontal margin that the focus frame will outset the widget by. |
1448 | \value PM_FocusFrameVMargin Vertical margin that the focus frame will outset the widget by. |
1449 | \value PM_IconViewIconSize The default size for icons in an icon view. |
1450 | \value PM_ListViewIconSize The default size for icons in a list view. |
1451 | |
1452 | \value PM_ToolTipLabelFrameWidth The frame width for a tool tip label. |
1453 | \value PM_CheckBoxLabelSpacing The spacing between a check box indicator and its label. |
1454 | \value PM_RadioButtonLabelSpacing The spacing between a radio button indicator and its label. |
1455 | \value PM_TabBarIconSize The default icon size for a tab bar. |
1456 | \value PM_SizeGripSize The size of a size grip. |
1457 | \value PM_MessageBoxIconSize The size of the standard icons in a message box |
1458 | \value PM_ButtonIconSize The default size of button icons |
1459 | \value PM_TextCursorWidth The width of the cursor in a line edit or text edit |
1460 | \value PM_TabBar_ScrollButtonOverlap The distance between the left and right buttons in a tab bar. |
1461 | |
1462 | \value PM_TabCloseIndicatorWidth The default width of a close button on a tab in a tab bar. |
1463 | \value PM_TabCloseIndicatorHeight The default height of a close button on a tab in a tab bar. |
1464 | |
1465 | \value PM_ScrollView_ScrollBarSpacing Distance between frame and scrollbar |
1466 | with SH_ScrollView_FrameOnlyAroundContents set. |
1467 | \value PM_ScrollView_ScrollBarOverlap Overlap between scroll bars and scroll content |
1468 | |
1469 | \value PM_SubMenuOverlap The horizontal overlap between a submenu and its parent. |
1470 | |
1471 | \value [since 5.4] PM_TreeViewIndentation The indentation of items in a tree view. |
1472 | |
1473 | \value PM_HeaderDefaultSectionSizeHorizontal The default size of sections |
1474 | in a horizontal header. This enum value has been introduced in Qt 5.5. |
1475 | \value PM_HeaderDefaultSectionSizeVertical The default size of sections |
1476 | in a vertical header. This enum value has been introduced in Qt 5.5. |
1477 | |
1478 | \value [since 5.8] PM_TitleBarButtonIconSize The size of button icons on a title bar. |
1479 | \value [since 5.8] PM_TitleBarButtonSize The size of buttons on a title bar. |
1480 | |
1481 | \value [since 6.2] PM_LineEditIconSize The default size for icons in a line edit. |
1482 | |
1483 | \value [since 6.3] PM_LineEditIconMargin The margin around icons in a line edit. |
1484 | |
1485 | \value PM_CustomBase Base value for custom pixel metrics. Custom |
1486 | values must be greater than this value. |
1487 | |
1488 | \sa pixelMetric() |
1489 | */ |
1490 | |
1491 | /*! |
1492 | \fn int QStyle::pixelMetric(PixelMetric metric, const QStyleOption *option, const QWidget *widget) const; |
1493 | |
1494 | Returns the value of the given pixel \a metric. |
1495 | |
1496 | The specified \a option and \a widget can be used for calculating |
1497 | the metric. In general, the \a widget argument is not used. The \a |
1498 | option can be cast to the appropriate type using the |
1499 | qstyleoption_cast() function. Note that the \a option may be zero |
1500 | even for PixelMetrics that can make use of it. See the table below |
1501 | for the appropriate \a option casts: |
1502 | |
1503 | \table |
1504 | \header \li Pixel Metric \li QStyleOption Subclass |
1505 | \row \li \l PM_SliderControlThickness \li \l QStyleOptionSlider |
1506 | \row \li \l PM_SliderLength \li \l QStyleOptionSlider |
1507 | \row \li \l PM_SliderTickmarkOffset \li \l QStyleOptionSlider |
1508 | \row \li \l PM_SliderSpaceAvailable \li \l QStyleOptionSlider |
1509 | \row \li \l PM_ScrollBarExtent \li \l QStyleOptionSlider |
1510 | \row \li \l PM_TabBarTabOverlap \li \l QStyleOptionTab |
1511 | \row \li \l PM_TabBarTabHSpace \li \l QStyleOptionTab |
1512 | \row \li \l PM_TabBarTabVSpace \li \l QStyleOptionTab |
1513 | \row \li \l PM_TabBarBaseHeight \li \l QStyleOptionTab |
1514 | \row \li \l PM_TabBarBaseOverlap \li \l QStyleOptionTab |
1515 | \endtable |
1516 | |
1517 | Some pixel metrics are called from widgets and some are only called |
1518 | internally by the style. If the metric is not called by a widget, it is the |
1519 | discretion of the style author to make use of it. For some styles, this |
1520 | may not be appropriate. |
1521 | */ |
1522 | |
1523 | /*! |
1524 | \enum QStyle::ContentsType |
1525 | |
1526 | This enum describes the available contents types. These are used to |
1527 | calculate sizes for the contents of various widgets. |
1528 | |
1529 | \value CT_CheckBox A check box, like QCheckBox. |
1530 | \value CT_ComboBox A combo box, like QComboBox. |
1531 | \omitvalue CT_DialogButtons |
1532 | \value CT_HeaderSection A header section, like QHeader. |
1533 | \value CT_LineEdit A line edit, like QLineEdit. |
1534 | \value CT_Menu A menu, like QMenu. |
1535 | \value CT_MenuBar A menu bar, like QMenuBar. |
1536 | \value CT_MenuBarItem A menu bar item, like the buttons in a QMenuBar. |
1537 | \value CT_MenuItem A menu item, like QMenuItem. |
1538 | \value CT_ProgressBar A progress bar, like QProgressBar. |
1539 | \value CT_PushButton A push button, like QPushButton. |
1540 | \value CT_RadioButton A radio button, like QRadioButton. |
1541 | \value CT_SizeGrip A size grip, like QSizeGrip. |
1542 | \value CT_Slider A slider, like QSlider. |
1543 | \value CT_ScrollBar A scroll bar, like QScrollBar. |
1544 | \value CT_SpinBox A spin box, like QSpinBox. |
1545 | \value CT_Splitter A splitter, like QSplitter. |
1546 | \value CT_TabBarTab A tab on a tab bar, like QTabBar. |
1547 | \value CT_TabWidget A tab widget, like QTabWidget. |
1548 | \value CT_ToolButton A tool button, like QToolButton. |
1549 | \value CT_GroupBox A group box, like QGroupBox. |
1550 | \value CT_ItemViewItem An item inside an item view. |
1551 | |
1552 | \value CT_CustomBase Base value for custom contents types. |
1553 | Custom values must be greater than this value. |
1554 | |
1555 | \value CT_MdiControls The minimize, normal, and close button |
1556 | in the menu bar for a maximized MDI |
1557 | subwindow. |
1558 | |
1559 | \sa sizeFromContents() |
1560 | */ |
1561 | |
1562 | /*! |
1563 | \fn QSize QStyle::sizeFromContents(ContentsType type, const QStyleOption *option, const QSize &contentsSize, const QWidget *widget) const |
1564 | |
1565 | Returns the size of the element described by the specified |
1566 | \a option and \a type, based on the provided \a contentsSize. |
1567 | |
1568 | The \a option argument is a pointer to a QStyleOption or one of |
1569 | its subclasses. The \a option can be cast to the appropriate type |
1570 | using the qstyleoption_cast() function. The \a widget is an |
1571 | optional argument and can contain extra information used for |
1572 | calculating the size. |
1573 | |
1574 | See the table below for the appropriate \a option casts: |
1575 | |
1576 | \table |
1577 | \header \li Contents Type \li QStyleOption Subclass |
1578 | \row \li \l CT_CheckBox \li \l QStyleOptionButton |
1579 | \row \li \l CT_ComboBox \li \l QStyleOptionComboBox |
1580 | \row \li \l CT_GroupBox \li \l QStyleOptionGroupBox |
1581 | \row \li \l CT_HeaderSection \li \l QStyleOptionHeader |
1582 | \row \li \l CT_ItemViewItem \li \l QStyleOptionViewItem |
1583 | \row \li \l CT_LineEdit \li \l QStyleOptionFrame |
1584 | \row \li \l CT_MdiControls \li \l QStyleOptionComplex |
1585 | \row \li \l CT_Menu \li \l QStyleOption |
1586 | \row \li \l CT_MenuItem \li \l QStyleOptionMenuItem |
1587 | \row \li \l CT_MenuBar \li \l QStyleOptionMenuItem |
1588 | \row \li \l CT_MenuBarItem \li \l QStyleOptionMenuItem |
1589 | \row \li \l CT_ProgressBar \li \l QStyleOptionProgressBar |
1590 | \row \li \l CT_PushButton \li \l QStyleOptionButton |
1591 | \row \li \l CT_RadioButton \li \l QStyleOptionButton |
1592 | \row \li \l CT_ScrollBar \li \l QStyleOptionSlider |
1593 | \row \li \l CT_SizeGrip \li \l QStyleOption |
1594 | \row \li \l CT_Slider \li \l QStyleOptionSlider |
1595 | \row \li \l CT_SpinBox \li \l QStyleOptionSpinBox |
1596 | \row \li \l CT_Splitter \li \l QStyleOption |
1597 | \row \li \l CT_TabBarTab \li \l QStyleOptionTab |
1598 | \row \li \l CT_TabWidget \li \l QStyleOptionTabWidgetFrame |
1599 | \row \li \l CT_ToolButton \li \l QStyleOptionToolButton |
1600 | \endtable |
1601 | |
1602 | \sa ContentsType, QStyleOption |
1603 | */ |
1604 | |
1605 | /*! |
1606 | \enum QStyle::RequestSoftwareInputPanel |
1607 | |
1608 | This enum describes under what circumstances a software input panel will be |
1609 | requested by input capable widgets. |
1610 | |
1611 | \value RSIP_OnMouseClickAndAlreadyFocused Requests an input panel if the user |
1612 | clicks on the widget, but only if it is already focused. |
1613 | \value RSIP_OnMouseClick Requests an input panel if the user clicks on the |
1614 | widget. |
1615 | |
1616 | \sa QInputMethod |
1617 | */ |
1618 | |
1619 | /*! |
1620 | \enum QStyle::StyleHint |
1621 | |
1622 | This enum describes the available style hints. A style hint is a general look |
1623 | and/or feel hint. |
1624 | |
1625 | \value SH_EtchDisabledText Disabled text is "etched" as it is on Windows. |
1626 | |
1627 | \value SH_DitherDisabledText Disabled text is dithered as it is on Motif. |
1628 | |
1629 | \value SH_ScrollBar_ContextMenu Whether or not a scroll bar has a context menu. |
1630 | |
1631 | \value SH_ScrollBar_MiddleClickAbsolutePosition A boolean value. |
1632 | If true, middle clicking on a scroll bar causes the slider to |
1633 | jump to that position. If false, middle clicking is |
1634 | ignored. |
1635 | |
1636 | \value SH_ScrollBar_LeftClickAbsolutePosition A boolean value. |
1637 | If true, left clicking on a scroll bar causes the slider to |
1638 | jump to that position. If false, left clicking will |
1639 | behave as appropriate for each control. |
1640 | |
1641 | \value SH_ScrollBar_ScrollWhenPointerLeavesControl A boolean |
1642 | value. If true, when clicking a scroll bar SubControl, holding |
1643 | the mouse button down and moving the pointer outside the |
1644 | SubControl, the scroll bar continues to scroll. If false, the |
1645 | scollbar stops scrolling when the pointer leaves the |
1646 | SubControl. |
1647 | |
1648 | \value SH_ScrollBar_RollBetweenButtons A boolean value. |
1649 | If true, when clicking a scroll bar button (SC_ScrollBarAddLine or |
1650 | SC_ScrollBarSubLine) and dragging over to the opposite button (rolling) |
1651 | will press the new button and release the old one. When it is false, the |
1652 | original button is released and nothing happens (like a push button). |
1653 | |
1654 | \value SH_TabBar_Alignment The alignment for tabs in a |
1655 | QTabWidget. Possible values are Qt::AlignLeft, |
1656 | Qt::AlignCenter and Qt::AlignRight. |
1657 | |
1658 | \value SH_Header_ArrowAlignment The placement of the sorting |
1659 | indicator may appear in list or table headers. Possible values |
1660 | are Qt::Alignment values (that is, an OR combination of |
1661 | Qt::AlignmentFlag flags). |
1662 | |
1663 | \value SH_Slider_SnapToValue Sliders snap to values while moving, |
1664 | as they do on Windows. |
1665 | |
1666 | \value SH_Slider_SloppyKeyEvents Key presses handled in a sloppy |
1667 | manner, i.e., left on a vertical slider subtracts a line. |
1668 | |
1669 | \value SH_ProgressDialog_CenterCancelButton Center button on |
1670 | progress dialogs, otherwise right aligned. |
1671 | |
1672 | \value SH_ProgressDialog_TextLabelAlignment The alignment for text |
1673 | labels in progress dialogs; Qt::AlignCenter on Windows, |
1674 | Qt::AlignVCenter otherwise. |
1675 | |
1676 | \value SH_PrintDialog_RightAlignButtons Right align buttons in |
1677 | the print dialog, as done on Windows. |
1678 | |
1679 | \value SH_MainWindow_SpaceBelowMenuBar One or two pixel space between |
1680 | the menu bar and the dockarea, as done on Windows. |
1681 | |
1682 | \value SH_FontDialog_SelectAssociatedText Select the text in the |
1683 | line edit, or when selecting an item from the listbox, or when |
1684 | the line edit receives focus, as done on Windows. |
1685 | |
1686 | \value SH_Menu_KeyboardSearch Typing causes a menu to be search |
1687 | for relevant items, otherwise only mnemonic is considered. |
1688 | |
1689 | \value SH_Menu_AllowActiveAndDisabled Allows disabled menu |
1690 | items to be active. |
1691 | |
1692 | \value SH_Menu_SpaceActivatesItem Pressing the space bar activates |
1693 | the item, as done on Motif. |
1694 | |
1695 | \value SH_Menu_SubMenuPopupDelay The number of milliseconds |
1696 | to wait before opening a submenu (256 on Windows, 96 on Motif). |
1697 | |
1698 | \value SH_Menu_Scrollable Whether popup menus must support scrolling. |
1699 | |
1700 | \value SH_Menu_SloppySubMenus Whether popup menus must support |
1701 | the user moving the mouse cursor to a submenu while crossing |
1702 | other items of the menu. This is supported on most modern |
1703 | desktop platforms. |
1704 | |
1705 | \value SH_Menu_SubMenuUniDirection Since Qt 5.5. If the cursor has |
1706 | to move towards the submenu (like it is on \macos), or if the |
1707 | cursor can move in any direction as long as it reaches the |
1708 | submenu before the sloppy timeout. |
1709 | |
1710 | \value SH_Menu_SubMenuUniDirectionFailCount Since Qt 5.5. When |
1711 | SH_Menu_SubMenuUniDirection is defined this enum defines the |
1712 | number of failed mouse moves before the sloppy submenu is |
1713 | discarded. This can be used to control the "strictness" of the |
1714 | uni direction algorithm. |
1715 | |
1716 | \value SH_Menu_SubMenuSloppySelectOtherActions Since Qt 5.5. Should |
1717 | other action items be selected when the mouse moves towards a |
1718 | sloppy submenu. |
1719 | |
1720 | \value SH_Menu_SubMenuSloppyCloseTimeout Since Qt 5.5. The timeout |
1721 | used to close sloppy submenus. |
1722 | |
1723 | \value SH_Menu_SubMenuResetWhenReenteringParent Since Qt 5.5. When |
1724 | entering parent from child submenu, should the sloppy state be |
1725 | reset, effectively closing the child and making the current |
1726 | submenu active. |
1727 | |
1728 | \value SH_Menu_SubMenuDontStartSloppyOnLeave Since Qt 5.5. Do not |
1729 | start sloppy timers when the mouse leaves a sub-menu. |
1730 | |
1731 | \value SH_ScrollView_FrameOnlyAroundContents Whether scrollviews |
1732 | draw their frame only around contents (like Motif), or around |
1733 | contents, scroll bars and corner widgets (like Windows). |
1734 | |
1735 | \value SH_MenuBar_AltKeyNavigation Menu bars items are navigable |
1736 | by pressing Alt, followed by using the arrow keys to select |
1737 | the desired item. |
1738 | |
1739 | \value SH_ComboBox_ListMouseTracking Mouse tracking in combobox |
1740 | drop-down lists. |
1741 | |
1742 | \value SH_Menu_MouseTracking Mouse tracking in popup menus. |
1743 | |
1744 | \value SH_MenuBar_MouseTracking Mouse tracking in menu bars. |
1745 | |
1746 | \value SH_Menu_FillScreenWithScroll Whether scrolling popups |
1747 | should fill the screen as they are scrolled. |
1748 | |
1749 | \value SH_Menu_SelectionWrap Whether popups should allow the selections |
1750 | to wrap, that is when selection should the next item be the first item. |
1751 | |
1752 | \value SH_ItemView_ChangeHighlightOnFocus Gray out selected items |
1753 | when losing focus. |
1754 | |
1755 | \value SH_Widget_ShareActivation Turn on sharing activation with |
1756 | floating modeless dialogs. |
1757 | |
1758 | \value SH_TabBar_SelectMouseType Which type of mouse event should |
1759 | cause a tab to be selected. |
1760 | |
1761 | \value SH_ListViewExpand_SelectMouseType Which type of mouse event should |
1762 | cause a list view expansion to be selected. |
1763 | |
1764 | \value SH_TabBar_PreferNoArrows Whether a tab bar should suggest a size |
1765 | to prevent scroll arrows. |
1766 | |
1767 | \value SH_ComboBox_Popup Allows popups as a combobox drop-down |
1768 | menu. |
1769 | |
1770 | \omitvalue SH_ComboBox_UseNativePopup |
1771 | |
1772 | \value SH_Workspace_FillSpaceOnMaximize The workspace should |
1773 | maximize the client area. |
1774 | |
1775 | \value SH_TitleBar_NoBorder The title bar has no border. |
1776 | |
1777 | \value SH_Slider_StopMouseOverSlider Stops auto-repeat when |
1778 | the slider reaches the mouse position. |
1779 | |
1780 | \value SH_BlinkCursorWhenTextSelected Whether cursor should blink |
1781 | when text is selected. |
1782 | |
1783 | \value SH_RichText_FullWidthSelection Whether richtext selections |
1784 | should extend to the full width of the document. |
1785 | |
1786 | \value SH_GroupBox_TextLabelVerticalAlignment How to vertically align a |
1787 | group box's text label. |
1788 | |
1789 | \value SH_GroupBox_TextLabelColor How to paint a group box's text label. |
1790 | |
1791 | \value SH_DialogButtons_DefaultButton Which button gets the |
1792 | default status in a dialog's button widget. |
1793 | |
1794 | \value SH_ToolBox_SelectedPageTitleBold Boldness of the selected |
1795 | page title in a QToolBox. |
1796 | |
1797 | \value SH_LineEdit_PasswordCharacter The Unicode character to be |
1798 | used for passwords. |
1799 | |
1800 | \value SH_LineEdit_PasswordMaskDelay Determines the delay before visible character is masked |
1801 | with password character, in milliseconds. This enum value was added in Qt 5.4. |
1802 | |
1803 | \value SH_Table_GridLineColor The RGBA value of the grid for a table. |
1804 | |
1805 | \value SH_UnderlineShortcut Whether shortcuts are underlined. |
1806 | |
1807 | \value SH_SpinBox_AnimateButton Animate a click when up or down is |
1808 | pressed in a spin box. |
1809 | \value SH_SpinBox_KeyPressAutoRepeatRate Auto-repeat interval for |
1810 | spinbox key presses. |
1811 | \value SH_SpinBox_ClickAutoRepeatRate Auto-repeat interval for |
1812 | spinbox mouse clicks. |
1813 | \value SH_SpinBox_ClickAutoRepeatThreshold Auto-repeat threshold for |
1814 | spinbox mouse clicks. |
1815 | \value [since 6.3] SH_SpinBox_SelectOnStep Whether changing the value using |
1816 | the buttons or up/down keys automatically selects the text. |
1817 | |
1818 | \value SH_ToolTipLabel_Opacity An integer indicating the opacity for |
1819 | the tip label, 0 is completely transparent, 255 is completely |
1820 | opaque. |
1821 | \value SH_DrawMenuBarSeparator Indicates whether or not the menu bar draws separators. |
1822 | \value SH_TitleBar_ModifyNotification Indicates if the title bar should show |
1823 | a '*' for windows that are modified. |
1824 | |
1825 | \value SH_Button_FocusPolicy The default focus policy for buttons. |
1826 | |
1827 | \value SH_CustomBase Base value for custom style hints. |
1828 | Custom values must be greater than this value. |
1829 | |
1830 | \value SH_MessageBox_UseBorderForButtonSpacing A boolean indicating what the to |
1831 | use the border of the buttons (computed as half the button height) for the spacing |
1832 | of the button in a message box. |
1833 | |
1834 | \value SH_MessageBox_CenterButtons A boolean indicating whether the buttons in the |
1835 | message box should be centered or not (see QDialogButtonBox::setCentered()). |
1836 | |
1837 | \value SH_MessageBox_TextInteractionFlags A boolean indicating if |
1838 | the text in a message box should allow user interfactions (e.g. |
1839 | selection) or not. |
1840 | |
1841 | \value SH_TitleBar_AutoRaise A boolean indicating whether |
1842 | controls on a title bar ought to update when the mouse is over them. |
1843 | |
1844 | \value SH_ToolButton_PopupDelay An int indicating the popup delay in milliseconds |
1845 | for menus attached to tool buttons. |
1846 | |
1847 | \value SH_FocusFrame_Mask The mask of the focus frame. |
1848 | |
1849 | \value SH_RubberBand_Mask The mask of the rubber band. |
1850 | |
1851 | \value SH_WindowFrame_Mask The mask of the window frame. |
1852 | |
1853 | \value SH_SpinControls_DisableOnBounds Determines if the spin controls will shown |
1854 | as disabled when reaching the spin range boundary. |
1855 | |
1856 | \value SH_Dial_BackgroundRole Defines the style's preferred |
1857 | background role (as QPalette::ColorRole) for a dial widget. |
1858 | |
1859 | \value SH_ComboBox_LayoutDirection The layout direction for the |
1860 | combo box. By default it should be the same as indicated by the |
1861 | QStyleOption::direction variable. |
1862 | |
1863 | \value SH_ItemView_EllipsisLocation The location where ellipses should be |
1864 | added for item text that is too long to fit in an view item. |
1865 | |
1866 | \value SH_ItemView_ShowDecorationSelected When an item in an item |
1867 | view is selected, also highlight the branch or other decoration. |
1868 | |
1869 | \value SH_ItemView_ActivateItemOnSingleClick Emit the activated signal |
1870 | when the user single clicks on an item in an item in an item view. |
1871 | Otherwise the signal is emitted when the user double clicks on an item. |
1872 | |
1873 | \value SH_Slider_AbsoluteSetButtons Which mouse buttons cause a slider |
1874 | to set the value to the position clicked on. |
1875 | |
1876 | \value SH_Slider_PageSetButtons Which mouse buttons cause a slider |
1877 | to page step the value. |
1878 | |
1879 | \value SH_TabBar_ElideMode The default eliding style for a tab bar. |
1880 | |
1881 | \value SH_DialogButtonLayout Controls how buttons are laid out in a QDialogButtonBox, returns a QDialogButtonBox::ButtonLayout enum. |
1882 | |
1883 | \value SH_WizardStyle Controls the look and feel of a QWizard. Returns a QWizard::WizardStyle enum. |
1884 | |
1885 | \value SH_FormLayoutWrapPolicy Provides a default for how rows are wrapped in a QFormLayout. Returns a QFormLayout::RowWrapPolicy enum. |
1886 | \value SH_FormLayoutFieldGrowthPolicy Provides a default for how fields can grow in a QFormLayout. Returns a QFormLayout::FieldGrowthPolicy enum. |
1887 | \value SH_FormLayoutFormAlignment Provides a default for how a QFormLayout aligns its contents within the available space. Returns a Qt::Alignment enum. |
1888 | \value SH_FormLayoutLabelAlignment Provides a default for how a QFormLayout aligns labels within the available space. Returns a Qt::Alignment enum. |
1889 | |
1890 | \value SH_ItemView_ArrowKeysNavigateIntoChildren Controls whether the tree view will select the first child when it is exapanded and the right arrow key is pressed. |
1891 | \value SH_ComboBox_PopupFrameStyle The frame style used when drawing a combobox popup menu. |
1892 | |
1893 | \value SH_DialogButtonBox_ButtonsHaveIcons Indicates whether or not StandardButtons in QDialogButtonBox should have icons or not. |
1894 | \value SH_ItemView_MovementWithoutUpdatingSelection The item view is able to indicate a current item without changing the selection. |
1895 | \value SH_ToolTip_Mask The mask of a tool tip. |
1896 | |
1897 | \value SH_FocusFrame_AboveWidget The FocusFrame is stacked above the widget that it is "focusing on". |
1898 | |
1899 | \value SH_TextControl_FocusIndicatorTextCharFormat Specifies the text format used to highlight focused anchors in rich text |
1900 | documents displayed for example in QTextBrowser. The format has to be a QTextCharFormat returned in the variant of the |
1901 | QStyleHintReturnVariant return value. The QTextFormat::OutlinePen property is used for the outline and QTextFormat::BackgroundBrush |
1902 | for the background of the highlighted area. |
1903 | |
1904 | \value SH_Menu_FlashTriggeredItem Flash triggered item. |
1905 | \value SH_Menu_FadeOutOnHide Fade out the menu instead of hiding it immediately. |
1906 | |
1907 | \value SH_TabWidget_DefaultTabPosition Default position of the tab bar in a tab widget. |
1908 | |
1909 | \value SH_ToolBar_Movable Determines if the tool bar is movable by default. |
1910 | |
1911 | \value SH_ItemView_PaintAlternatingRowColorsForEmptyArea Whether QTreeView paints alternating row colors for the area that does not have any items. |
1912 | |
1913 | \value SH_Menu_Mask The mask for a popup menu. |
1914 | |
1915 | \value SH_ItemView_DrawDelegateFrame Determines if there should be a frame for a delegate widget. |
1916 | |
1917 | \value SH_TabBar_CloseButtonPosition Determines the position of the close button on a tab in a tab bar. |
1918 | |
1919 | \value SH_DockWidget_ButtonsHaveFrame Determines if dockwidget buttons should have frames. Default is true. |
1920 | |
1921 | \value SH_ToolButtonStyle Determines the default system style for tool buttons that uses Qt::ToolButtonFollowStyle. |
1922 | |
1923 | \value SH_RequestSoftwareInputPanel Determines when a software input panel should |
1924 | be requested by input widgets. Returns an enum of type QStyle::RequestSoftwareInputPanel. |
1925 | |
1926 | \value SH_ScrollBar_Transient Determines if the style supports transient scroll bars. Transient |
1927 | scroll bars appear when the content is scrolled and disappear when they are no longer needed. |
1928 | |
1929 | \value SH_Menu_SupportsSections Determines if the style displays sections in menus or treat them as |
1930 | plain separators. Sections are separators with a text and icon hint. |
1931 | |
1932 | \value SH_ToolTip_WakeUpDelay Determines the delay before a tooltip is shown, in milliseconds. |
1933 | |
1934 | \value SH_ToolTip_FallAsleepDelay Determines the delay (in milliseconds) before a new wake time is needed when |
1935 | a tooltip is shown (notice: shown, not hidden). When a new wake isn't needed, a user-requested tooltip |
1936 | will be shown nearly instantly. |
1937 | |
1938 | \value SH_Widget_Animate Deprecated. Use \l{SH_Widget_Animation_Duration} instead. |
1939 | |
1940 | \value SH_Splitter_OpaqueResize Determines if widgets are resized dynamically (opaquely) while |
1941 | interactively moving the splitter. This enum value was introduced in Qt 5.2. |
1942 | |
1943 | \value SH_TabBar_ChangeCurrentDelay Determines the delay before the current |
1944 | tab is changed while dragging over the tabbar, in milliseconds. This |
1945 | enum value has been introduced in Qt 5.4 |
1946 | |
1947 | \value SH_ItemView_ScrollMode The default vertical and horizontal scroll mode as specified |
1948 | by the style. Can be overridden with QAbstractItemView::setVerticalScrollMode() and |
1949 | QAbstractItemView::setHorizontalScrollMode(). This enum value has been introduced in Qt 5.7. |
1950 | |
1951 | \value SH_TitleBar_ShowToolTipsOnButtons |
1952 | Determines if tool tips are shown on window title bar buttons. |
1953 | The Mac style, for example, sets this to false. |
1954 | This enum value has been introduced in Qt 5.10. |
1955 | |
1956 | \value SH_Widget_Animation_Duration |
1957 | Determines how much an animation should last (in ms). |
1958 | A value equal to zero means that the animations will be disabled. |
1959 | This enum value has been introduced in Qt 5.10. |
1960 | |
1961 | \value SH_ComboBox_AllowWheelScrolling |
1962 | Determines if the mouse wheel can be used to scroll inside a QComboBox. |
1963 | This is on by default in all styles except the Mac style. |
1964 | This enum value has been introduced in Qt 5.10. |
1965 | |
1966 | \value SH_SpinBox_ButtonsInsideFrame |
1967 | Determines if the spin box buttons are inside the line edit frame. |
1968 | This enum value has been introduced in Qt 5.11. |
1969 | |
1970 | \value SH_SpinBox_StepModifier |
1971 | Determines which Qt::KeyboardModifier increases the step rate of |
1972 | QAbstractSpinBox. Possible values are Qt::NoModifier, |
1973 | Qt::ControlModifier (default) or Qt::ShiftModifier. Qt::NoModifier |
1974 | disables this feature. |
1975 | This enum value has been introduced in Qt 5.12. |
1976 | |
1977 | \value SH_TabBar_AllowWheelScrolling |
1978 | Determines if the mouse wheel can be used to cycle through the tabs |
1979 | of a QTabBar. |
1980 | This enum value has been introduced in Qt 6.1. |
1981 | |
1982 | \value SH_Table_AlwaysDrawLeftTopGridLines |
1983 | Determines if the far left and top grid lines are drawn in a table or |
1984 | not when the header is hidden. Defaults to false. |
1985 | This enum value has been introduced in Qt 6.3. |
1986 | |
1987 | \sa styleHint() |
1988 | */ |
1989 | |
1990 | /*! |
1991 | \fn int QStyle::styleHint(StyleHint hint, const QStyleOption *option, const QWidget *widget, QStyleHintReturn *returnData) const |
1992 | |
1993 | Returns an integer representing the specified style \a hint for |
1994 | the given \a widget described by the provided style \a option. |
1995 | |
1996 | \a returnData is used when the querying widget needs more detailed data than |
1997 | the integer that styleHint() returns. See the QStyleHintReturn class |
1998 | description for details. |
1999 | */ |
2000 | |
2001 | /*! |
2002 | \enum QStyle::StandardPixmap |
2003 | |
2004 | This enum describes the available standard pixmaps. A standard pixmap is a pixmap that |
2005 | can follow some existing GUI style or guideline. |
2006 | |
2007 | \value SP_TitleBarMinButton Minimize button on title bars (e.g., |
2008 | in QMdiSubWindow). |
2009 | \value SP_TitleBarMenuButton Menu button on a title bar. |
2010 | \value SP_TitleBarMaxButton Maximize button on title bars. |
2011 | \value SP_TitleBarCloseButton Close button on title bars. |
2012 | \value SP_TitleBarNormalButton Normal (restore) button on title bars. |
2013 | \value SP_TitleBarShadeButton Shade button on title bars. |
2014 | \value SP_TitleBarUnshadeButton Unshade button on title bars. |
2015 | \value SP_TitleBarContextHelpButton The Context help button on title bars. |
2016 | \value SP_MessageBoxInformation The "information" icon. |
2017 | \value SP_MessageBoxWarning The "warning" icon. |
2018 | \value SP_MessageBoxCritical The "critical" icon. |
2019 | \value SP_MessageBoxQuestion The "question" icon. |
2020 | \value SP_DesktopIcon The "desktop" icon. |
2021 | \value SP_TrashIcon The "trash" icon. |
2022 | \value SP_ComputerIcon The "My computer" icon. |
2023 | \value SP_DriveFDIcon The floppy icon. |
2024 | \value SP_DriveHDIcon The harddrive icon. |
2025 | \value SP_DriveCDIcon The CD icon. |
2026 | \value SP_DriveDVDIcon The DVD icon. |
2027 | \value SP_DriveNetIcon The network icon. |
2028 | \value SP_DirHomeIcon The home directory icon. |
2029 | \value SP_DirOpenIcon The open directory icon. |
2030 | \value SP_DirClosedIcon The closed directory icon. |
2031 | \value SP_DirIcon The directory icon. |
2032 | \value SP_DirLinkIcon The link to directory icon. |
2033 | \value SP_DirLinkOpenIcon The link to open directory icon. |
2034 | \value SP_FileIcon The file icon. |
2035 | \value SP_FileLinkIcon The link to file icon. |
2036 | \value SP_FileDialogStart The "start" icon in a file dialog. |
2037 | \value SP_FileDialogEnd The "end" icon in a file dialog. |
2038 | \value SP_FileDialogToParent The "parent directory" icon in a file dialog. |
2039 | \value SP_FileDialogNewFolder The "create new folder" icon in a file dialog. |
2040 | \value SP_FileDialogDetailedView The detailed view icon in a file dialog. |
2041 | \value SP_FileDialogInfoView The file info icon in a file dialog. |
2042 | \value SP_FileDialogContentsView The contents view icon in a file dialog. |
2043 | \value SP_FileDialogListView The list view icon in a file dialog. |
2044 | \value SP_FileDialogBack The back arrow in a file dialog. |
2045 | \value SP_DockWidgetCloseButton Close button on dock windows (see also QDockWidget). |
2046 | \value SP_ToolBarHorizontalExtensionButton Extension button for horizontal toolbars. |
2047 | \value SP_ToolBarVerticalExtensionButton Extension button for vertical toolbars. |
2048 | \value SP_DialogOkButton Icon for a standard OK button in a QDialogButtonBox. |
2049 | \value SP_DialogCancelButton Icon for a standard Cancel button in a QDialogButtonBox. |
2050 | \value SP_DialogHelpButton Icon for a standard Help button in a QDialogButtonBox. |
2051 | \value SP_DialogOpenButton Icon for a standard Open button in a QDialogButtonBox. |
2052 | \value SP_DialogSaveButton Icon for a standard Save button in a QDialogButtonBox. |
2053 | \value SP_DialogCloseButton Icon for a standard Close button in a QDialogButtonBox. |
2054 | \value SP_DialogApplyButton Icon for a standard Apply button in a QDialogButtonBox. |
2055 | \value SP_DialogResetButton Icon for a standard Reset button in a QDialogButtonBox. |
2056 | \value SP_DialogDiscardButton Icon for a standard Discard button in a QDialogButtonBox. |
2057 | \value SP_DialogYesButton Icon for a standard Yes button in a QDialogButtonBox. |
2058 | \value SP_DialogNoButton Icon for a standard No button in a QDialogButtonBox. |
2059 | \value SP_ArrowUp Icon arrow pointing up. |
2060 | \value SP_ArrowDown Icon arrow pointing down. |
2061 | \value SP_ArrowLeft Icon arrow pointing left. |
2062 | \value SP_ArrowRight Icon arrow pointing right. |
2063 | \value SP_ArrowBack Equivalent to SP_ArrowLeft when the current layout direction is Qt::LeftToRight, otherwise SP_ArrowRight. |
2064 | \value SP_ArrowForward Equivalent to SP_ArrowRight when the current layout direction is Qt::LeftToRight, otherwise SP_ArrowLeft. |
2065 | \value SP_CommandLink Icon used to indicate a Vista style command link glyph. |
2066 | \value SP_VistaShield Icon used to indicate UAC prompts on Windows Vista. This will return a null pixmap or icon on all other platforms. |
2067 | \value SP_BrowserReload Icon indicating that the current page should be reloaded. |
2068 | \value SP_BrowserStop Icon indicating that the page loading should stop. |
2069 | \value SP_MediaPlay Icon indicating that media should begin playback. |
2070 | \value SP_MediaStop Icon indicating that media should stop playback. |
2071 | \value SP_MediaPause Icon indicating that media should pause playback. |
2072 | \value SP_MediaSkipForward Icon indicating that media should skip forward. |
2073 | \value SP_MediaSkipBackward Icon indicating that media should skip backward. |
2074 | \value SP_MediaSeekForward Icon indicating that media should seek forward. |
2075 | \value SP_MediaSeekBackward Icon indicating that media should seek backward. |
2076 | \value SP_MediaVolume Icon indicating a volume control. |
2077 | \value SP_MediaVolumeMuted Icon indicating a muted volume control. |
2078 | \value [since 5.2] SP_LineEditClearButton Icon for a standard clear button in a QLineEdit. |
2079 | \value [since 5.14] SP_DialogYesToAllButton Icon for a standard YesToAll button in a QDialogButtonBox. |
2080 | \value [since 5.14] SP_DialogNoToAllButton Icon for a standard NoToAll button in a QDialogButtonBox. |
2081 | \value [since 5.14] SP_DialogSaveAllButton Icon for a standard SaveAll button in a QDialogButtonBox. |
2082 | \value [since 5.14] SP_DialogAbortButton Icon for a standard Abort button in a QDialogButtonBox. |
2083 | \value [since 5.14] SP_DialogRetryButton Icon for a standard Retry button in a QDialogButtonBox. |
2084 | \value [since 5.14] SP_DialogIgnoreButton Icon for a standard Ignore button in a QDialogButtonBox. |
2085 | \value [since 5.14] SP_RestoreDefaultsButton Icon for a standard RestoreDefaults button in a QDialogButtonBox. |
2086 | \value [since 6.3] SP_TabCloseButton Icon for the close button in the tab of a QTabBar. |
2087 | \omitvalue NStandardPixmap |
2088 | \value SP_CustomBase Base value for custom standard pixmaps; |
2089 | custom values must be greater than this value. |
2090 | |
2091 | \sa standardIcon() |
2092 | */ |
2093 | |
2094 | /*! |
2095 | \fn QPixmap QStyle::generatedIconPixmap(QIcon::Mode iconMode, |
2096 | const QPixmap &pixmap, const QStyleOption *option) const |
2097 | |
2098 | Returns a copy of the given \a pixmap, styled to conform to the |
2099 | specified \a iconMode and taking into account the palette |
2100 | specified by \a option. |
2101 | |
2102 | The \a option parameter can pass extra information, but |
2103 | it must contain a palette. |
2104 | |
2105 | Note that not all pixmaps will conform, in which case the returned |
2106 | pixmap is a plain copy. |
2107 | |
2108 | \sa QIcon |
2109 | */ |
2110 | |
2111 | /*! |
2112 | \fn QPixmap QStyle::standardPixmap(StandardPixmap standardPixmap, const QStyleOption *option, const QWidget *widget) const |
2113 | |
2114 | \deprecated |
2115 | Returns a pixmap for the given \a standardPixmap. |
2116 | |
2117 | A standard pixmap is a pixmap that can follow some existing GUI |
2118 | style or guideline. The \a option argument can be used to pass |
2119 | extra information required when defining the appropriate |
2120 | pixmap. The \a widget argument is optional and can also be used to |
2121 | aid the determination of the pixmap. |
2122 | |
2123 | Developers calling standardPixmap() should instead call standardIcon() |
2124 | Developers who re-implemented standardPixmap() should instead re-implement |
2125 | standardIcon(). |
2126 | |
2127 | \sa standardIcon() |
2128 | */ |
2129 | |
2130 | |
2131 | /*! |
2132 | \fn QRect QStyle::visualRect(Qt::LayoutDirection direction, const QRect &boundingRectangle, const QRect &logicalRectangle) |
2133 | |
2134 | Returns the given \a logicalRectangle converted to screen |
2135 | coordinates based on the specified \a direction. The \a |
2136 | boundingRectangle is used when performing the translation. |
2137 | |
2138 | This function is provided to support right-to-left desktops, and |
2139 | is typically used in implementations of the subControlRect() |
2140 | function. |
2141 | |
2142 | \sa QWidget::layoutDirection |
2143 | */ |
2144 | QRect QStyle::visualRect(Qt::LayoutDirection direction, const QRect &boundingRect, const QRect &logicalRect) |
2145 | { |
2146 | if (direction == Qt::LeftToRight) |
2147 | return logicalRect; |
2148 | QRect rect = logicalRect; |
2149 | rect.translate(dx: 2 * (boundingRect.right() - logicalRect.right()) + |
2150 | logicalRect.width() - boundingRect.width(), dy: 0); |
2151 | return rect; |
2152 | } |
2153 | |
2154 | /*! |
2155 | \fn QPoint QStyle::visualPos(Qt::LayoutDirection direction, const QRect &boundingRectangle, const QPoint &logicalPosition) |
2156 | |
2157 | Returns the given \a logicalPosition converted to screen |
2158 | coordinates based on the specified \a direction. The \a |
2159 | boundingRectangle is used when performing the translation. |
2160 | |
2161 | \sa QWidget::layoutDirection |
2162 | */ |
2163 | QPoint QStyle::visualPos(Qt::LayoutDirection direction, const QRect &boundingRect, const QPoint &logicalPos) |
2164 | { |
2165 | if (direction == Qt::LeftToRight) |
2166 | return logicalPos; |
2167 | return QPoint(boundingRect.right() - logicalPos.x(), logicalPos.y()); |
2168 | } |
2169 | |
2170 | /*! |
2171 | Returns a new rectangle of the specified \a size that is aligned to the given \a |
2172 | rectangle according to the specified \a alignment and \a direction. |
2173 | */ |
2174 | QRect QStyle::alignedRect(Qt::LayoutDirection direction, Qt::Alignment alignment, const QSize &size, const QRect &rectangle) |
2175 | { |
2176 | alignment = visualAlignment(direction, alignment); |
2177 | int x = rectangle.x(); |
2178 | int y = rectangle.y(); |
2179 | int w = size.width(); |
2180 | int h = size.height(); |
2181 | if ((alignment & Qt::AlignVCenter) == Qt::AlignVCenter) |
2182 | y += rectangle.size().height()/2 - h/2; |
2183 | else if ((alignment & Qt::AlignBottom) == Qt::AlignBottom) |
2184 | y += rectangle.size().height() - h; |
2185 | if ((alignment & Qt::AlignRight) == Qt::AlignRight) |
2186 | x += rectangle.size().width() - w; |
2187 | else if ((alignment & Qt::AlignHCenter) == Qt::AlignHCenter) |
2188 | x += rectangle.size().width()/2 - w/2; |
2189 | return QRect(x, y, w, h); |
2190 | } |
2191 | |
2192 | /*! |
2193 | Transforms an \a alignment of Qt::AlignLeft or Qt::AlignRight |
2194 | without Qt::AlignAbsolute into Qt::AlignLeft or Qt::AlignRight with |
2195 | Qt::AlignAbsolute according to the layout \a direction. The other |
2196 | alignment flags are left untouched. |
2197 | |
2198 | If no horizontal alignment was specified, the function returns the |
2199 | default alignment for the given layout \a direction. |
2200 | |
2201 | QWidget::layoutDirection |
2202 | */ |
2203 | Qt::Alignment QStyle::visualAlignment(Qt::LayoutDirection direction, Qt::Alignment alignment) |
2204 | { |
2205 | return QGuiApplicationPrivate::visualAlignment(direction, alignment); |
2206 | } |
2207 | |
2208 | /*! |
2209 | Converts the given \a logicalValue to a pixel position. The \a min |
2210 | parameter maps to 0, \a max maps to \a span and other values are |
2211 | distributed evenly in-between. |
2212 | |
2213 | This function can handle the entire integer range without |
2214 | overflow, providing that \a span is less than 4096. |
2215 | |
2216 | By default, this function assumes that the maximum value is on the |
2217 | right for horizontal items and on the bottom for vertical items. |
2218 | Set the \a upsideDown parameter to true to reverse this behavior. |
2219 | |
2220 | \sa sliderValueFromPosition() |
2221 | */ |
2222 | |
2223 | int QStyle::sliderPositionFromValue(int min, int max, int logicalValue, int span, bool upsideDown) |
2224 | { |
2225 | if (span <= 0 || max <= min) |
2226 | return 0; |
2227 | if (logicalValue < min) |
2228 | return upsideDown ? span : 0; |
2229 | if (logicalValue > max) |
2230 | return upsideDown ? 0 : span; |
2231 | |
2232 | const uint range = qint64(max) - min; |
2233 | const uint p = upsideDown ? qint64(max) - logicalValue : qint64(logicalValue) - min; |
2234 | |
2235 | if (range > (uint)INT_MAX/4096) { |
2236 | double dpos = (double(p))/(double(range)/span); |
2237 | return int(dpos); |
2238 | } else if (range > (uint)span) { |
2239 | return (2 * p * span + range) / (2*range); |
2240 | } else { |
2241 | uint div = span / range; |
2242 | uint mod = span % range; |
2243 | return p * div + (2 * p * mod + range) / (2 * range); |
2244 | } |
2245 | // equiv. to (p * span) / range + 0.5 |
2246 | // no overflow because of this implicit assumption: |
2247 | // span <= 4096 |
2248 | } |
2249 | |
2250 | /*! |
2251 | \fn int QStyle::sliderValueFromPosition(int min, int max, int position, int span, bool upsideDown) |
2252 | |
2253 | Converts the given pixel \a position to a logical value. 0 maps to |
2254 | the \a min parameter, \a span maps to \a max and other values are |
2255 | distributed evenly in-between. |
2256 | |
2257 | This function can handle the entire integer range without |
2258 | overflow. |
2259 | |
2260 | By default, this function assumes that the maximum value is on the |
2261 | right for horizontal items and on the bottom for vertical |
2262 | items. Set the \a upsideDown parameter to true to reverse this |
2263 | behavior. |
2264 | |
2265 | \sa sliderPositionFromValue() |
2266 | */ |
2267 | |
2268 | int QStyle::sliderValueFromPosition(int min, int max, int pos, int span, bool upsideDown) |
2269 | { |
2270 | if (span <= 0 || pos <= 0) |
2271 | return upsideDown ? max : min; |
2272 | if (pos >= span) |
2273 | return upsideDown ? min : max; |
2274 | |
2275 | const qint64 range = qint64(max) - min; |
2276 | |
2277 | if ((uint)span > range) { |
2278 | const int tmp = (2 * range * pos + span) / (qint64(2) * span); |
2279 | return upsideDown ? max - tmp : tmp + min; |
2280 | } else { |
2281 | const qint64 div = range / span; |
2282 | const qint64 mod = range % span; |
2283 | const int tmp = pos * div + (2 * mod * pos + span) / (qint64(2) * span); |
2284 | return upsideDown ? max - tmp : tmp + min; |
2285 | } |
2286 | // equiv. to min + (pos*range)/span + 0.5 |
2287 | // no overflow because of this implicit assumption: |
2288 | // pos <= span < sqrt(INT_MAX+0.0625)+0.25 ~ sqrt(INT_MAX) |
2289 | } |
2290 | |
2291 | /*! |
2292 | Returns the style's standard palette. |
2293 | |
2294 | Note that on systems that support system colors, the style's |
2295 | standard palette is not used. In particular, the Windows |
2296 | Vista and Mac styles do not use the standard palette, but make |
2297 | use of native theme engines. With these styles, you should not set |
2298 | the palette with QApplication::setPalette(). |
2299 | |
2300 | \sa QApplication::setPalette() |
2301 | */ |
2302 | QPalette QStyle::standardPalette() const |
2303 | { |
2304 | QColor background = QColor(0xd4, 0xd0, 0xc8); // win 2000 grey |
2305 | |
2306 | QColor light(background.lighter()); |
2307 | QColor dark(background.darker()); |
2308 | QColor mid(Qt::gray); |
2309 | QPalette palette(Qt::black, background, light, dark, mid, Qt::black, Qt::white); |
2310 | palette.setBrush(cg: QPalette::Disabled, cr: QPalette::WindowText, brush: dark); |
2311 | palette.setBrush(cg: QPalette::Disabled, cr: QPalette::Text, brush: dark); |
2312 | palette.setBrush(cg: QPalette::Disabled, cr: QPalette::ButtonText, brush: dark); |
2313 | palette.setBrush(cg: QPalette::Disabled, cr: QPalette::Base, brush: background); |
2314 | return palette; |
2315 | } |
2316 | |
2317 | /*! |
2318 | \since 4.1 |
2319 | |
2320 | \fn QIcon QStyle::standardIcon(StandardPixmap standardIcon, const QStyleOption *option = nullptr, |
2321 | const QWidget *widget = nullptr) const = 0; |
2322 | |
2323 | Returns an icon for the given \a standardIcon. |
2324 | |
2325 | The \a standardIcon is a standard pixmap which can follow some |
2326 | existing GUI style or guideline. The \a option argument can be |
2327 | used to pass extra information required when defining the |
2328 | appropriate icon. The \a widget argument is optional and can also |
2329 | be used to aid the determination of the icon. |
2330 | */ |
2331 | |
2332 | /*! |
2333 | \since 4.3 |
2334 | |
2335 | \fn int QStyle::layoutSpacing(QSizePolicy::ControlType control1, |
2336 | QSizePolicy::ControlType control2, Qt::Orientation orientation, |
2337 | const QStyleOption *option = nullptr, const QWidget *widget = nullptr) const |
2338 | |
2339 | Returns the spacing that should be used between \a control1 and |
2340 | \a control2 in a layout. \a orientation specifies whether the |
2341 | controls are laid out side by side or stacked vertically. The \a |
2342 | option parameter can be used to pass extra information about the |
2343 | parent widget. The \a widget parameter is optional and can also |
2344 | be used if \a option is \nullptr. |
2345 | |
2346 | This function is called by the layout system. It is used only if |
2347 | PM_LayoutHorizontalSpacing or PM_LayoutVerticalSpacing returns a |
2348 | negative value. |
2349 | |
2350 | \sa combinedLayoutSpacing() |
2351 | */ |
2352 | |
2353 | /*! |
2354 | \since 4.3 |
2355 | |
2356 | Returns the spacing that should be used between \a controls1 and |
2357 | \a controls2 in a layout. \a orientation specifies whether the |
2358 | controls are laid out side by side or stacked vertically. The \a |
2359 | option parameter can be used to pass extra information about the |
2360 | parent widget. The \a widget parameter is optional and can also |
2361 | be used if \a option is \nullptr. |
2362 | |
2363 | \a controls1 and \a controls2 are OR-combination of zero or more |
2364 | \l{QSizePolicy::ControlTypes}{control types}. |
2365 | |
2366 | This function is called by the layout system. It is used only if |
2367 | PM_LayoutHorizontalSpacing or PM_LayoutVerticalSpacing returns a |
2368 | negative value. |
2369 | |
2370 | \sa layoutSpacing() |
2371 | */ |
2372 | int QStyle::combinedLayoutSpacing(QSizePolicy::ControlTypes controls1, |
2373 | QSizePolicy::ControlTypes controls2, Qt::Orientation orientation, |
2374 | QStyleOption *option, QWidget *widget) const |
2375 | { |
2376 | QSizePolicy::ControlType array1[MaxBits]; |
2377 | QSizePolicy::ControlType array2[MaxBits]; |
2378 | int count1 = unpackControlTypes(controls: controls1, array: array1); |
2379 | int count2 = unpackControlTypes(controls: controls2, array: array2); |
2380 | int result = -1; |
2381 | |
2382 | for (int i = 0; i < count1; ++i) { |
2383 | for (int j = 0; j < count2; ++j) { |
2384 | int spacing = layoutSpacing(control1: array1[i], control2: array2[j], orientation, option, widget); |
2385 | result = qMax(a: spacing, b: result); |
2386 | } |
2387 | } |
2388 | return result; |
2389 | } |
2390 | |
2391 | /*! |
2392 | \since 4.6 |
2393 | |
2394 | \fn const QStyle *QStyle::proxy() const |
2395 | |
2396 | This function returns the current proxy for this style. |
2397 | By default most styles will return themselves. However |
2398 | when a proxy style is in use, it will allow the style to |
2399 | call back into its proxy. |
2400 | */ |
2401 | const QStyle * QStyle::proxy() const |
2402 | { |
2403 | Q_D(const QStyle); |
2404 | return d->proxyStyle == this ? this : d->proxyStyle->proxy(); |
2405 | } |
2406 | |
2407 | /* \internal |
2408 | |
2409 | This function sets the base style that style calls will be |
2410 | redirected to. Note that ownership is not transferred. \a style |
2411 | must be a valid pointer (not nullptr). |
2412 | */ |
2413 | void QStyle::setProxy(QStyle *style) |
2414 | { |
2415 | Q_D(QStyle); |
2416 | Q_ASSERT(style); |
2417 | d->proxyStyle = style; |
2418 | } |
2419 | |
2420 | //Windows and KDE allow menus to cover the taskbar, while GNOME and macOS don't |
2421 | bool QStylePrivate::() |
2422 | { |
2423 | auto theme = QGuiApplicationPrivate::platformTheme(); |
2424 | return theme && theme->themeHint(hint: QPlatformTheme::UseFullScreenForPopupMenu).toBool(); |
2425 | } |
2426 | |
2427 | QT_END_NAMESPACE |
2428 | |
2429 | #include "moc_qstyle.cpp" |
2430 | |