]> git.sesse.net Git - vlc/blob - modules/gui/qt4/components/interface_widgets.cpp
Merge branch 'master' into lpcm_encoder
[vlc] / modules / gui / qt4 / components / interface_widgets.cpp
1 /*****************************************************************************
2  * interface_widgets.cpp : Custom widgets for the main interface
3  ****************************************************************************
4  * Copyright (C) 2006-2010 the VideoLAN team
5  * $Id$
6  *
7  * Authors: Clément Stenac <zorglub@videolan.org>
8  *          Jean-Baptiste Kempf <jb@videolan.org>
9  *          Rafaël Carré <funman@videolanorg>
10  *          Ilkka Ollakka <ileoo@videolan.org>
11  *
12  * This program is free software; you can redistribute it and/or modify
13  * it under the terms of the GNU General Public License as published by
14  * the Free Software Foundation; either version 2 of the License, or
15  * ( at your option ) any later version.
16  *
17  * This program is distributed in the hope that it will be useful,
18  * but WITHOUT ANY WARRANTY; without even the implied warranty of
19  * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
20  * GNU General Public License for more details.
21  *
22  * You should have received a copy of the GNU General Public License
23  * along with this program; if not, write to the Free Software
24  * Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston MA 02110-1301, USA.
25  *****************************************************************************/
26
27 #ifdef HAVE_CONFIG_H
28 # include "config.h"
29 #endif
30
31 #include "components/interface_widgets.hpp"
32 #include "dialogs_provider.hpp"
33 #include "util/customwidgets.hpp"               // qtEventToVLCKey, QVLCStackedWidget
34
35 #include "menus.hpp"             /* Popup menu on bgWidget */
36
37 #include <vlc_vout.h>
38
39 #include <QLabel>
40 #include <QToolButton>
41 #include <QPalette>
42 #include <QEvent>
43 #include <QResizeEvent>
44 #include <QDate>
45 #include <QMenu>
46 #include <QWidgetAction>
47 #include <QDesktopWidget>
48 #include <QPainter>
49 #include <QTimer>
50 #include <QSlider>
51 #include <QBitmap>
52
53 #ifdef Q_WS_X11
54 #   include <X11/Xlib.h>
55 #   include <qx11info_x11.h>
56 #endif
57
58 #include <math.h>
59 #include <assert.h>
60
61 /**********************************************************************
62  * Video Widget. A simple frame on which video is drawn
63  * This class handles resize issues
64  **********************************************************************/
65
66 VideoWidget::VideoWidget( intf_thread_t *_p_i )
67             : QFrame( NULL ) , p_intf( _p_i )
68 {
69     /* Set the policy to expand in both directions */
70     // setSizePolicy( QSizePolicy::Expanding, QSizePolicy::Expanding );
71
72     layout = new QHBoxLayout( this );
73     layout->setContentsMargins( 0, 0, 0, 0 );
74     stable = NULL;
75     show();
76 }
77
78 VideoWidget::~VideoWidget()
79 {
80     /* Ensure we are not leaking the video output. This would crash. */
81     assert( !stable );
82 }
83
84 void VideoWidget::sync( void )
85 {
86 #ifdef Q_WS_X11
87     /* Make sure the X server has processed all requests.
88      * This protects other threads using distinct connections from getting
89      * the video widget window in an inconsistent states. */
90     XSync( QX11Info::display(), False );
91 #endif
92 }
93
94 /**
95  * Request the video to avoid the conflicts
96  **/
97 WId VideoWidget::request( int *pi_x, int *pi_y,
98                           unsigned int *pi_width, unsigned int *pi_height,
99                           bool b_keep_size )
100 {
101     msg_Dbg( p_intf, "Video was requested %i, %i", *pi_x, *pi_y );
102
103     if( stable )
104     {
105         msg_Dbg( p_intf, "embedded video already in use" );
106         return 0;
107     }
108     if( b_keep_size )
109     {
110         *pi_width  = size().width();
111         *pi_height = size().height();
112     }
113
114     /* The owner of the video window needs a stable handle (WinId). Reparenting
115      * in Qt4-X11 changes the WinId of the widget, so we need to create another
116      * dummy widget that stays within the reparentable widget. */
117     stable = new QWidget();
118     QPalette plt = palette();
119     plt.setColor( QPalette::Window, Qt::black );
120     stable->setPalette( plt );
121     stable->setAutoFillBackground(true);
122     /* Indicates that the widget wants to draw directly onto the screen.
123        Widgets with this attribute set do not participate in composition
124        management */
125     /* This is currently disabled on X11 as it does not seem to improve
126      * performance, but causes the video widget to be transparent... */
127 #ifndef Q_WS_X11
128     stable->setAttribute( Qt::WA_PaintOnScreen, true );
129 #endif
130
131     layout->addWidget( stable );
132
133 #ifdef Q_WS_X11
134     /* HACK: Only one X11 client can subscribe to mouse button press events.
135      * VLC currently handles those in the video display.
136      * Force Qt4 to unsubscribe from mouse press and release events. */
137     Display *dpy = QX11Info::display();
138     Window w = stable->winId();
139     XWindowAttributes attr;
140
141     XGetWindowAttributes( dpy, w, &attr );
142     attr.your_event_mask &= ~(ButtonPressMask|ButtonReleaseMask);
143     XSelectInput( dpy, w, attr.your_event_mask );
144 #endif
145     sync();
146 #ifndef NDEBUG
147     msg_Dbg( p_intf, "embedded video ready (handle %p)",
148              (void *)stable->winId() );
149 #endif
150     return stable->winId();
151 }
152
153 /* Set the Widget to the correct Size */
154 /* Function has to be called by the parent
155    Parent has to care about resizing itself */
156 void VideoWidget::SetSizing( unsigned int w, unsigned int h )
157 {
158     resize( w, h );
159     emit sizeChanged( w, h );
160     /* Work-around a bug?misconception? that would happen when vout core resize
161        twice to the same size and would make the vout not centered.
162        This cause a small flicker.
163        See #3621
164      */
165     if( size().width() == w && size().height() == h )
166         updateGeometry();
167     sync();
168 }
169
170 void VideoWidget::release( void )
171 {
172     msg_Dbg( p_intf, "Video is not needed anymore" );
173
174     assert( stable );
175     layout->removeWidget( stable );
176     stable->deleteLater();
177     stable = NULL;
178
179     updateGeometry();
180 }
181
182 /**********************************************************************
183  * Background Widget. Show a simple image background. Currently,
184  * it's album art if present or cone.
185  **********************************************************************/
186
187 BackgroundWidget::BackgroundWidget( intf_thread_t *_p_i )
188                  :QWidget( NULL ), p_intf( _p_i ), b_expandPixmap( false )
189 {
190     /* A dark background */
191     setAutoFillBackground( true );
192     QPalette plt = palette();
193     plt.setColor( QPalette::Active, QPalette::Window , Qt::black );
194     plt.setColor( QPalette::Inactive, QPalette::Window , Qt::black );
195     setPalette( plt );
196
197     /* Init the cone art */
198     updateArt( "" );
199
200     CONNECT( THEMIM->getIM(), artChanged( QString ),
201              this, updateArt( const QString& ) );
202 }
203
204 void BackgroundWidget::updateArt( const QString& url )
205 {
206     if ( !url.isEmpty() )
207     {
208         pixmapUrl = url;
209     }
210     else
211     {   /* Xmas joke */
212         if( QDate::currentDate().dayOfYear() >= 354 )
213             pixmapUrl = QString( ":/logo/vlc128-christmas.png" );
214         else
215             pixmapUrl = QString( ":/logo/vlc128.png" );
216     }
217     update();
218 }
219
220 void BackgroundWidget::paintEvent( QPaintEvent *e )
221 {
222     int i_maxwidth, i_maxheight;
223     QPixmap pixmap = QPixmap( pixmapUrl );
224     QPainter painter(this);
225     QBitmap pMask;
226     float f_alpha = 1.0;
227
228     i_maxwidth = std::min( maximumWidth(), width() ) - MARGIN * 2;
229     i_maxheight = std::min( maximumHeight(), height() ) - MARGIN * 2;
230
231     if ( height() > MARGIN * 2 )
232     {
233         /* Scale down the pixmap if the widget is too small */
234         if( pixmap.width() > i_maxwidth || pixmap.height() > i_maxheight )
235         {
236             pixmap = pixmap.scaled( i_maxwidth, i_maxheight,
237                             Qt::KeepAspectRatio, Qt::SmoothTransformation );
238         }
239         else
240         if ( b_expandPixmap &&
241              pixmap.width() < width() && pixmap.height() < height() )
242         {
243             /* Scale up the pixmap to fill widget's size */
244             f_alpha = ( (float) pixmap.height() / (float) height() );
245             pixmap = pixmap.scaled(
246                     width() - MARGIN * 2,
247                     height() - MARGIN * 2,
248                     Qt::KeepAspectRatio,
249                     ( f_alpha < .2 )? /* Don't waste cpu when not visible */
250                         Qt::SmoothTransformation:
251                         Qt::FastTransformation
252                     );
253             /* Non agressive alpha compositing when sizing up */
254             pMask = QBitmap( pixmap.width(), pixmap.height() );
255             pMask.fill( QColor::fromRgbF( 1.0, 1.0, 1.0, f_alpha ) );
256             pixmap.setMask( pMask );
257         }
258
259         painter.drawPixmap(
260                 MARGIN + ( i_maxwidth - pixmap.width() ) /2,
261                 MARGIN + ( i_maxheight - pixmap.height() ) /2,
262                 pixmap);
263     }
264     QWidget::paintEvent( e );
265 }
266
267 void BackgroundWidget::contextMenuEvent( QContextMenuEvent *event )
268 {
269     QVLCMenu::PopupMenu( p_intf, true );
270     event->accept();
271 }
272
273 #if 0
274 #include <QPushButton>
275 #include <QHBoxLayout>
276
277 /**********************************************************************
278  * Visualization selector panel
279  **********************************************************************/
280 VisualSelector::VisualSelector( intf_thread_t *_p_i ) :
281                                 QFrame( NULL ), p_intf( _p_i )
282 {
283     QHBoxLayout *layout = new QHBoxLayout( this );
284     layout->setMargin( 0 );
285     QPushButton *prevButton = new QPushButton( "Prev" );
286     QPushButton *nextButton = new QPushButton( "Next" );
287     layout->addWidget( prevButton );
288     layout->addWidget( nextButton );
289
290     layout->addStretch( 10 );
291     layout->addWidget( new QLabel( qtr( "Current visualization" ) ) );
292
293     current = new QLabel( qtr( "None" ) );
294     layout->addWidget( current );
295
296     BUTTONACT( prevButton, prev() );
297     BUTTONACT( nextButton, next() );
298
299     setLayout( layout );
300     setMaximumHeight( 35 );
301 }
302
303 VisualSelector::~VisualSelector()
304 {}
305
306 void VisualSelector::prev()
307 {
308     char *psz_new = aout_VisualPrev( p_intf );
309     if( psz_new )
310     {
311         current->setText( qfu( psz_new ) );
312         free( psz_new );
313     }
314 }
315
316 void VisualSelector::next()
317 {
318     char *psz_new = aout_VisualNext( p_intf );
319     if( psz_new )
320     {
321         current->setText( qfu( psz_new ) );
322         free( psz_new );
323     }
324 }
325 #endif
326
327 SpeedLabel::SpeedLabel( intf_thread_t *_p_intf, QWidget *parent )
328            : QLabel( parent ), p_intf( _p_intf )
329 {
330     tooltipStringPattern = qtr( "Current playback speed: %1\nClick to adjust" );
331
332     /* Create the Speed Control Widget */
333     speedControl = new SpeedControlWidget( p_intf, this );
334     speedControlMenu = new QMenu( this );
335
336     QWidgetAction *widgetAction = new QWidgetAction( speedControl );
337     widgetAction->setDefaultWidget( speedControl );
338     speedControlMenu->addAction( widgetAction );
339
340     /* Change the SpeedRate in the Status Bar */
341     CONNECT( THEMIM->getIM(), rateChanged( float ), this, setRate( float ) );
342
343     DCONNECT( THEMIM, inputChanged( input_thread_t * ),
344               speedControl, activateOnState() );
345     setRate( var_InheritFloat( p_intf, "rate" ) );
346 }
347
348 SpeedLabel::~SpeedLabel()
349 {
350     delete speedControl;
351     delete speedControlMenu;
352 }
353
354 /****************************************************************************
355  * Small right-click menu for rate control
356  ****************************************************************************/
357
358 void SpeedLabel::showSpeedMenu( QPoint pos )
359 {
360     speedControlMenu->exec( QCursor::pos() - pos
361                           + QPoint( 0, height() ) );
362 }
363
364 void SpeedLabel::setRate( float rate )
365 {
366     QString str;
367     str.setNum( rate, 'f', 2 );
368     str.append( "x" );
369     setText( str );
370     setToolTip( tooltipStringPattern.arg( str ) );
371     speedControl->updateControls( rate );
372 }
373
374 /**********************************************************************
375  * Speed control widget
376  **********************************************************************/
377 SpeedControlWidget::SpeedControlWidget( intf_thread_t *_p_i, QWidget *_parent )
378                     : QFrame( _parent ), p_intf( _p_i )
379 {
380     QSizePolicy sizePolicy( QSizePolicy::Maximum, QSizePolicy::Fixed );
381     sizePolicy.setHorizontalStretch( 0 );
382     sizePolicy.setVerticalStretch( 0 );
383
384     speedSlider = new QSlider( this );
385     speedSlider->setSizePolicy( sizePolicy );
386     speedSlider->setMaximumSize( QSize( 80, 200 ) );
387     speedSlider->setOrientation( Qt::Vertical );
388     speedSlider->setTickPosition( QSlider::TicksRight );
389
390     speedSlider->setRange( -34, 34 );
391     speedSlider->setSingleStep( 1 );
392     speedSlider->setPageStep( 1 );
393     speedSlider->setTickInterval( 17 );
394
395     CONNECT( speedSlider, valueChanged( int ), this, updateRate( int ) );
396
397     QToolButton *normalSpeedButton = new QToolButton( this );
398     normalSpeedButton->setMaximumSize( QSize( 26, 20 ) );
399     normalSpeedButton->setAutoRaise( true );
400     normalSpeedButton->setText( "1x" );
401     normalSpeedButton->setToolTip( qtr( "Revert to normal play speed" ) );
402
403     CONNECT( normalSpeedButton, clicked(), this, resetRate() );
404
405     QVBoxLayout *speedControlLayout = new QVBoxLayout( this );
406     speedControlLayout->setContentsMargins( 4, 4, 4, 4 );
407     speedControlLayout->setSpacing( 4 );
408     speedControlLayout->addWidget( speedSlider );
409     speedControlLayout->addWidget( normalSpeedButton );
410
411     lastValue = 0;
412
413     activateOnState();
414 }
415
416 void SpeedControlWidget::activateOnState()
417 {
418     speedSlider->setEnabled( THEMIM->getIM()->hasInput() );
419 }
420
421 void SpeedControlWidget::updateControls( float rate )
422 {
423     if( speedSlider->isSliderDown() )
424     {
425         //We don't want to change anything if the user is using the slider
426         return;
427     }
428
429     double value = 17 * log( rate ) / log( 2. );
430     int sliderValue = (int) ( ( value > 0 ) ? value + .5 : value - .5 );
431
432     if( sliderValue < speedSlider->minimum() )
433     {
434         sliderValue = speedSlider->minimum();
435     }
436     else if( sliderValue > speedSlider->maximum() )
437     {
438         sliderValue = speedSlider->maximum();
439     }
440     lastValue = sliderValue;
441
442     speedSlider->setValue( sliderValue );
443 }
444
445 void SpeedControlWidget::updateRate( int sliderValue )
446 {
447     if( sliderValue == lastValue )
448         return;
449
450     double speed = pow( 2, (double)sliderValue / 17 );
451     int rate = INPUT_RATE_DEFAULT / speed;
452
453     THEMIM->getIM()->setRate(rate);
454 }
455
456 void SpeedControlWidget::resetRate()
457 {
458     THEMIM->getIM()->setRate( INPUT_RATE_DEFAULT );
459 }
460
461 CoverArtLabel::CoverArtLabel( QWidget *parent, intf_thread_t *_p_i )
462               : QLabel( parent ), p_intf( _p_i )
463 {
464     setContextMenuPolicy( Qt::ActionsContextMenu );
465     CONNECT( this, updateRequested(), this, askForUpdate() );
466
467     setMinimumHeight( 128 );
468     setMinimumWidth( 128 );
469     setMaximumHeight( 128 );
470     setMaximumWidth( 128 );
471     setScaledContents( false );
472     setAlignment( Qt::AlignCenter );
473
474     QList< QAction* > artActions = actions();
475     QAction *action = new QAction( qtr( "Download cover art" ), this );
476     CONNECT( action, triggered(), this, askForUpdate() );
477     addAction( action );
478
479     showArtUpdate( "" );
480 }
481
482 CoverArtLabel::~CoverArtLabel()
483 {
484     QList< QAction* > artActions = actions();
485     foreach( QAction *act, artActions )
486         removeAction( act );
487 }
488
489 void CoverArtLabel::showArtUpdate( const QString& url )
490 {
491     QPixmap pix;
492     if( !url.isEmpty() && pix.load( url ) )
493     {
494         pix = pix.scaled( maximumWidth(), maximumHeight(),
495                           Qt::KeepAspectRatioByExpanding,
496                           Qt::SmoothTransformation );
497     }
498     else
499     {
500         pix = QPixmap( ":/noart.png" );
501     }
502     setPixmap( pix );
503 }
504
505 void CoverArtLabel::askForUpdate()
506 {
507     THEMIM->getIM()->requestArtUpdate();
508 }
509
510 TimeLabel::TimeLabel( intf_thread_t *_p_intf  )
511     : QLabel(), p_intf( _p_intf ), bufTimer( new QTimer(this) ),
512       buffering( false ), showBuffering(false), bufVal( -1 )
513 {
514     b_remainingTime = false;
515     setText( " --:--/--:-- " );
516     setAlignment( Qt::AlignRight | Qt::AlignVCenter );
517     setToolTip( QString( "- " )
518         + qtr( "Click to toggle between elapsed and remaining time" )
519         + QString( "\n- " )
520         + qtr( "Double click to jump to a chosen time position" ) );
521     bufTimer->setSingleShot( true );
522
523     CONNECT( THEMIM->getIM(), positionUpdated( float, int64_t, int ),
524               this, setDisplayPosition( float, int64_t, int ) );
525     CONNECT( THEMIM->getIM(), cachingChanged( float ),
526               this, updateBuffering( float ) );
527     CONNECT( bufTimer, timeout(), this, updateBuffering() );
528 }
529
530 void TimeLabel::setDisplayPosition( float pos, int64_t t, int length )
531 {
532     showBuffering = false;
533     bufTimer->stop();
534
535     if( pos == -1.f )
536     {
537         setText( " --:--/--:-- " );
538         return;
539     }
540
541     int time = t / 1000000;
542
543     secstotimestr( psz_length, length );
544     secstotimestr( psz_time, ( b_remainingTime && length ) ? length - time
545                                                            : time );
546
547     QString timestr = QString( " %1%2/%3 " )
548             .arg( QString( (b_remainingTime && length) ? "-" : "" ) )
549             .arg( QString( psz_time ) )
550             .arg( QString( ( !length && time ) ? "--:--" : psz_length ) );
551
552     setText( timestr );
553
554     cachedLength = length;
555 }
556
557 void TimeLabel::setDisplayPosition( float pos )
558 {
559     if( pos == -1.f || cachedLength == 0 )
560     {
561         setText( " --:--/--:-- " );
562         return;
563     }
564
565     int time = pos * cachedLength;
566     secstotimestr( psz_time,
567                    ( b_remainingTime && cachedLength ?
568                    cachedLength - time : time ) );
569     QString timestr = QString( " %1%2/%3 " )
570         .arg( QString( (b_remainingTime && cachedLength) ? "-" : "" ) )
571         .arg( QString( psz_time ) )
572         .arg( QString( ( !cachedLength && time ) ? "--:--" : psz_length ) );
573
574     setText( timestr );
575 }
576
577
578 void TimeLabel::toggleTimeDisplay()
579 {
580     b_remainingTime = !b_remainingTime;
581 }
582
583
584 void TimeLabel::updateBuffering( float _buffered )
585 {
586     bufVal = _buffered;
587     if( !buffering || bufVal == 0 )
588     {
589         showBuffering = false;
590         buffering = true;
591         bufTimer->start(200);
592     }
593     else if( bufVal == 1 )
594     {
595         showBuffering = buffering = false;
596         bufTimer->stop();
597     }
598     update();
599 }
600
601 void TimeLabel::updateBuffering()
602 {
603     showBuffering = true;
604     update();
605 }
606
607 void TimeLabel::paintEvent( QPaintEvent* event )
608 {
609     if( showBuffering )
610     {
611         QRect r( rect() );
612         r.setLeft( r.width() * bufVal );
613         QPainter p( this );
614         p.setOpacity( 0.4 );
615         p.fillRect( r, palette().color( QPalette::Highlight ) );
616     }
617     QLabel::paintEvent( event );
618 }