intf.m
上传用户:kjfoods
上传日期:2020-07-06
资源大小:29949k
文件大小:97k
源码类别:

midi

开发平台:

Unix_Linux

  1. /*****************************************************************************
  2.  * intf.m: MacOS X interface module
  3.  *****************************************************************************
  4.  * Copyright (C) 2002-2009 the VideoLAN team
  5.  * $Id: 7cca1d69d141a3045f4f56751d5e0e883308b0e6 $
  6.  *
  7.  * Authors: Jon Lech Johansen <jon-vl@nanocrew.net>
  8.  *          Christophe Massiot <massiot@via.ecp.fr>
  9.  *          Derk-Jan Hartman <hartman at videolan.org>
  10.  *          Felix Paul Kühne <fkuehne at videolan dot 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.  * Preamble
  28.  *****************************************************************************/
  29. #include <stdlib.h>                                      /* malloc(), free() */
  30. #include <sys/param.h>                                    /* for MAXPATHLEN */
  31. #include <string.h>
  32. #include <vlc_common.h>
  33. #include <vlc_keys.h>
  34. #include <vlc_dialog.h>
  35. #include <unistd.h> /* execl() */
  36. #import "intf.h"
  37. #import "fspanel.h"
  38. #import "vout.h"
  39. #import "prefs.h"
  40. #import "playlist.h"
  41. #import "playlistinfo.h"
  42. #import "controls.h"
  43. #import "about.h"
  44. #import "open.h"
  45. #import "wizard.h"
  46. #import "extended.h"
  47. #import "bookmarks.h"
  48. #import "coredialogs.h"
  49. #import "embeddedwindow.h"
  50. #import "update.h"
  51. #import "AppleRemote.h"
  52. #import "eyetv.h"
  53. #import "simple_prefs.h"
  54. #import <AddressBook/AddressBook.h>         /* for crashlog send mechanism */
  55. #import <IOKit/hidsystem/ev_keymap.h>         /* for the media key support */
  56. /*****************************************************************************
  57.  * Local prototypes.
  58.  *****************************************************************************/
  59. static void Run ( intf_thread_t *p_intf );
  60. static void * ManageThread( void *user_data );
  61. static unichar VLCKeyToCocoa( unsigned int i_key );
  62. static unsigned int VLCModifiersToCocoa( unsigned int i_key );
  63. static void updateProgressPanel (void *, const char *, float);
  64. static bool checkProgressPanel (void *);
  65. static void destroyProgressPanel (void *);
  66. static void MsgCallback( msg_cb_data_t *, msg_item_t *, unsigned );
  67. #pragma mark -
  68. #pragma mark VLC Interface Object Callbacks
  69. /*****************************************************************************
  70.  * OpenIntf: initialize interface
  71.  *****************************************************************************/
  72. int OpenIntf ( vlc_object_t *p_this )
  73. {
  74.     intf_thread_t *p_intf = (intf_thread_t*) p_this;
  75.     p_intf->p_sys = malloc( sizeof( intf_sys_t ) );
  76.     if( p_intf->p_sys == NULL )
  77.         return VLC_ENOMEM;
  78.     memset( p_intf->p_sys, 0, sizeof( *p_intf->p_sys ) );
  79.     /* subscribe to LibVLCCore's messages */
  80.     p_intf->p_sys->p_sub = msg_Subscribe( p_intf->p_libvlc, MsgCallback, NULL );
  81.     p_intf->pf_run = Run;
  82.     p_intf->b_should_run_on_first_thread = true;
  83.     return VLC_SUCCESS;
  84. }
  85. /*****************************************************************************
  86.  * CloseIntf: destroy interface
  87.  *****************************************************************************/
  88. void CloseIntf ( vlc_object_t *p_this )
  89. {
  90.     intf_thread_t *p_intf = (intf_thread_t*) p_this;
  91.     free( p_intf->p_sys );
  92. }
  93. /*****************************************************************************
  94.  * Run: main loop
  95.  *****************************************************************************/
  96. jmp_buf jmpbuffer;
  97. static void Run( intf_thread_t *p_intf )
  98. {
  99.     sigset_t set;
  100.     /* Do it again - for some unknown reason, vlc_thread_create() often
  101.      * fails to go to real-time priority with the first launched thread
  102.      * (???) --Meuuh */
  103.     vlc_thread_set_priority( p_intf, VLC_THREAD_PRIORITY_LOW );
  104.     /* Make sure the "force quit" menu item does quit instantly.
  105.      * VLC overrides SIGTERM which is sent by the "force quit"
  106.      * menu item to make sure deamon mode quits gracefully, so
  107.      * we un-override SIGTERM here. */
  108.     sigemptyset( &set );
  109.     sigaddset( &set, SIGTERM );
  110.     pthread_sigmask( SIG_UNBLOCK, &set, NULL );
  111.     NSAutoreleasePool * o_pool = [[NSAutoreleasePool alloc] init];
  112.     /* Install a jmpbuffer to where we can go back before the NSApp exit
  113.      * see applicationWillTerminate: */
  114.     [VLCApplication sharedApplication];
  115.     [[VLCMain sharedInstance] setIntf: p_intf];
  116.     [NSBundle loadNibNamed: @"MainMenu" owner: NSApp];
  117.     /* Install a jmpbuffer to where we can go back before the NSApp exit
  118.      * see applicationWillTerminate: */
  119.     if(setjmp(jmpbuffer) == 0)
  120.         [NSApp run];
  121.     
  122.     [o_pool release];
  123. }
  124. #pragma mark -
  125. #pragma mark Variables Callback
  126. /*****************************************************************************
  127.  * MsgCallback: Callback triggered by the core once a new debug message is
  128.  * ready to be displayed. We store everything in a NSArray in our Cocoa part
  129.  * of this file, so we are forwarding everything through notifications.
  130.  *****************************************************************************/
  131. static void MsgCallback( msg_cb_data_t *data, msg_item_t *item, unsigned int i )
  132. {
  133.     int canc = vlc_savecancel();
  134.     NSAutoreleasePool * o_pool = [[NSAutoreleasePool alloc] init];
  135.     /* this may happen from time to time, let's bail out as info would be useless anyway */ 
  136.     if( !item->psz_module || !item->psz_msg )
  137.         return;
  138.     NSDictionary *o_dict = [NSDictionary dictionaryWithObjectsAndKeys:
  139.                                 [NSString stringWithUTF8String: item->psz_module], @"Module",
  140.                                 [NSString stringWithUTF8String: item->psz_msg], @"Message",
  141.                                 [NSNumber numberWithInt: item->i_type], @"Type", nil];
  142.     [[NSNotificationCenter defaultCenter] postNotificationName: @"VLCCoreMessageReceived" 
  143.                                                         object: nil 
  144.                                                       userInfo: o_dict];
  145.     [o_pool release];
  146.     vlc_restorecancel( canc );
  147. }
  148. /*****************************************************************************
  149.  * playlistChanged: Callback triggered by the intf-change playlist
  150.  * variable, to let the intf update the playlist.
  151.  *****************************************************************************/
  152. static int PlaylistChanged( vlc_object_t *p_this, const char *psz_variable,
  153.                      vlc_value_t old_val, vlc_value_t new_val, void *param )
  154. {
  155.     intf_thread_t * p_intf = VLCIntf;
  156.     if( p_intf && p_intf->p_sys )
  157.     {
  158.         p_intf->p_sys->b_intf_update = true;
  159.         p_intf->p_sys->b_playlist_update = true;
  160.         p_intf->p_sys->b_playmode_update = true;
  161.         p_intf->p_sys->b_current_title_update = true;
  162.     }
  163.     return VLC_SUCCESS;
  164. }
  165. /*****************************************************************************
  166.  * ShowController: Callback triggered by the show-intf playlist variable
  167.  * through the ShowIntf-control-intf, to let us show the controller-win;
  168.  * usually when in fullscreen-mode
  169.  *****************************************************************************/
  170. static int ShowController( vlc_object_t *p_this, const char *psz_variable,
  171.                      vlc_value_t old_val, vlc_value_t new_val, void *param )
  172. {
  173.     intf_thread_t * p_intf = VLCIntf;
  174.     if( p_intf && p_intf->p_sys )
  175.         p_intf->p_sys->b_intf_show = true;
  176.     return VLC_SUCCESS;
  177. }
  178. /*****************************************************************************
  179.  * FullscreenChanged: Callback triggered by the fullscreen-change playlist
  180.  * variable, to let the intf update the controller.
  181.  *****************************************************************************/
  182. static int FullscreenChanged( vlc_object_t *p_this, const char *psz_variable,
  183.                      vlc_value_t old_val, vlc_value_t new_val, void *param )
  184. {
  185.     intf_thread_t * p_intf = VLCIntf;
  186.     if( p_intf && p_intf->p_sys )
  187.         p_intf->p_sys->b_fullscreen_update = true;
  188.     return VLC_SUCCESS;
  189. }
  190. /*****************************************************************************
  191.  * DialogCallback: Callback triggered by the "dialog-*" variables 
  192.  * to let the intf display error and interaction dialogs
  193.  *****************************************************************************/
  194. static int DialogCallback( vlc_object_t *p_this, const char *type, vlc_value_t previous, vlc_value_t value, void *data )
  195. {
  196.     NSAutoreleasePool * o_pool = [[NSAutoreleasePool alloc] init];
  197.     VLCMain *interface = (VLCMain *)data;
  198.     if( [[NSString stringWithUTF8String: type] isEqualToString: @"dialog-progress-bar"] )
  199.     {
  200.         /* the progress panel needs to update itself and therefore wants special treatment within this context */
  201.         dialog_progress_bar_t *p_dialog = (dialog_progress_bar_t *)value.p_address;
  202.         p_dialog->pf_update = updateProgressPanel;
  203.         p_dialog->pf_check = checkProgressPanel;
  204.         p_dialog->pf_destroy = destroyProgressPanel;
  205.         p_dialog->p_sys = VLCIntf->p_libvlc;
  206.     }
  207.     NSValue *o_value = [NSValue valueWithPointer:value.p_address];
  208.     [[NSNotificationCenter defaultCenter] postNotificationName: @"VLCNewCoreDialogEventNotification" object:[interface coreDialogProvider] userInfo:[NSDictionary dictionaryWithObjectsAndKeys: o_value, @"VLCDialogPointer", [NSString stringWithUTF8String: type], @"VLCDialogType", nil]];
  209.     [o_pool release];
  210.     return VLC_SUCCESS;
  211. }
  212. void updateProgressPanel (void *priv, const char *text, float value)
  213. {
  214.     NSAutoreleasePool *o_pool = [[NSAutoreleasePool alloc] init];
  215.     NSString *o_txt;
  216.     if( text != NULL )
  217.         o_txt = [NSString stringWithUTF8String: text];
  218.     else
  219.         o_txt = @"";
  220.     [[[VLCMain sharedInstance] coreDialogProvider] updateProgressPanelWithText: o_txt andNumber: (double)(value * 1000.)];
  221.     [o_pool release];
  222. }
  223. void destroyProgressPanel (void *priv)
  224. {
  225.     NSAutoreleasePool *o_pool = [[NSAutoreleasePool alloc] init];
  226.     [[[VLCMain sharedInstance] coreDialogProvider] destroyProgressPanel];
  227.     [o_pool release];
  228. }
  229. bool checkProgressPanel (void *priv)
  230. {
  231.     NSAutoreleasePool *o_pool = [[NSAutoreleasePool alloc] init];
  232.     return [[[VLCMain sharedInstance] coreDialogProvider] progressCancelled];
  233.     [o_pool release];
  234. }
  235. #pragma mark -
  236. #pragma mark Private
  237. @interface VLCMain ()
  238. - (void)_removeOldPreferences;
  239. @end
  240. /*****************************************************************************
  241.  * VLCMain implementation
  242.  *****************************************************************************/
  243. @implementation VLCMain
  244. #pragma mark -
  245. #pragma mark Initialization
  246. static VLCMain *_o_sharedMainInstance = nil;
  247. + (VLCMain *)sharedInstance
  248. {
  249.     return _o_sharedMainInstance ? _o_sharedMainInstance : [[self alloc] init];
  250. }
  251. - (id)init
  252. {
  253.     if( _o_sharedMainInstance) 
  254.     {
  255.         [self dealloc];
  256.         return _o_sharedMainInstance;
  257.     } 
  258.     else
  259.         _o_sharedMainInstance = [super init];
  260.     p_intf = NULL;
  261.     o_msg_lock = [[NSLock alloc] init];
  262.     o_msg_arr = [[NSMutableArray arrayWithCapacity: 600] retain];
  263.     /* subscribe to LibVLC's debug messages as early as possible (for us) */
  264.     [[NSNotificationCenter defaultCenter] addObserver: self selector: @selector(libvlcMessageReceived:) name: @"VLCCoreMessageReceived" object: nil];
  265.     
  266.     o_about = [[VLAboutBox alloc] init];
  267.     o_prefs = nil;
  268.     o_open = [[VLCOpen alloc] init];
  269.     o_wizard = [[VLCWizard alloc] init];
  270.     o_extended = nil;
  271.     o_bookmarks = [[VLCBookmarks alloc] init];
  272.     o_embedded_list = [[VLCEmbeddedList alloc] init];
  273.     o_coredialogs = [[VLCCoreDialogProvider alloc] init];
  274.     o_info = [[VLCInfo alloc] init];
  275. #ifdef UPDATE_CHECK
  276.     o_update = [[VLCUpdate alloc] init];
  277. #endif
  278.     i_lastShownVolume = -1;
  279.     o_eyetv = [[VLCEyeTVController alloc] init];
  280.     /* announce our launch to a potential eyetv plugin */
  281.     [[NSDistributedNotificationCenter defaultCenter] postNotificationName: @"VLCOSXGUIInit"
  282.                                                                    object: @"VLCEyeTVSupport"
  283.                                                                  userInfo: NULL
  284.                                                        deliverImmediately: YES];
  285.     return _o_sharedMainInstance;
  286. }
  287. - (void)setIntf: (intf_thread_t *)p_mainintf {
  288.     p_intf = p_mainintf;
  289. }
  290. - (intf_thread_t *)intf {
  291.     return p_intf;
  292. }
  293. - (void)awakeFromNib
  294. {
  295.     unsigned int i_key = 0;
  296.     playlist_t *p_playlist;
  297.     vlc_value_t val;
  298.     if( !p_intf ) return;
  299.     /* Check if we already did this once. Opening the other nibs calls it too,
  300.        because VLCMain is the owner */
  301.     if( nib_main_loaded ) return;
  302.     /* check whether the user runs a valid version of OS X */
  303.     if( MACOS_VERSION < 10.5f )
  304.     {
  305.         NSAlert *ourAlert;
  306.         int i_returnValue;
  307.         NSString *o_blabla;
  308.         if( MACOS_VERSION == 10.4f )
  309.             o_blabla = _NS("VLC's last release for your OS is the 0.9 series." );
  310.         else if( MACOS_VERSION == 10.3f )
  311.             o_blabla = _NS("VLC's last release for your OS is VLC 0.8.6i, which is prone to known security issues." );
  312.         else // 10.2 and 10.1, still 3% of the OS X market share
  313.             o_blabla = _NS("VLC's last release for your OS is VLC 0.7.2, which is highly out of date and prone to " 
  314.                          "known security issues. We recommend you to update your Mac to a modern version of Mac OS X.");
  315.         ourAlert = [NSAlert alertWithMessageText: _NS("Your version of Mac OS X is no longer supported")
  316.                                    defaultButton: _NS("Quit")
  317.                                  alternateButton: NULL
  318.                                      otherButton: NULL
  319.                        informativeTextWithFormat: _NS("VLC media player %s requires Mac OS X 10.5 or higher.nn%@"), VLC_Version(), o_blabla];
  320.         [ourAlert setAlertStyle: NSCriticalAlertStyle];
  321.         i_returnValue = [ourAlert runModal];
  322.         [NSApp performSelectorOnMainThread: @selector(terminate:) withObject:nil waitUntilDone:NO];
  323.         return;
  324.     }
  325.     [self initStrings];
  326.     [o_window setExcludedFromWindowsMenu: YES];
  327.     [o_msgs_panel setExcludedFromWindowsMenu: YES];
  328.     [o_msgs_panel setDelegate: self];
  329.     /* In code and not in Nib for 10.4 compat */
  330.     NSToolbar * toolbar = [[[NSToolbar alloc] initWithIdentifier:@"mainControllerToolbar"] autorelease];
  331.     [toolbar setDelegate:self];
  332.     [toolbar setShowsBaselineSeparator:NO];
  333.     [toolbar setAllowsUserCustomization:NO];
  334.     [toolbar setDisplayMode:NSToolbarDisplayModeIconOnly];
  335.     [toolbar setAutosavesConfiguration:YES];
  336.     [o_window setToolbar:toolbar];
  337.     i_key = config_GetInt( p_intf, "key-quit" );
  338.     [o_mi_quit setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  339.     [o_mi_quit setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  340.     i_key = config_GetInt( p_intf, "key-play-pause" );
  341.     [o_mi_play setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  342.     [o_mi_play setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  343.     i_key = config_GetInt( p_intf, "key-stop" );
  344.     [o_mi_stop setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  345.     [o_mi_stop setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  346.     i_key = config_GetInt( p_intf, "key-faster" );
  347.     [o_mi_faster setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  348.     [o_mi_faster setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  349.     i_key = config_GetInt( p_intf, "key-slower" );
  350.     [o_mi_slower setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  351.     [o_mi_slower setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  352.     i_key = config_GetInt( p_intf, "key-prev" );
  353.     [o_mi_previous setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  354.     [o_mi_previous setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  355.     i_key = config_GetInt( p_intf, "key-next" );
  356.     [o_mi_next setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  357.     [o_mi_next setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  358.     i_key = config_GetInt( p_intf, "key-jump+short" );
  359.     [o_mi_fwd setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  360.     [o_mi_fwd setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  361.     i_key = config_GetInt( p_intf, "key-jump-short" );
  362.     [o_mi_bwd setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  363.     [o_mi_bwd setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  364.     i_key = config_GetInt( p_intf, "key-jump+medium" );
  365.     [o_mi_fwd1m setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  366.     [o_mi_fwd1m setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  367.     i_key = config_GetInt( p_intf, "key-jump-medium" );
  368.     [o_mi_bwd1m setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  369.     [o_mi_bwd1m setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  370.     i_key = config_GetInt( p_intf, "key-jump+long" );
  371.     [o_mi_fwd5m setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  372.     [o_mi_fwd5m setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  373.     i_key = config_GetInt( p_intf, "key-jump-long" );
  374.     [o_mi_bwd5m setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  375.     [o_mi_bwd5m setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  376.     i_key = config_GetInt( p_intf, "key-vol-up" );
  377.     [o_mi_vol_up setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  378.     [o_mi_vol_up setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  379.     i_key = config_GetInt( p_intf, "key-vol-down" );
  380.     [o_mi_vol_down setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  381.     [o_mi_vol_down setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  382.     i_key = config_GetInt( p_intf, "key-vol-mute" );
  383.     [o_mi_mute setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  384.     [o_mi_mute setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  385.     i_key = config_GetInt( p_intf, "key-fullscreen" );
  386.     [o_mi_fullscreen setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  387.     [o_mi_fullscreen setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  388.     i_key = config_GetInt( p_intf, "key-snapshot" );
  389.     [o_mi_snapshot setKeyEquivalent: [NSString stringWithFormat:@"%C", VLCKeyToCocoa( i_key )]];
  390.     [o_mi_snapshot setKeyEquivalentModifierMask: VLCModifiersToCocoa(i_key)];
  391.     var_Create( p_intf, "intf-change", VLC_VAR_BOOL );
  392.     [self setSubmenusEnabled: FALSE];
  393.     [o_volumeslider setEnabled: YES];
  394.     [self manageVolumeSlider];
  395.     [o_window setDelegate: self];
  396.  
  397.     b_restore_size = false;
  398.     // Set that here as IB seems to be buggy
  399.     [o_window setContentMinSize:NSMakeSize(338., 30.)];
  400.     if( [o_window contentRectForFrameRect:[o_window frame]].size.height <= 169. )
  401.     {
  402.         b_small_window = YES;
  403.         [o_window setFrame: NSMakeRect( [o_window frame].origin.x,
  404.             [o_window frame].origin.y, [o_window frame].size.width,
  405.             [o_window minSize].height ) display: YES animate:YES];
  406.         [o_playlist_view setAutoresizesSubviews: NO];
  407.     }
  408.     else
  409.     {
  410.         b_small_window = NO;
  411.         NSRect contentRect = [o_window contentRectForFrameRect:[o_window frame]];
  412.         [o_playlist_view setFrame: NSMakeRect( 0, 0, contentRect.size.width, contentRect.size.height - [o_window contentMinSize].height )];
  413.         [o_playlist_view setNeedsDisplay:YES];
  414.         [o_playlist_view setAutoresizesSubviews: YES];
  415.         [[o_window contentView] addSubview: o_playlist_view];
  416.     }
  417.     [self updateTogglePlaylistState];
  418.     o_size_with_playlist = [o_window contentRectForFrameRect:[o_window frame]].size;
  419.     p_playlist = pl_Hold( p_intf );
  420.     var_Create( p_playlist, "fullscreen", VLC_VAR_BOOL | VLC_VAR_DOINHERIT);
  421.     val.b_bool = false;
  422.     var_AddCallback( p_playlist, "fullscreen", FullscreenChanged, self);
  423.     var_AddCallback( p_intf->p_libvlc, "intf-show", ShowController, self);
  424.     pl_Release( p_intf );
  425.     /* load our Core Dialogs nib */
  426.     nib_coredialogs_loaded = [NSBundle loadNibNamed:@"CoreDialogs" owner: NSApp];
  427.     
  428.     /* subscribe to various interactive dialogues */
  429.     var_Create( p_intf, "dialog-error", VLC_VAR_ADDRESS );
  430.     var_AddCallback( p_intf, "dialog-error", DialogCallback, self );
  431.     var_Create( p_intf, "dialog-critical", VLC_VAR_ADDRESS );
  432.     var_AddCallback( p_intf, "dialog-critical", DialogCallback, self );
  433.     var_Create( p_intf, "dialog-login", VLC_VAR_ADDRESS );
  434.     var_AddCallback( p_intf, "dialog-login", DialogCallback, self );
  435.     var_Create( p_intf, "dialog-question", VLC_VAR_ADDRESS );
  436.     var_AddCallback( p_intf, "dialog-question", DialogCallback, self );
  437.     var_Create( p_intf, "dialog-progress-bar", VLC_VAR_ADDRESS );
  438.     var_AddCallback( p_intf, "dialog-progress-bar", DialogCallback, self );
  439.     dialog_Register( p_intf );
  440.     /* update the playmode stuff */
  441.     p_intf->p_sys->b_playmode_update = true;
  442.     [[NSNotificationCenter defaultCenter] addObserver: self
  443.                                              selector: @selector(refreshVoutDeviceMenu:)
  444.                                                  name: NSApplicationDidChangeScreenParametersNotification
  445.                                                object: nil];
  446.     /* take care of tint changes during runtime */
  447.     o_img_play = [NSImage imageNamed: @"play"];
  448.     o_img_pause = [NSImage imageNamed: @"pause"];    
  449.     [self controlTintChanged];
  450.     [[NSNotificationCenter defaultCenter] addObserver: self
  451.                                              selector: @selector( controlTintChanged )
  452.                                                  name: NSControlTintDidChangeNotification
  453.                                                object: nil];
  454.     /* init Apple Remote support */
  455.     o_remote = [[AppleRemote alloc] init];
  456.     [o_remote setClickCountEnabledButtons: kRemoteButtonPlay];
  457.     [o_remote setDelegate: _o_sharedMainInstance];
  458.     /* yeah, we are done */
  459.     nib_main_loaded = TRUE;
  460. }
  461. - (void)applicationWillFinishLaunching:(NSNotification *)o_notification
  462. {
  463.     if( !p_intf ) return;
  464.     /* FIXME: don't poll */
  465.     interfaceTimer = [[NSTimer scheduledTimerWithTimeInterval: 0.5
  466.                                      target: self selector: @selector(manageIntf:)
  467.                                    userInfo: nil repeats: FALSE] retain];
  468.     /* Note: we use the pthread API to support pre-10.5 */
  469.     pthread_create( &manage_thread, NULL, ManageThread, self );
  470.     [o_controls setupVarMenuItem: o_mi_add_intf target: (vlc_object_t *)p_intf
  471.         var: "intf-add" selector: @selector(toggleVar:)];
  472.     vlc_thread_set_priority( p_intf, VLC_THREAD_PRIORITY_LOW );
  473. }
  474. - (void)applicationDidFinishLaunching:(NSNotification *)aNotification
  475. {
  476.     if( !p_intf ) return;
  477.     [self _removeOldPreferences];
  478. #ifdef UPDATE_CHECK
  479.     /* Check for update silently on startup */
  480.     if( !nib_update_loaded )
  481.         nib_update_loaded = [NSBundle loadNibNamed:@"Update" owner: NSApp];
  482.     if([o_update shouldCheckForUpdate])
  483.         [NSThread detachNewThreadSelector:@selector(checkForUpdate) toTarget:o_update withObject:nil];
  484. #endif
  485.     /* Handle sleep notification */
  486.     [[[NSWorkspace sharedWorkspace] notificationCenter] addObserver:self selector:@selector(computerWillSleep:)
  487.            name:NSWorkspaceWillSleepNotification object:nil];
  488.     [NSThread detachNewThreadSelector:@selector(lookForCrashLog) toTarget:self withObject:nil];
  489. }
  490. - (void)initStrings
  491. {
  492.     if( !p_intf ) return;
  493.     [o_window setTitle: _NS("VLC media player")];
  494.     [self setScrollField:_NS("VLC media player") stopAfter:-1];
  495.     /* button controls */
  496.     [o_btn_prev setToolTip: _NS("Previous")];
  497.     [o_btn_rewind setToolTip: _NS("Rewind")];
  498.     [o_btn_play setToolTip: _NS("Play")];
  499.     [o_btn_stop setToolTip: _NS("Stop")];
  500.     [o_btn_ff setToolTip: _NS("Fast Forward")];
  501.     [o_btn_next setToolTip: _NS("Next")];
  502.     [o_btn_fullscreen setToolTip: _NS("Fullscreen")];
  503.     [o_volumeslider setToolTip: _NS("Volume")];
  504.     [o_timeslider setToolTip: _NS("Position")];
  505.     [o_btn_playlist setToolTip: _NS("Playlist")];
  506.     /* messages panel */
  507.     [o_msgs_panel setTitle: _NS("Messages")];
  508.     [o_msgs_crashlog_btn setTitle: _NS("Open CrashLog...")];
  509.     [o_msgs_save_btn setTitle: _NS("Save this Log...")];
  510.     /* main menu */
  511.     [o_mi_about setTitle: [_NS("About VLC media player") 
  512.         stringByAppendingString: @"..."]];
  513.     [o_mi_checkForUpdate setTitle: _NS("Check for Update...")];
  514.     [o_mi_prefs setTitle: _NS("Preferences...")];
  515.     [o_mi_add_intf setTitle: _NS("Add Interface")];
  516.     [o_mu_add_intf setTitle: _NS("Add Interface")];
  517.     [o_mi_services setTitle: _NS("Services")];
  518.     [o_mi_hide setTitle: _NS("Hide VLC")];
  519.     [o_mi_hide_others setTitle: _NS("Hide Others")];
  520.     [o_mi_show_all setTitle: _NS("Show All")];
  521.     [o_mi_quit setTitle: _NS("Quit VLC")];
  522.     [o_mu_file setTitle: _ANS("1:File")];
  523.     [o_mi_open_generic setTitle: _NS("Advanced Open File...")];
  524.     [o_mi_open_file setTitle: _NS("Open File...")];
  525.     [o_mi_open_disc setTitle: _NS("Open Disc...")];
  526.     [o_mi_open_net setTitle: _NS("Open Network...")];
  527.     [o_mi_open_capture setTitle: _NS("Open Capture Device...")];
  528.     [o_mi_open_recent setTitle: _NS("Open Recent")];
  529.     [o_mi_open_recent_cm setTitle: _NS("Clear Menu")];
  530.     [o_mi_open_wizard setTitle: _NS("Streaming/Exporting Wizard...")];
  531.     [o_mu_edit setTitle: _NS("Edit")];
  532.     [o_mi_cut setTitle: _NS("Cut")];
  533.     [o_mi_copy setTitle: _NS("Copy")];
  534.     [o_mi_paste setTitle: _NS("Paste")];
  535.     [o_mi_clear setTitle: _NS("Clear")];
  536.     [o_mi_select_all setTitle: _NS("Select All")];
  537.     [o_mu_controls setTitle: _NS("Playback")];
  538.     [o_mi_play setTitle: _NS("Play")];
  539.     [o_mi_stop setTitle: _NS("Stop")];
  540.     [o_mi_faster setTitle: _NS("Faster")];
  541.     [o_mi_slower setTitle: _NS("Slower")];
  542.     [o_mi_previous setTitle: _NS("Previous")];
  543.     [o_mi_next setTitle: _NS("Next")];
  544.     [o_mi_random setTitle: _NS("Random")];
  545.     [o_mi_repeat setTitle: _NS("Repeat One")];
  546.     [o_mi_loop setTitle: _NS("Repeat All")];
  547.     [o_mi_quitAfterPB setTitle: _NS("Quit after Playback")];
  548.     [o_mi_fwd setTitle: _NS("Step Forward")];
  549.     [o_mi_bwd setTitle: _NS("Step Backward")];
  550.     [o_mi_program setTitle: _NS("Program")];
  551.     [o_mu_program setTitle: _NS("Program")];
  552.     [o_mi_title setTitle: _NS("Title")];
  553.     [o_mu_title setTitle: _NS("Title")];
  554.     [o_mi_chapter setTitle: _NS("Chapter")];
  555.     [o_mu_chapter setTitle: _NS("Chapter")];
  556.     [o_mu_audio setTitle: _NS("Audio")];
  557.     [o_mi_vol_up setTitle: _NS("Increase Volume")];
  558.     [o_mi_vol_down setTitle: _NS("Decrease Volume")];
  559.     [o_mi_mute setTitle: _NS("Mute")];
  560.     [o_mi_audiotrack setTitle: _NS("Audio Track")];
  561.     [o_mu_audiotrack setTitle: _NS("Audio Track")];
  562.     [o_mi_channels setTitle: _NS("Audio Channels")];
  563.     [o_mu_channels setTitle: _NS("Audio Channels")];
  564.     [o_mi_device setTitle: _NS("Audio Device")];
  565.     [o_mu_device setTitle: _NS("Audio Device")];
  566.     [o_mi_visual setTitle: _NS("Visualizations")];
  567.     [o_mu_visual setTitle: _NS("Visualizations")];
  568.     [o_mu_video setTitle: _NS("Video")];
  569.     [o_mi_half_window setTitle: _NS("Half Size")];
  570.     [o_mi_normal_window setTitle: _NS("Normal Size")];
  571.     [o_mi_double_window setTitle: _NS("Double Size")];
  572.     [o_mi_fittoscreen setTitle: _NS("Fit to Screen")];
  573.     [o_mi_fullscreen setTitle: _NS("Fullscreen")];
  574.     [o_mi_floatontop setTitle: _NS("Float on Top")];
  575.     [o_mi_snapshot setTitle: _NS("Snapshot")];
  576.     [o_mi_videotrack setTitle: _NS("Video Track")];
  577.     [o_mu_videotrack setTitle: _NS("Video Track")];
  578.     [o_mi_aspect_ratio setTitle: _NS("Aspect-ratio")];
  579.     [o_mu_aspect_ratio setTitle: _NS("Aspect-ratio")];
  580.     [o_mi_crop setTitle: _NS("Crop")];
  581.     [o_mu_crop setTitle: _NS("Crop")];
  582.     [o_mi_screen setTitle: _NS("Fullscreen Video Device")];
  583.     [o_mu_screen setTitle: _NS("Fullscreen Video Device")];
  584.     [o_mi_subtitle setTitle: _NS("Subtitles Track")];
  585.     [o_mu_subtitle setTitle: _NS("Subtitles Track")];
  586.     [o_mi_addSub setTitle: _NS("Open File...")];
  587.     [o_mi_deinterlace setTitle: _NS("Deinterlace")];
  588.     [o_mu_deinterlace setTitle: _NS("Deinterlace")];
  589.     [o_mi_ffmpeg_pp setTitle: _NS("Post processing")];
  590.     [o_mu_ffmpeg_pp setTitle: _NS("Post processing")];
  591.     [o_mi_teletext setTitle: _NS("Teletext")];
  592.     [o_mi_teletext_transparent setTitle: _NS("Transparent")];
  593.     [o_mi_teletext_index setTitle: _NS("Index")];
  594.     [o_mi_teletext_red setTitle: _NS("Red")];
  595.     [o_mi_teletext_green setTitle: _NS("Green")];
  596.     [o_mi_teletext_yellow setTitle: _NS("Yellow")];
  597.     [o_mi_teletext_blue setTitle: _NS("Blue")];
  598.     [o_mu_window setTitle: _NS("Window")];
  599.     [o_mi_minimize setTitle: _NS("Minimize Window")];
  600.     [o_mi_close_window setTitle: _NS("Close Window")];
  601.     [o_mi_controller setTitle: _NS("Controller...")];
  602.     [o_mi_equalizer setTitle: _NS("Equalizer...")];
  603.     [o_mi_extended setTitle: _NS("Extended Controls...")];
  604.     [o_mi_bookmarks setTitle: _NS("Bookmarks...")];
  605.     [o_mi_playlist setTitle: _NS("Playlist...")];
  606.     [o_mi_info setTitle: _NS("Media Information...")];
  607.     [o_mi_messages setTitle: _NS("Messages...")];
  608.     [o_mi_errorsAndWarnings setTitle: _NS("Errors and Warnings...")];
  609.     [o_mi_bring_atf setTitle: _NS("Bring All to Front")];
  610.     [o_mu_help setTitle: _NS("Help")];
  611.     [o_mi_help setTitle: _NS("VLC media player Help...")];
  612.     [o_mi_readme setTitle: _NS("ReadMe / FAQ...")];
  613.     [o_mi_license setTitle: _NS("License")];
  614.     [o_mi_documentation setTitle: _NS("Online Documentation...")];
  615.     [o_mi_website setTitle: _NS("VideoLAN Website...")];
  616.     [o_mi_donation setTitle: _NS("Make a donation...")];
  617.     [o_mi_forum setTitle: _NS("Online Forum...")];
  618.     /* dock menu */
  619.     [o_dmi_play setTitle: _NS("Play")];
  620.     [o_dmi_stop setTitle: _NS("Stop")];
  621.     [o_dmi_next setTitle: _NS("Next")];
  622.     [o_dmi_previous setTitle: _NS("Previous")];
  623.     [o_dmi_mute setTitle: _NS("Mute")];
  624.  
  625.     /* vout menu */
  626.     [o_vmi_play setTitle: _NS("Play")];
  627.     [o_vmi_stop setTitle: _NS("Stop")];
  628.     [o_vmi_prev setTitle: _NS("Previous")];
  629.     [o_vmi_next setTitle: _NS("Next")];
  630.     [o_vmi_volup setTitle: _NS("Volume Up")];
  631.     [o_vmi_voldown setTitle: _NS("Volume Down")];
  632.     [o_vmi_mute setTitle: _NS("Mute")];
  633.     [o_vmi_fullscreen setTitle: _NS("Fullscreen")];
  634.     [o_vmi_snapshot setTitle: _NS("Snapshot")];
  635.     /* crash reporter panel */
  636.     [o_crashrep_send_btn setTitle: _NS("Send")];
  637.     [o_crashrep_dontSend_btn setTitle: _NS("Don't Send")];
  638.     [o_crashrep_title_txt setStringValue: _NS("VLC crashed previously")];
  639.     [o_crashrep_win setTitle: _NS("VLC crashed previously")];
  640.     [o_crashrep_desc_txt setStringValue: _NS("Do you want to send details on the crash to VLC's development team?nnIf you want, you can enter a few lines on what you did before VLC crashed along with other helpful information: a link to download a sample file, a URL of a network stream, ...")];
  641.     [o_crashrep_includeEmail_ckb setTitle: _NS("I agree to be possibly contacted about this bugreport.")];
  642.     [o_crashrep_includeEmail_txt setStringValue: _NS("Only your default E-Mail address will be submitted, including no further information.")];
  643. }
  644. #pragma mark -
  645. #pragma mark Termination
  646. - (void)releaseRepresentedObjects:(NSMenu *)the_menu
  647. {
  648.     if( !p_intf ) return;
  649.     NSArray *menuitems_array = [the_menu itemArray];
  650.     for( int i=0; i<[menuitems_array count]; i++ )
  651.     {
  652.         NSMenuItem *one_item = [menuitems_array objectAtIndex: i];
  653.         if( [one_item hasSubmenu] )
  654.             [self releaseRepresentedObjects: [one_item submenu]];
  655.         [one_item setRepresentedObject:NULL];
  656.     }
  657. }
  658. - (void)applicationWillTerminate:(NSNotification *)notification
  659. {
  660.     playlist_t * p_playlist;
  661.     vout_thread_t * p_vout;
  662.     int returnedValue = 0;
  663.  
  664.     if( !p_intf ) return;
  665.     msg_Dbg( p_intf, "Terminating" );
  666.     /* Make sure the manage_thread won't call -terminate: again */
  667.     pthread_cancel( manage_thread );
  668.     /* Make sure the intf object is getting killed */
  669.     vlc_object_kill( p_intf );
  670.     /* Make sure our manage_thread ends */
  671.     pthread_join( manage_thread, NULL );
  672.     /* Make sure the interfaceTimer is destroyed */
  673.     [interfaceTimer invalidate];
  674.     [interfaceTimer release];
  675.     interfaceTimer = nil;
  676.     /* make sure that the current volume is saved */
  677.     config_PutInt( p_intf->p_libvlc, "volume", i_lastShownVolume );
  678.     /* save the prefs if they were changed in the extended panel */
  679.     if(o_extended && [o_extended configChanged])
  680.     {
  681.         [o_extended savePrefs];
  682.     }
  683.     /* unsubscribe from the interactive dialogues */
  684.     dialog_Unregister( p_intf );
  685.     var_DelCallback( p_intf, "dialog-error", DialogCallback, self );
  686.     var_DelCallback( p_intf, "dialog-critical", DialogCallback, self );
  687.     var_DelCallback( p_intf, "dialog-login", DialogCallback, self );
  688.     var_DelCallback( p_intf, "dialog-question", DialogCallback, self );
  689.     var_DelCallback( p_intf, "dialog-progress-bar", DialogCallback, self );
  690.     /* remove global observer watching for vout device changes correctly */
  691.     [[NSNotificationCenter defaultCenter] removeObserver: self];
  692.     /* release some other objects here, because it isn't sure whether dealloc
  693.      * will be called later on */
  694.     if( nib_about_loaded )
  695.         [o_about release];
  696.     if( nib_prefs_loaded )
  697.     {
  698.         [o_sprefs release];
  699.         [o_prefs release];
  700.     }
  701.     if( nib_open_loaded )
  702.         [o_open release];
  703.     if( nib_extended_loaded )
  704.     {
  705.         [o_extended release];
  706.     }
  707.     if( nib_bookmarks_loaded )
  708.         [o_bookmarks release];
  709.     if( o_info )
  710.     {
  711.         [o_info stopTimers];
  712.         [o_info release];
  713.     }
  714.     if( nib_wizard_loaded )
  715.         [o_wizard release];
  716. #ifdef UPDATE_CHECK
  717.     [o_update release]; 
  718. #endif
  719.     [crashLogURLConnection cancel];
  720.     [crashLogURLConnection release];
  721.  
  722.     [o_embedded_list release];
  723.     [o_coredialogs release];
  724.     [o_eyetv release];
  725.     [o_img_pause_pressed release];
  726.     [o_img_play_pressed release];
  727.     [o_img_pause release];
  728.     [o_img_play release];
  729.     /* unsubscribe from libvlc's debug messages */
  730.     msg_Unsubscribe( p_intf->p_sys->p_sub );
  731.     [o_msg_arr removeAllObjects];
  732.     [o_msg_arr release];
  733.     [o_msg_lock release];
  734.     /* write cached user defaults to disk */
  735.     [[NSUserDefaults standardUserDefaults] synchronize];
  736.     /* Make sure the Menu doesn't have any references to vlc objects anymore */
  737.     [self releaseRepresentedObjects:[NSApp mainMenu]];
  738.     /* Kill the playlist, so that it doesn't accept new request
  739.      * such as the play request from vlc.c (we are a blocking interface). */
  740.     p_playlist = pl_Hold( p_intf );
  741.     vlc_object_kill( p_playlist );
  742.     pl_Release( p_intf );
  743.     libvlc_Quit( p_intf->p_libvlc );
  744.     [self setIntf:nil];
  745.     /* Go back to Run() and make libvlc exit properly */
  746.     if( jmpbuffer )
  747.         longjmp( jmpbuffer, 1 );
  748.     /* not reached */
  749. }
  750. #pragma mark -
  751. #pragma mark Toolbar delegate
  752. /* Our item identifiers */
  753. static NSString * VLCToolbarMediaControl     = @"VLCToolbarMediaControl";
  754. - (NSArray *)toolbarAllowedItemIdentifiers:(NSToolbar *)toolbar
  755. {
  756.     return [NSArray arrayWithObjects:
  757. //                        NSToolbarCustomizeToolbarItemIdentifier,
  758. //                        NSToolbarFlexibleSpaceItemIdentifier,
  759. //                        NSToolbarSpaceItemIdentifier,
  760. //                        NSToolbarSeparatorItemIdentifier,
  761.                         VLCToolbarMediaControl,
  762.                         nil ];
  763. }
  764. - (NSArray *) toolbarDefaultItemIdentifiers: (NSToolbar *) toolbar
  765. {
  766.     return [NSArray arrayWithObjects:
  767.                         VLCToolbarMediaControl,
  768.                         nil ];
  769. }
  770. - (NSToolbarItem *) toolbar:(NSToolbar *)toolbar itemForItemIdentifier:(NSString *)itemIdentifier willBeInsertedIntoToolbar:(BOOL)flag
  771. {
  772.     NSToolbarItem *toolbarItem = [[[NSToolbarItem alloc] initWithItemIdentifier: itemIdentifier] autorelease];
  773.     if( [itemIdentifier isEqual: VLCToolbarMediaControl] )
  774.     {
  775.         [toolbarItem setLabel:@"Media Controls"];
  776.         [toolbarItem setPaletteLabel:@"Media Controls"];
  777.         NSSize size = toolbarMediaControl.frame.size;
  778.         [toolbarItem setView:toolbarMediaControl];
  779.         [toolbarItem setMinSize:size];
  780.         size.width += 1000.;
  781.         [toolbarItem setMaxSize:size];
  782.         // Hack: For some reason we need to make sure
  783.         // that the those element are on top
  784.         // Add them again will put them frontmost
  785.         [toolbarMediaControl addSubview:o_scrollfield];
  786.         [toolbarMediaControl addSubview:o_timeslider];
  787.         [toolbarMediaControl addSubview:o_timefield];
  788.         [toolbarMediaControl addSubview:o_main_pgbar];
  789.         /* TODO: setup a menu */
  790.     }
  791.     else
  792.     {
  793.         /* itemIdentifier referred to a toolbar item that is not
  794.          * provided or supported by us or Cocoa
  795.          * Returning nil will inform the toolbar
  796.          * that this kind of item is not supported */
  797.         toolbarItem = nil;
  798.     }
  799.     return toolbarItem;
  800. }
  801. #pragma mark -
  802. #pragma mark Other notification
  803. - (void)controlTintChanged
  804. {
  805.     BOOL b_playing = NO;
  806.     
  807.     if( [o_btn_play alternateImage] == o_img_play_pressed )
  808.         b_playing = YES;
  809.     
  810.     if( [NSColor currentControlTint] == NSGraphiteControlTint )
  811.     {
  812.         o_img_play_pressed = [NSImage imageNamed: @"play_graphite"];
  813.         o_img_pause_pressed = [NSImage imageNamed: @"pause_graphite"];
  814.         
  815.         [o_btn_prev setAlternateImage: [NSImage imageNamed: @"previous_graphite"]];
  816.         [o_btn_rewind setAlternateImage: [NSImage imageNamed: @"skip_previous_graphite"]];
  817.         [o_btn_stop setAlternateImage: [NSImage imageNamed: @"stop_graphite"]];
  818.         [o_btn_ff setAlternateImage: [NSImage imageNamed: @"skip_forward_graphite"]];
  819.         [o_btn_next setAlternateImage: [NSImage imageNamed: @"next_graphite"]];
  820.         [o_btn_fullscreen setAlternateImage: [NSImage imageNamed: @"fullscreen_graphite"]];
  821.         [o_btn_playlist setAlternateImage: [NSImage imageNamed: @"playlistdrawer_graphite"]];
  822.         [o_btn_equalizer setAlternateImage: [NSImage imageNamed: @"equalizerdrawer_graphite"]];
  823.     }
  824.     else
  825.     {
  826.         o_img_play_pressed = [NSImage imageNamed: @"play_blue"];
  827.         o_img_pause_pressed = [NSImage imageNamed: @"pause_blue"];
  828.         
  829.         [o_btn_prev setAlternateImage: [NSImage imageNamed: @"previous_blue"]];
  830.         [o_btn_rewind setAlternateImage: [NSImage imageNamed: @"skip_previous_blue"]];
  831.         [o_btn_stop setAlternateImage: [NSImage imageNamed: @"stop_blue"]];
  832.         [o_btn_ff setAlternateImage: [NSImage imageNamed: @"skip_forward_blue"]];
  833.         [o_btn_next setAlternateImage: [NSImage imageNamed: @"next_blue"]];
  834.         [o_btn_fullscreen setAlternateImage: [NSImage imageNamed: @"fullscreen_blue"]];
  835.         [o_btn_playlist setAlternateImage: [NSImage imageNamed: @"playlistdrawer_blue"]];
  836.         [o_btn_equalizer setAlternateImage: [NSImage imageNamed: @"equalizerdrawer_blue"]];
  837.     }
  838.     
  839.     if( b_playing )
  840.         [o_btn_play setAlternateImage: o_img_play_pressed];
  841.     else
  842.         [o_btn_play setAlternateImage: o_img_pause_pressed];
  843. }
  844. /* Listen to the remote in exclusive mode, only when VLC is the active
  845.    application */
  846. - (void)applicationDidBecomeActive:(NSNotification *)aNotification
  847. {
  848.     if( !p_intf ) return;
  849.     [o_remote startListening: self];
  850. }
  851. - (void)applicationDidResignActive:(NSNotification *)aNotification
  852. {
  853.     if( !p_intf ) return;
  854.     [o_remote stopListening: self];
  855. }
  856. /* Triggered when the computer goes to sleep */
  857. - (void)computerWillSleep: (NSNotification *)notification
  858. {
  859.     /* Pause */
  860.     if( p_intf && p_intf->p_sys->i_play_status == PLAYING_S )
  861.     {
  862.         vlc_value_t val;
  863.         val.i_int = config_GetInt( p_intf, "key-play-pause" );
  864.         var_Set( p_intf->p_libvlc, "key-pressed", val );
  865.     }
  866. }
  867. #pragma mark -
  868. #pragma mark File opening
  869. - (BOOL)application:(NSApplication *)o_app openFile:(NSString *)o_filename
  870. {
  871.     BOOL b_autoplay = config_GetInt( VLCIntf, "macosx-autoplay" );
  872.     NSDictionary *o_dic = [NSDictionary dictionaryWithObjectsAndKeys: o_filename, @"ITEM_URL", nil];
  873.     if( b_autoplay )
  874.         [o_playlist appendArray: [NSArray arrayWithObject: o_dic] atPos: -1 enqueue: NO];
  875.     else
  876.         [o_playlist appendArray: [NSArray arrayWithObject: o_dic] atPos: -1 enqueue: YES];
  877.     return( TRUE );
  878. }
  879. /* When user click in the Dock icon our double click in the finder */
  880. - (BOOL)applicationShouldHandleReopen:(NSApplication *)theApplication hasVisibleWindows:(BOOL)hasVisibleWindows
  881. {    
  882.     if(!hasVisibleWindows)
  883.         [o_window makeKeyAndOrderFront:self];
  884.     return YES;
  885. }
  886. #pragma mark -
  887. #pragma mark Apple Remote Control
  888. /* Helper method for the remote control interface in order to trigger forward/backward and volume
  889.    increase/decrease as long as the user holds the left/right, plus/minus button */
  890. - (void) executeHoldActionForRemoteButton: (NSNumber*) buttonIdentifierNumber
  891. {
  892.     if(b_remote_button_hold)
  893.     {
  894.         switch([buttonIdentifierNumber intValue])
  895.         {
  896.             case kRemoteButtonRight_Hold:
  897.                   [o_controls forward: self];
  898.             break;
  899.             case kRemoteButtonLeft_Hold:
  900.                   [o_controls backward: self];
  901.             break;
  902.             case kRemoteButtonVolume_Plus_Hold:
  903.                 [o_controls volumeUp: self];
  904.             break;
  905.             case kRemoteButtonVolume_Minus_Hold:
  906.                 [o_controls volumeDown: self];
  907.             break;
  908.         }
  909.         if(b_remote_button_hold)
  910.         {
  911.             /* trigger event */
  912.             [self performSelector:@selector(executeHoldActionForRemoteButton:)
  913.                          withObject:buttonIdentifierNumber
  914.                          afterDelay:0.25];
  915.         }
  916.     }
  917. }
  918. /* Apple Remote callback */
  919. - (void) appleRemoteButton: (AppleRemoteEventIdentifier)buttonIdentifier
  920.                pressedDown: (BOOL) pressedDown
  921.                 clickCount: (unsigned int) count
  922. {
  923.     switch( buttonIdentifier )
  924.     {
  925.         case kRemoteButtonPlay:
  926.             if(count >= 2) {
  927.                 [o_controls toogleFullscreen:self];
  928.             } else {
  929.                 [o_controls play: self];
  930.             }
  931.             break;
  932.         case kRemoteButtonVolume_Plus:
  933.             [o_controls volumeUp: self];
  934.             break;
  935.         case kRemoteButtonVolume_Minus:
  936.             [o_controls volumeDown: self];
  937.             break;
  938.         case kRemoteButtonRight:
  939.             [o_controls next: self];
  940.             break;
  941.         case kRemoteButtonLeft:
  942.             [o_controls prev: self];
  943.             break;
  944.         case kRemoteButtonRight_Hold:
  945.         case kRemoteButtonLeft_Hold:
  946.         case kRemoteButtonVolume_Plus_Hold:
  947.         case kRemoteButtonVolume_Minus_Hold:
  948.             /* simulate an event as long as the user holds the button */
  949.             b_remote_button_hold = pressedDown;
  950.             if( pressedDown )
  951.             {
  952.                 NSNumber* buttonIdentifierNumber = [NSNumber numberWithInt: buttonIdentifier];
  953.                 [self performSelector:@selector(executeHoldActionForRemoteButton:)
  954.                            withObject:buttonIdentifierNumber];
  955.             }
  956.             break;
  957.         case kRemoteButtonMenu:
  958.             [o_controls showPosition: self];
  959.             break;
  960.         default:
  961.             /* Add here whatever you want other buttons to do */
  962.             break;
  963.     }
  964. }
  965. #pragma mark -
  966. #pragma mark String utility
  967. // FIXME: this has nothing to do here
  968. - (NSString *)localizedString:(const char *)psz
  969. {
  970.     NSString * o_str = nil;
  971.     if( psz != NULL )
  972.     {
  973.         o_str = [[[NSString alloc] initWithUTF8String: psz] autorelease];
  974.         if( o_str == NULL )
  975.         {
  976.             msg_Err( VLCIntf, "could not translate: %s", psz );
  977.             return( @"" );
  978.         }
  979.     }
  980.     else
  981.     {
  982.         msg_Warn( VLCIntf, "can't translate empty strings" );
  983.         return( @"" );
  984.     }
  985.     return( o_str );
  986. }
  987. - (char *)delocalizeString:(NSString *)id
  988. {
  989.     NSData * o_data = [id dataUsingEncoding: NSUTF8StringEncoding
  990.                           allowLossyConversion: NO];
  991.     char * psz_string;
  992.     if( o_data == nil )
  993.     {
  994.         o_data = [id dataUsingEncoding: NSUTF8StringEncoding
  995.                      allowLossyConversion: YES];
  996.         psz_string = malloc( [o_data length] + 1 );
  997.         [o_data getBytes: psz_string];
  998.         psz_string[ [o_data length] ] = '';
  999.         msg_Err( VLCIntf, "cannot convert to the requested encoding: %s",
  1000.                  psz_string );
  1001.     }
  1002.     else
  1003.     {
  1004.         psz_string = malloc( [o_data length] + 1 );
  1005.         [o_data getBytes: psz_string];
  1006.         psz_string[ [o_data length] ] = '';
  1007.     }
  1008.     return psz_string;
  1009. }
  1010. /* i_width is in pixels */
  1011. - (NSString *)wrapString: (NSString *)o_in_string toWidth: (int) i_width
  1012. {
  1013.     NSMutableString *o_wrapped;
  1014.     NSString *o_out_string;
  1015.     NSRange glyphRange, effectiveRange, charRange;
  1016.     NSRect lineFragmentRect;
  1017.     unsigned glyphIndex, breaksInserted = 0;
  1018.     NSTextStorage *o_storage = [[NSTextStorage alloc] initWithString: o_in_string
  1019.         attributes: [NSDictionary dictionaryWithObjectsAndKeys:
  1020.         [NSFont labelFontOfSize: 0.0], NSFontAttributeName, nil]];
  1021.     NSLayoutManager *o_layout_manager = [[NSLayoutManager alloc] init];
  1022.     NSTextContainer *o_container = [[NSTextContainer alloc]
  1023.         initWithContainerSize: NSMakeSize(i_width, 2000)];
  1024.     [o_layout_manager addTextContainer: o_container];
  1025.     [o_container release];
  1026.     [o_storage addLayoutManager: o_layout_manager];
  1027.     [o_layout_manager release];
  1028.     o_wrapped = [o_in_string mutableCopy];
  1029.     glyphRange = [o_layout_manager glyphRangeForTextContainer: o_container];
  1030.     for( glyphIndex = glyphRange.location ; glyphIndex < NSMaxRange(glyphRange) ;
  1031.             glyphIndex += effectiveRange.length) {
  1032.         lineFragmentRect = [o_layout_manager lineFragmentRectForGlyphAtIndex: glyphIndex
  1033.                                             effectiveRange: &effectiveRange];
  1034.         charRange = [o_layout_manager characterRangeForGlyphRange: effectiveRange
  1035.                                     actualGlyphRange: &effectiveRange];
  1036.         if([o_wrapped lineRangeForRange:
  1037.                 NSMakeRange(charRange.location + breaksInserted, charRange.length)].length > charRange.length) {
  1038.             [o_wrapped insertString: @"n" atIndex: NSMaxRange(charRange) + breaksInserted];
  1039.             breaksInserted++;
  1040.         }
  1041.     }
  1042.     o_out_string = [NSString stringWithString: o_wrapped];
  1043.     [o_wrapped release];
  1044.     [o_storage release];
  1045.     return o_out_string;
  1046. }
  1047. #pragma mark -
  1048. #pragma mark Key Shortcuts
  1049. static struct
  1050. {
  1051.     unichar i_nskey;
  1052.     unsigned int i_vlckey;
  1053. } nskeys_to_vlckeys[] =
  1054. {
  1055.     { NSUpArrowFunctionKey, KEY_UP },
  1056.     { NSDownArrowFunctionKey, KEY_DOWN },
  1057.     { NSLeftArrowFunctionKey, KEY_LEFT },
  1058.     { NSRightArrowFunctionKey, KEY_RIGHT },
  1059.     { NSF1FunctionKey, KEY_F1 },
  1060.     { NSF2FunctionKey, KEY_F2 },
  1061.     { NSF3FunctionKey, KEY_F3 },
  1062.     { NSF4FunctionKey, KEY_F4 },
  1063.     { NSF5FunctionKey, KEY_F5 },
  1064.     { NSF6FunctionKey, KEY_F6 },
  1065.     { NSF7FunctionKey, KEY_F7 },
  1066.     { NSF8FunctionKey, KEY_F8 },
  1067.     { NSF9FunctionKey, KEY_F9 },
  1068.     { NSF10FunctionKey, KEY_F10 },
  1069.     { NSF11FunctionKey, KEY_F11 },
  1070.     { NSF12FunctionKey, KEY_F12 },
  1071.     { NSInsertFunctionKey, KEY_INSERT },
  1072.     { NSHomeFunctionKey, KEY_HOME },
  1073.     { NSEndFunctionKey, KEY_END },
  1074.     { NSPageUpFunctionKey, KEY_PAGEUP },
  1075.     { NSPageDownFunctionKey, KEY_PAGEDOWN },
  1076.     { NSMenuFunctionKey, KEY_MENU },
  1077.     { NSTabCharacter, KEY_TAB },
  1078.     { NSCarriageReturnCharacter, KEY_ENTER },
  1079.     { NSEnterCharacter, KEY_ENTER },
  1080.     { NSBackspaceCharacter, KEY_BACKSPACE },
  1081.     { (unichar) ' ', KEY_SPACE },
  1082.     { (unichar) 0x1b, KEY_ESC },
  1083.     {0,0}
  1084. };
  1085. static unichar VLCKeyToCocoa( unsigned int i_key )
  1086. {
  1087.     unsigned int i;
  1088.     for( i = 0; nskeys_to_vlckeys[i].i_vlckey != 0; i++ )
  1089.     {
  1090.         if( nskeys_to_vlckeys[i].i_vlckey == (i_key & ~KEY_MODIFIER) )
  1091.         {
  1092.             return nskeys_to_vlckeys[i].i_nskey;
  1093.         }
  1094.     }
  1095.     return (unichar)(i_key & ~KEY_MODIFIER);
  1096. }
  1097. unsigned int CocoaKeyToVLC( unichar i_key )
  1098. {
  1099.     unsigned int i;
  1100.     for( i = 0; nskeys_to_vlckeys[i].i_nskey != 0; i++ )
  1101.     {
  1102.         if( nskeys_to_vlckeys[i].i_nskey == i_key )
  1103.         {
  1104.             return nskeys_to_vlckeys[i].i_vlckey;
  1105.         }
  1106.     }
  1107.     return (unsigned int)i_key;
  1108. }
  1109. static unsigned int VLCModifiersToCocoa( unsigned int i_key )
  1110. {
  1111.     unsigned int new = 0;
  1112.     if( i_key & KEY_MODIFIER_COMMAND )
  1113.         new |= NSCommandKeyMask;
  1114.     if( i_key & KEY_MODIFIER_ALT )
  1115.         new |= NSAlternateKeyMask;
  1116.     if( i_key & KEY_MODIFIER_SHIFT )
  1117.         new |= NSShiftKeyMask;
  1118.     if( i_key & KEY_MODIFIER_CTRL )
  1119.         new |= NSControlKeyMask;
  1120.     return new;
  1121. }
  1122. /*****************************************************************************
  1123.  * hasDefinedShortcutKey: Check to see if the key press is a defined VLC
  1124.  * shortcut key.  If it is, pass it off to VLC for handling and return YES,
  1125.  * otherwise ignore it and return NO (where it will get handled by Cocoa).
  1126.  *****************************************************************************/
  1127. - (BOOL)hasDefinedShortcutKey:(NSEvent *)o_event
  1128. {
  1129.     unichar key = 0;
  1130.     vlc_value_t val;
  1131.     unsigned int i_pressed_modifiers = 0;
  1132.     const struct hotkey *p_hotkeys;
  1133.     int i;
  1134.     val.i_int = 0;
  1135.     p_hotkeys = p_intf->p_libvlc->p_hotkeys;
  1136.     i_pressed_modifiers = [o_event modifierFlags];
  1137.     if( i_pressed_modifiers & NSShiftKeyMask )
  1138.         val.i_int |= KEY_MODIFIER_SHIFT;
  1139.     if( i_pressed_modifiers & NSControlKeyMask )
  1140.         val.i_int |= KEY_MODIFIER_CTRL;
  1141.     if( i_pressed_modifiers & NSAlternateKeyMask )
  1142.         val.i_int |= KEY_MODIFIER_ALT;
  1143.     if( i_pressed_modifiers & NSCommandKeyMask )
  1144.         val.i_int |= KEY_MODIFIER_COMMAND;
  1145.     key = [[o_event charactersIgnoringModifiers] characterAtIndex: 0];
  1146.     switch( key )
  1147.     {
  1148.         case NSDeleteCharacter:
  1149.         case NSDeleteFunctionKey:
  1150.         case NSDeleteCharFunctionKey:
  1151.         case NSBackspaceCharacter:
  1152.         case NSUpArrowFunctionKey:
  1153.         case NSDownArrowFunctionKey:
  1154.         case NSRightArrowFunctionKey:
  1155.         case NSLeftArrowFunctionKey:
  1156.         case NSEnterCharacter:
  1157.         case NSCarriageReturnCharacter:
  1158.             return NO;
  1159.     }
  1160.     val.i_int |= CocoaKeyToVLC( key );
  1161.     for( i = 0; p_hotkeys[i].psz_action != NULL; i++ )
  1162.     {
  1163.         if( p_hotkeys[i].i_key == val.i_int )
  1164.         {
  1165.             var_Set( p_intf->p_libvlc, "key-pressed", val );
  1166.             return YES;
  1167.         }
  1168.     }
  1169.     return NO;
  1170. }
  1171. #pragma mark -
  1172. #pragma mark Other objects getters
  1173. - (id)controls
  1174. {
  1175.     if( o_controls )
  1176.         return o_controls;
  1177.     return nil;
  1178. }
  1179. - (id)simplePreferences
  1180. {
  1181.     if( !o_sprefs )
  1182.         return nil;
  1183.     if( !nib_prefs_loaded )
  1184.         nib_prefs_loaded = [NSBundle loadNibNamed:@"Preferences" owner: NSApp];
  1185.     return o_sprefs;
  1186. }
  1187. - (id)preferences
  1188. {
  1189.     if( !o_prefs )
  1190.         return nil;
  1191.     if( !nib_prefs_loaded )
  1192.         nib_prefs_loaded = [NSBundle loadNibNamed:@"Preferences" owner: NSApp];
  1193.     return o_prefs;
  1194. }
  1195. - (id)playlist
  1196. {
  1197.     if( o_playlist )
  1198.         return o_playlist;
  1199.     return nil;
  1200. }
  1201. - (BOOL)isPlaylistCollapsed
  1202. {
  1203.     return ![o_btn_playlist state];
  1204. }
  1205. - (id)info
  1206. {
  1207.     if( o_info )
  1208.         return o_info;
  1209.     return nil;
  1210. }
  1211. - (id)wizard
  1212. {
  1213.     if( o_wizard )
  1214.         return o_wizard;
  1215.     return nil;
  1216. }
  1217. - (id)bookmarks
  1218. {
  1219.     if( o_bookmarks )
  1220.         return o_bookmarks;
  1221.     return nil;
  1222. }
  1223. - (id)embeddedList
  1224. {
  1225.     if( o_embedded_list )
  1226.         return o_embedded_list;
  1227.     return nil;
  1228. }
  1229. - (id)coreDialogProvider
  1230. {
  1231.     if( o_coredialogs )
  1232.         return o_coredialogs;
  1233.     return nil;
  1234. }
  1235. - (id)mainIntfPgbar
  1236. {
  1237.     if( o_main_pgbar )
  1238.         return o_main_pgbar;
  1239.     return nil;
  1240. }
  1241. - (id)controllerWindow
  1242. {
  1243.     if( o_window )
  1244.         return o_window;
  1245.     return nil;
  1246. }
  1247. - (id)voutMenu
  1248. {
  1249.     return o_vout_menu;
  1250. }
  1251. - (id)eyeTVController
  1252. {
  1253.     if( o_eyetv )
  1254.         return o_eyetv;
  1255.     return nil;
  1256. }
  1257. - (id)appleRemoteController
  1258. {
  1259. return o_remote;
  1260. }
  1261. #pragma mark -
  1262. #pragma mark Polling
  1263. /*****************************************************************************
  1264.  * ManageThread: An ugly thread that polls
  1265.  *****************************************************************************/
  1266. static void * ManageThread( void *user_data )
  1267. {
  1268.     id self = user_data;
  1269.     [self manage];
  1270.     return NULL;
  1271. }
  1272. struct manage_cleanup_stack {
  1273.     intf_thread_t * p_intf;
  1274.     input_thread_t ** p_input;
  1275.     playlist_t * p_playlist;
  1276.     id self;
  1277. };
  1278. static void manage_cleanup( void * args )
  1279. {
  1280.     struct manage_cleanup_stack * manage_cleanup_stack = args;
  1281.     intf_thread_t * p_intf = manage_cleanup_stack->p_intf;
  1282.     input_thread_t * p_input = *manage_cleanup_stack->p_input;
  1283.     id self = manage_cleanup_stack->self;
  1284.     playlist_t * p_playlist = manage_cleanup_stack->p_playlist;
  1285.     var_DelCallback( p_playlist, "item-current", PlaylistChanged, self );
  1286.     var_DelCallback( p_playlist, "intf-change", PlaylistChanged, self );
  1287.     var_DelCallback( p_playlist, "item-change", PlaylistChanged, self );
  1288.     var_DelCallback( p_playlist, "playlist-item-append", PlaylistChanged, self );
  1289.     var_DelCallback( p_playlist, "playlist-item-deleted", PlaylistChanged, self );
  1290.     pl_Release( p_intf );
  1291.     if( p_input ) vlc_object_release( p_input );
  1292. }
  1293. - (void)manage
  1294. {
  1295.     playlist_t * p_playlist;
  1296.     input_thread_t * p_input = NULL;
  1297.     /* new thread requires a new pool */
  1298.     vlc_thread_set_priority( p_intf, VLC_THREAD_PRIORITY_LOW );
  1299.     p_playlist = pl_Hold( p_intf );
  1300.     var_AddCallback( p_playlist, "item-current", PlaylistChanged, self );
  1301.     var_AddCallback( p_playlist, "intf-change", PlaylistChanged, self );
  1302.     var_AddCallback( p_playlist, "item-change", PlaylistChanged, self );
  1303.     var_AddCallback( p_playlist, "playlist-item-append", PlaylistChanged, self );
  1304.     var_AddCallback( p_playlist, "playlist-item-deleted", PlaylistChanged, self );
  1305.     struct manage_cleanup_stack stack = { p_intf, &p_input, p_playlist, self };
  1306.     pthread_cleanup_push(manage_cleanup, &stack);
  1307.     while( true )
  1308.     {
  1309.         NSAutoreleasePool * pool = [[NSAutoreleasePool alloc] init];
  1310.         if( !p_input )
  1311.         {
  1312.             p_input = playlist_CurrentInput( p_playlist );
  1313.             /* Refresh the interface */
  1314.             if( p_input )
  1315.             {
  1316.                 msg_Dbg( p_intf, "input has changed, refreshing interface" );
  1317.                 p_intf->p_sys->b_input_update = true;
  1318.             }
  1319.         }
  1320.         else if( !vlc_object_alive (p_input) || p_input->b_dead )
  1321.         {
  1322.             /* input stopped */
  1323.             p_intf->p_sys->b_intf_update = true;
  1324.             p_intf->p_sys->i_play_status = END_S;
  1325.             msg_Dbg( p_intf, "input has stopped, refreshing interface" );
  1326.             vlc_object_release( p_input );
  1327.             p_input = NULL;
  1328.         }
  1329.         else if( cachedInputState != input_GetState( p_input ) )
  1330.         {
  1331.             p_intf->p_sys->b_intf_update = true;
  1332.         }
  1333.         /* Manage volume status */
  1334.         [self manageVolumeSlider];
  1335.         msleep( INTF_IDLE_SLEEP );
  1336.         [pool release];
  1337.     }
  1338.     pthread_cleanup_pop(1);
  1339.     msg_Dbg( p_intf, "Killing the Mac OS X module" );
  1340.     /* We are dead, terminate */
  1341.     [NSApp performSelectorOnMainThread: @selector(terminate:) withObject:nil waitUntilDone:NO];
  1342. }
  1343. - (void)manageVolumeSlider
  1344. {
  1345.     audio_volume_t i_volume;
  1346.     aout_VolumeGet( p_intf, &i_volume );
  1347.     if( i_volume != i_lastShownVolume )
  1348.     {
  1349.         i_lastShownVolume = i_volume;
  1350.         p_intf->p_sys->b_volume_update = TRUE;
  1351.     }
  1352. }
  1353. - (void)manageIntf:(NSTimer *)o_timer
  1354. {
  1355.     vlc_value_t val;
  1356.     playlist_t * p_playlist;
  1357.     input_thread_t * p_input;
  1358.     if( p_intf->p_sys->b_input_update )
  1359.     {
  1360.         /* Called when new input is opened */
  1361.         p_intf->p_sys->b_current_title_update = true;
  1362.         p_intf->p_sys->b_intf_update = true;
  1363.         p_intf->p_sys->b_input_update = false;
  1364.         [self setupMenus]; /* Make sure input menu is up to date */
  1365.         /* update our info-panel to reflect the new item, if we don't show
  1366.          * the playlist or the selection is empty */
  1367.         if( [self isPlaylistCollapsed] == YES )
  1368.         {
  1369.             playlist_t * p_playlist = pl_Hold( p_intf );
  1370.             PL_LOCK;
  1371.             playlist_item_t * p_item = playlist_CurrentPlayingItem( p_playlist );
  1372.             PL_UNLOCK;
  1373.             if( p_item )
  1374.                 [[self info] updatePanelWithItem: p_item->p_input];
  1375.             pl_Release( p_intf );
  1376.         }
  1377.     }
  1378.     if( p_intf->p_sys->b_intf_update )
  1379.     {
  1380.         bool b_input = false;
  1381.         bool b_plmul = false;
  1382.         bool b_control = false;
  1383.         bool b_seekable = false;
  1384.         bool b_chapters = false;
  1385.         playlist_t * p_playlist = pl_Hold( p_intf );
  1386.         PL_LOCK;
  1387.         b_plmul = playlist_CurrentSize( p_playlist ) > 1;
  1388.         PL_UNLOCK;
  1389.         p_input = playlist_CurrentInput( p_playlist );
  1390.         bool b_buffering = NO;
  1391.     
  1392.         if( ( b_input = ( p_input != NULL ) ) )
  1393.         {
  1394.             /* seekable streams */
  1395.             cachedInputState = input_GetState( p_input );
  1396.             if ( cachedInputState == INIT_S ||
  1397.                  cachedInputState == OPENING_S )
  1398.             {
  1399.                 b_buffering = YES;
  1400.             }
  1401.             /* seekable streams */
  1402.             b_seekable = var_GetBool( p_input, "can-seek" );
  1403.             /* check whether slow/fast motion is possible */
  1404.             b_control = var_GetBool( p_input, "can-rate" );
  1405.             /* chapters & titles */
  1406.             //b_chapters = p_input->stream.i_area_nb > 1;
  1407.             vlc_object_release( p_input );
  1408.         }
  1409.         pl_Release( p_intf );
  1410.         if( b_buffering )
  1411.         {
  1412.             [o_main_pgbar startAnimation:self];
  1413.             [o_main_pgbar setIndeterminate:YES];
  1414.             [o_main_pgbar setHidden:NO];
  1415.         }
  1416.         else
  1417.         {
  1418.             [o_main_pgbar stopAnimation:self];
  1419.             [o_main_pgbar setHidden:YES];
  1420.         }
  1421.         [o_btn_stop setEnabled: b_input];
  1422.         [o_btn_ff setEnabled: b_seekable];
  1423.         [o_btn_rewind setEnabled: b_seekable];
  1424.         [o_btn_prev setEnabled: (b_plmul || b_chapters)];
  1425.         [o_btn_next setEnabled: (b_plmul || b_chapters)];
  1426.         [o_timeslider setFloatValue: 0.0];
  1427.         [o_timeslider setEnabled: b_seekable];
  1428.         [o_timefield setStringValue: @"00:00"];
  1429.         [[[self controls] fspanel] setStreamPos: 0 andTime: @"00:00"];
  1430.         [[[self controls] fspanel] setSeekable: b_seekable];
  1431.         [o_embedded_window setSeekable: b_seekable];
  1432.         p_intf->p_sys->b_current_title_update = true;
  1433.         
  1434.         p_intf->p_sys->b_intf_update = false;
  1435.     }
  1436.     if( p_intf->p_sys->b_playmode_update )
  1437.     {
  1438.         [o_playlist playModeUpdated];
  1439.         p_intf->p_sys->b_playmode_update = false;
  1440.     }
  1441.     if( p_intf->p_sys->b_playlist_update )
  1442.     {
  1443.         [o_playlist playlistUpdated];
  1444.         p_intf->p_sys->b_playlist_update = false;
  1445.     }
  1446.     if( p_intf->p_sys->b_fullscreen_update )
  1447.     {
  1448.         p_intf->p_sys->b_fullscreen_update = false;
  1449.     }
  1450.     if( p_intf->p_sys->b_intf_show )
  1451.     {
  1452.         if( [[o_controls voutView] isFullscreen] && config_GetInt( VLCIntf, "macosx-fspanel" ) )
  1453.             [[o_controls fspanel] fadeIn];
  1454.         else
  1455.             [o_window makeKeyAndOrderFront: self];
  1456.         p_intf->p_sys->b_intf_show = false;
  1457.     }
  1458.     p_input = pl_CurrentInput( p_intf );
  1459.     if( p_input && vlc_object_alive (p_input) )
  1460.     {
  1461.         vlc_value_t val;
  1462.         if( p_intf->p_sys->b_current_title_update )
  1463.         {
  1464.             NSString *aString;
  1465.             input_item_t * p_item = input_GetItem( p_input );
  1466.             char * name = input_item_GetNowPlaying( p_item );
  1467.             if( !name )
  1468.                 name = input_item_GetName( p_item );
  1469.             aString = [NSString stringWithUTF8String:name];
  1470.             free(name);
  1471.             [self setScrollField: aString stopAfter:-1];
  1472.             [[[self controls] fspanel] setStreamTitle: aString];
  1473.             [[o_controls voutView] updateTitle];
  1474.  
  1475.             [o_playlist updateRowSelection];
  1476.             p_intf->p_sys->b_current_title_update = FALSE;
  1477.         }
  1478.         if( [o_timeslider isEnabled] )
  1479.         {
  1480.             /* Update the slider */
  1481.             vlc_value_t time;
  1482.             NSString * o_time;
  1483.             vlc_value_t pos;
  1484.             char psz_time[MSTRTIME_MAX_SIZE];
  1485.             float f_updated;
  1486.             var_Get( p_input, "position", &pos );
  1487.             f_updated = 10000. * pos.f_float;
  1488.             [o_timeslider setFloatValue: f_updated];
  1489.             var_Get( p_input, "time", &time );
  1490.             mtime_t dur = input_item_GetDuration( input_GetItem( p_input ) );
  1491.             if( b_time_remaining && dur != -1 )
  1492.             {
  1493.                 o_time = [NSString stringWithFormat: @"-%s", secstotimestr( psz_time, ((dur - time.i_time) / 1000000))];
  1494.             }
  1495.             else
  1496.                 o_time = [NSString stringWithUTF8String: secstotimestr( psz_time, (time.i_time / 1000000) )];
  1497.             [o_timefield setStringValue: o_time];
  1498.             [[[self controls] fspanel] setStreamPos: f_updated andTime: o_time];
  1499.             [o_embedded_window setTime: o_time position: f_updated];
  1500.         }
  1501.         /* Manage Playing status */
  1502.         var_Get( p_input, "state", &val );
  1503.         if( p_intf->p_sys->i_play_status != val.i_int )
  1504.         {
  1505.             p_intf->p_sys->i_play_status = val.i_int;
  1506.             [self playStatusUpdated: p_intf->p_sys->i_play_status];
  1507.             [o_embedded_window playStatusUpdated: p_intf->p_sys->i_play_status];
  1508.         }
  1509.         vlc_object_release( p_input );
  1510.     }
  1511.     else if( p_input )
  1512.     {
  1513.         vlc_object_release( p_input );
  1514.     }
  1515.     else
  1516.     {
  1517.         p_intf->p_sys->i_play_status = END_S;
  1518.         [self playStatusUpdated: p_intf->p_sys->i_play_status];
  1519.         [o_embedded_window playStatusUpdated: p_intf->p_sys->i_play_status];
  1520.         [self setSubmenusEnabled: FALSE];
  1521.     }
  1522.     if( p_intf->p_sys->b_volume_update )
  1523.     {
  1524.         NSString *o_text;
  1525.         int i_volume_step = 0;
  1526.         o_text = [NSString stringWithFormat: _NS("Volume: %d%%"), i_lastShownVolume * 400 / AOUT_VOLUME_MAX];
  1527.         if( i_lastShownVolume != -1 )
  1528.         [self setScrollField:o_text stopAfter:1000000];
  1529.         i_volume_step = config_GetInt( p_intf->p_libvlc, "volume-step" );
  1530.         [o_volumeslider setFloatValue: (float)i_lastShownVolume / i_volume_step];
  1531.         [o_volumeslider setEnabled: TRUE];
  1532.         [[[self controls] fspanel] setVolumeLevel: (float)i_lastShownVolume / i_volume_step];
  1533.         p_intf->p_sys->b_mute = ( i_lastShownVolume == 0 );
  1534.         p_intf->p_sys->b_volume_update = FALSE;
  1535.     }
  1536. end:
  1537.     [self updateMessageDisplay];
  1538.     if( ((i_end_scroll != -1) && (mdate() > i_end_scroll)) || !p_input )
  1539.         [self resetScrollField];
  1540.     [interfaceTimer autorelease];
  1541.     interfaceTimer = [[NSTimer scheduledTimerWithTimeInterval: 0.3
  1542.         target: self selector: @selector(manageIntf:)
  1543.         userInfo: nil repeats: FALSE] retain];
  1544. }
  1545. #pragma mark -
  1546. #pragma mark Interface update
  1547. - (void)setupMenus
  1548. {
  1549.     playlist_t * p_playlist = pl_Hold( p_intf );
  1550.     input_thread_t * p_input = playlist_CurrentInput( p_playlist );
  1551.     if( p_input != NULL )
  1552.     {
  1553.         [o_controls setupVarMenuItem: o_mi_program target: (vlc_object_t *)p_input
  1554.             var: "program" selector: @selector(toggleVar:)];
  1555.         [o_controls setupVarMenuItem: o_mi_title target: (vlc_object_t *)p_input
  1556.             var: "title" selector: @selector(toggleVar:)];
  1557.         [o_controls setupVarMenuItem: o_mi_chapter target: (vlc_object_t *)p_input
  1558.             var: "chapter" selector: @selector(toggleVar:)];
  1559.         [o_controls setupVarMenuItem: o_mi_audiotrack target: (vlc_object_t *)p_input
  1560.             var: "audio-es" selector: @selector(toggleVar:)];
  1561.         [o_controls setupVarMenuItem: o_mi_videotrack target: (vlc_object_t *)p_input
  1562.             var: "video-es" selector: @selector(toggleVar:)];
  1563.         [o_controls setupVarMenuItem: o_mi_subtitle target: (vlc_object_t *)p_input
  1564.             var: "spu-es" selector: @selector(toggleVar:)];
  1565.         /* special case for "Open File" inside the subtitles menu item */
  1566.         if( [o_mi_videotrack isEnabled] == YES )
  1567.             [o_mi_subtitle setEnabled: YES];
  1568.         aout_instance_t * p_aout = input_GetAout( p_input );
  1569.         if( p_aout != NULL )
  1570.         {
  1571.             [o_controls setupVarMenuItem: o_mi_channels target: (vlc_object_t *)p_aout
  1572.                 var: "audio-channels" selector: @selector(toggleVar:)];
  1573.             [o_controls setupVarMenuItem: o_mi_device target: (vlc_object_t *)p_aout
  1574.                 var: "audio-device" selector: @selector(toggleVar:)];
  1575.             [o_controls setupVarMenuItem: o_mi_visual target: (vlc_object_t *)p_aout
  1576.                 var: "visual" selector: @selector(toggleVar:)];
  1577.             vlc_object_release( (vlc_object_t *)p_aout );
  1578.         }
  1579.         vout_thread_t * p_vout = input_GetVout( p_input );
  1580.         if( p_vout != NULL )
  1581.         {
  1582.             vlc_object_t * p_dec_obj;
  1583.             [o_controls setupVarMenuItem: o_mi_aspect_ratio target: (vlc_object_t *)p_vout
  1584.                 var: "aspect-ratio" selector: @selector(toggleVar:)];
  1585.             [o_controls setupVarMenuItem: o_mi_crop target: (vlc_object_t *) p_vout
  1586.                 var: "crop" selector: @selector(toggleVar:)];
  1587.             [o_controls setupVarMenuItem: o_mi_screen target: (vlc_object_t *)p_vout
  1588.                 var: "video-device" selector: @selector(toggleVar:)];
  1589.             [o_controls setupVarMenuItem: o_mi_deinterlace target: (vlc_object_t *)p_vout
  1590.                 var: "deinterlace" selector: @selector(toggleVar:)];
  1591. #if 1
  1592.            [o_controls setupVarMenuItem: o_mi_ffmpeg_pp target:
  1593.                     (vlc_object_t *)p_vout var:"postprocess" selector:
  1594.                     @selector(toggleVar:)];
  1595. #endif
  1596.             vlc_object_release( (vlc_object_t *)p_vout );
  1597.         }
  1598.         vlc_object_release( p_input );
  1599.     }
  1600.     pl_Release( p_intf );
  1601. }
  1602. - (void)refreshVoutDeviceMenu:(NSNotification *)o_notification
  1603. {
  1604.     int x,y = 0;
  1605.     vout_thread_t * p_vout = vlc_object_find( p_intf, VLC_OBJECT_VOUT,
  1606.                                               FIND_ANYWHERE );
  1607.  
  1608.     if(! p_vout )
  1609.         return;
  1610.  
  1611.     /* clean the menu before adding new entries */
  1612.     if( [o_mi_screen hasSubmenu] )
  1613.     {
  1614.         y = [[o_mi_screen submenu] numberOfItems] - 1;
  1615.         msg_Dbg( VLCIntf, "%i items in submenu", y );
  1616.         while( x != y )
  1617.         {
  1618.             msg_Dbg( VLCIntf, "removing item %i of %i", x, y );
  1619.             [[o_mi_screen submenu] removeItemAtIndex: x];
  1620.             x++;
  1621.         }
  1622.     }
  1623.     [o_controls setupVarMenuItem: o_mi_screen target: (vlc_object_t *)p_vout
  1624.                              var: "video-device" selector: @selector(toggleVar:)];
  1625.     vlc_object_release( (vlc_object_t *)p_vout );
  1626. }
  1627. - (void)setScrollField:(NSString *)o_string stopAfter:(int)timeout
  1628. {
  1629.     if( timeout != -1 )
  1630.         i_end_scroll = mdate() + timeout;
  1631.     else
  1632.         i_end_scroll = -1;
  1633.     [o_scrollfield setStringValue: o_string];
  1634. }
  1635. - (void)resetScrollField
  1636. {
  1637.     playlist_t * p_playlist = pl_Hold( p_intf );
  1638.     input_thread_t * p_input = playlist_CurrentInput( p_playlist );
  1639.     i_end_scroll = -1;
  1640.     if( p_input && vlc_object_alive (p_input) )
  1641.     {
  1642.         NSString *o_temp;
  1643.         PL_LOCK;
  1644.         playlist_item_t * p_item = playlist_CurrentPlayingItem( p_playlist );
  1645.         if( input_item_GetNowPlaying( p_item->p_input ) )
  1646.             o_temp = [NSString stringWithUTF8String:input_item_GetNowPlaying( p_item->p_input )];
  1647.         else
  1648.             o_temp = [NSString stringWithUTF8String:p_item->p_input->psz_name];
  1649.         PL_UNLOCK;
  1650.         [self setScrollField: o_temp stopAfter:-1];
  1651.         [[[self controls] fspanel] setStreamTitle: o_temp];
  1652.         vlc_object_release( p_input );
  1653.         pl_Release( p_intf );
  1654.         return;
  1655.     }
  1656.     pl_Release( p_intf );
  1657.     [self setScrollField: _NS("VLC media player") stopAfter:-1];
  1658. }
  1659. - (void)playStatusUpdated:(int)i_status
  1660. {
  1661.     if( i_status == PLAYING_S )
  1662.     {
  1663.         [[[self controls] fspanel] setPause];
  1664.         [o_btn_play setImage: o_img_pause];
  1665.         [o_btn_play setAlternateImage: o_img_pause_pressed];
  1666.         [o_btn_play setToolTip: _NS("Pause")];
  1667.         [o_mi_play setTitle: _NS("Pause")];
  1668.         [o_dmi_play setTitle: _NS("Pause")];
  1669.         [o_vmi_play setTitle: _NS("Pause")];
  1670.     }
  1671.     else
  1672.     {
  1673.         [[[self controls] fspanel] setPlay];
  1674.         [o_btn_play setImage: o_img_play];
  1675.         [o_btn_play setAlternateImage: o_img_play_pressed];
  1676.         [o_btn_play setToolTip: _NS("Play")];
  1677.         [o_mi_play setTitle: _NS("Play")];
  1678.         [o_dmi_play setTitle: _NS("Play")];
  1679.         [o_vmi_play setTitle: _NS("Play")];
  1680.     }
  1681. }
  1682. - (void)setSubmenusEnabled:(BOOL)b_enabled
  1683. {
  1684.     [o_mi_program setEnabled: b_enabled];
  1685.     [o_mi_title setEnabled: b_enabled];
  1686.     [o_mi_chapter setEnabled: b_enabled];
  1687.     [o_mi_audiotrack setEnabled: b_enabled];
  1688.     [o_mi_visual setEnabled: b_enabled];
  1689.     [o_mi_videotrack setEnabled: b_enabled];
  1690.     [o_mi_subtitle setEnabled: b_enabled];
  1691.     [o_mi_channels setEnabled: b_enabled];
  1692.     [o_mi_deinterlace setEnabled: b_enabled];
  1693.     [o_mi_ffmpeg_pp setEnabled: b_enabled];
  1694.     [o_mi_device setEnabled: b_enabled];
  1695.     [o_mi_screen setEnabled: b_enabled];
  1696.     [o_mi_aspect_ratio setEnabled: b_enabled];
  1697.     [o_mi_crop setEnabled: b_enabled];
  1698.     [o_mi_teletext setEnabled: b_enabled];
  1699. }
  1700. - (IBAction)timesliderUpdate:(id)sender
  1701. {
  1702.     float f_updated;
  1703.     playlist_t * p_playlist;
  1704.     input_thread_t * p_input;
  1705.     switch( [[NSApp currentEvent] type] )
  1706.     {
  1707.         case NSLeftMouseUp:
  1708.         case NSLeftMouseDown:
  1709.         case NSLeftMouseDragged:
  1710.             f_updated = [sender floatValue];
  1711.             break;
  1712.         default:
  1713.             return;
  1714.     }
  1715.     p_playlist = pl_Hold( p_intf );
  1716.     p_input = playlist_CurrentInput( p_playlist );
  1717.     if( p_input != NULL )
  1718.     {
  1719.         vlc_value_t time;
  1720.         vlc_value_t pos;
  1721.         NSString * o_time;
  1722.         char psz_time[MSTRTIME_MAX_SIZE];
  1723.         pos.f_float = f_updated / 10000.;
  1724.         var_Set( p_input, "position", pos );
  1725.         [o_timeslider setFloatValue: f_updated];
  1726.         var_Get( p_input, "time", &time );
  1727.         mtime_t dur = input_item_GetDuration( input_GetItem( p_input ) );
  1728.         if( b_time_remaining && dur != -1 )
  1729.         {
  1730.             o_time = [NSString stringWithFormat: @"-%s", secstotimestr( psz_time, ((dur - time.i_time) / 1000000) )];
  1731.         }
  1732.         else
  1733.             o_time = [NSString stringWithUTF8String: secstotimestr( psz_time, (time.i_time / 1000000) )];
  1734.         [o_timefield setStringValue: o_time];
  1735.         [[[self controls] fspanel] setStreamPos: f_updated andTime: o_time];
  1736.         [o_embedded_window setTime: o_time position: f_updated];
  1737.         vlc_object_release( p_input );
  1738.     }
  1739.     pl_Release( p_intf );
  1740. }
  1741. - (IBAction)timeFieldWasClicked:(id)sender
  1742. {
  1743.     b_time_remaining = !b_time_remaining;
  1744. }
  1745.     
  1746. #pragma mark -
  1747. #pragma mark Recent Items
  1748. - (IBAction)clearRecentItems:(id)sender
  1749. {
  1750.     [[NSDocumentController sharedDocumentController]
  1751.                           clearRecentDocuments: nil];
  1752. }
  1753. - (void)openRecentItem:(id)sender
  1754. {
  1755.     [self application: nil openFile: [sender title]];
  1756. }
  1757. #pragma mark -
  1758. #pragma mark Panels
  1759. - (IBAction)intfOpenFile:(id)sender
  1760. {
  1761.     if( !nib_open_loaded )
  1762.     {
  1763.         nib_open_loaded = [NSBundle loadNibNamed:@"Open" owner: NSApp];
  1764.         [o_open awakeFromNib];
  1765.         [o_open openFile];
  1766.     } else {
  1767.         [o_open openFile];
  1768.     }
  1769. }
  1770. - (IBAction)intfOpenFileGeneric:(id)sender
  1771. {
  1772.     if( !nib_open_loaded )
  1773.     {
  1774.         nib_open_loaded = [NSBundle loadNibNamed:@"Open" owner: NSApp];
  1775.         [o_open awakeFromNib];
  1776.         [o_open openFileGeneric];
  1777.     } else {
  1778.         [o_open openFileGeneric];
  1779.     }
  1780. }
  1781. - (IBAction)intfOpenDisc:(id)sender
  1782. {
  1783.     if( !nib_open_loaded )
  1784.     {
  1785.         nib_open_loaded = [NSBundle loadNibNamed:@"Open" owner: NSApp];
  1786.         [o_open awakeFromNib];
  1787.         [o_open openDisc];
  1788.     } else {
  1789.         [o_open openDisc];
  1790.     }
  1791. }
  1792. - (IBAction)intfOpenNet:(id)sender
  1793. {
  1794.     if( !nib_open_loaded )
  1795.     {
  1796.         nib_open_loaded = [NSBundle loadNibNamed:@"Open" owner: NSApp];
  1797.         [o_open awakeFromNib];
  1798.         [o_open openNet];
  1799.     } else {
  1800.         [o_open openNet];
  1801.     }
  1802. }
  1803. - (IBAction)intfOpenCapture:(id)sender
  1804. {
  1805.     if( !nib_open_loaded )
  1806.     {
  1807.         nib_open_loaded = [NSBundle loadNibNamed:@"Open" owner: NSApp];
  1808.         [o_open awakeFromNib];
  1809.         [o_open openCapture];
  1810.     } else {
  1811.         [o_open openCapture];
  1812.     }
  1813. }
  1814. - (IBAction)showWizard:(id)sender
  1815. {
  1816.     if( !nib_wizard_loaded )
  1817.     {
  1818.         nib_wizard_loaded = [NSBundle loadNibNamed:@"Wizard" owner: NSApp];
  1819.         [o_wizard initStrings];
  1820.         [o_wizard resetWizard];
  1821.         [o_wizard showWizard];
  1822.     } else {
  1823.         [o_wizard resetWizard];
  1824.         [o_wizard showWizard];
  1825.     }
  1826. }
  1827. - (IBAction)showExtended:(id)sender
  1828. {
  1829.     if( o_extended == nil )
  1830.         o_extended = [[VLCExtended alloc] init];
  1831.     if( !nib_extended_loaded )
  1832.         nib_extended_loaded = [NSBundle loadNibNamed:@"Extended" owner: NSApp];
  1833.     [o_extended showPanel];
  1834. }
  1835. - (IBAction)showBookmarks:(id)sender
  1836. {
  1837.     /* we need the wizard-nib for the bookmarks's extract functionality */
  1838.     if( !nib_wizard_loaded )
  1839.     {
  1840.         nib_wizard_loaded = [NSBundle loadNibNamed:@"Wizard" owner: NSApp];
  1841.         [o_wizard initStrings];
  1842.     }
  1843.  
  1844.     if( !nib_bookmarks_loaded )
  1845.         nib_bookmarks_loaded = [NSBundle loadNibNamed:@"Bookmarks" owner: NSApp];
  1846.     [o_bookmarks showBookmarks];
  1847. }
  1848. - (IBAction)viewPreferences:(id)sender
  1849. {
  1850.     if( !nib_prefs_loaded )
  1851.     {
  1852.         nib_prefs_loaded = [NSBundle loadNibNamed:@"Preferences" owner: NSApp];
  1853.         o_sprefs = [[VLCSimplePrefs alloc] init];
  1854.         o_prefs= [[VLCPrefs alloc] init];
  1855.     }
  1856.     [o_sprefs showSimplePrefs];
  1857. }
  1858. #pragma mark -
  1859. #pragma mark Update
  1860. - (IBAction)checkForUpdate:(id)sender
  1861. {
  1862. #ifdef UPDATE_CHECK
  1863.     if( !nib_update_loaded )
  1864.         nib_update_loaded = [NSBundle loadNibNamed:@"Update" owner: NSApp];
  1865.     [o_update showUpdateWindow];
  1866. #else
  1867.     msg_Err( VLCIntf, "Update checker wasn't enabled in this build" );
  1868.     dialog_FatalWait( VLCIntf, _("Update check failed"), _("Checking for updates was not enabled in this build.") );
  1869. #endif
  1870. }
  1871. #pragma mark -
  1872. #pragma mark Help and Docs
  1873. - (IBAction)viewAbout:(id)sender
  1874. {
  1875.     if( !nib_about_loaded )
  1876.         nib_about_loaded = [NSBundle loadNibNamed:@"About" owner: NSApp];
  1877.     [o_about showAbout];
  1878. }
  1879. - (IBAction)showLicense:(id)sender
  1880. {
  1881.     if( !nib_about_loaded )
  1882.         nib_about_loaded = [NSBundle loadNibNamed:@"About" owner: NSApp];
  1883.     [o_about showGPL: sender];
  1884. }
  1885.     
  1886. - (IBAction)viewHelp:(id)sender
  1887. {
  1888.     if( !nib_about_loaded )
  1889.     {
  1890.         nib_about_loaded = [NSBundle loadNibNamed:@"About" owner: NSApp];
  1891.         [o_about showHelp];
  1892.     }
  1893.     else
  1894.         [o_about showHelp];
  1895. }
  1896. - (IBAction)openReadMe:(id)sender
  1897. {
  1898.     NSString * o_path = [[NSBundle mainBundle]
  1899.         pathForResource: @"README.MacOSX" ofType: @"rtf"];
  1900.     [[NSWorkspace sharedWorkspace] openFile: o_path
  1901.                                    withApplication: @"TextEdit"];
  1902. }
  1903. - (IBAction)openDocumentation:(id)sender
  1904. {
  1905.     NSURL * o_url = [NSURL URLWithString:
  1906.         @"http://www.videolan.org/doc/"];
  1907.     [[NSWorkspace sharedWorkspace] openURL: o_url];
  1908. }
  1909. - (IBAction)openWebsite:(id)sender
  1910. {
  1911.     NSURL * o_url = [NSURL URLWithString: @"http://www.videolan.org/"];
  1912.     [[NSWorkspace sharedWorkspace] openURL: o_url];
  1913. }
  1914. - (IBAction)openForum:(id)sender
  1915. {
  1916.     NSURL * o_url = [NSURL URLWithString: @"http://forum.videolan.org/"];
  1917.     [[NSWorkspace sharedWorkspace] openURL: o_url];
  1918. }
  1919. - (IBAction)openDonate:(id)sender
  1920. {
  1921.     NSURL * o_url = [NSURL URLWithString: @"http://www.videolan.org/contribute.html#paypal"];
  1922.     [[NSWorkspace sharedWorkspace] openURL: o_url];
  1923. }
  1924. #pragma mark -
  1925. #pragma mark Crash Log
  1926. - (void)sendCrashLog:(NSString *)crashLog withUserComment:(NSString *)userComment
  1927. {
  1928.     NSString *urlStr = @"http://jones.videolan.org/crashlog/sendcrashreport.php";
  1929.     NSURL *url = [NSURL URLWithString:urlStr];
  1930.     NSMutableURLRequest *req = [NSMutableURLRequest requestWithURL:url];
  1931.     [req setHTTPMethod:@"POST"];
  1932.     NSString * email;
  1933.     if( [o_crashrep_includeEmail_ckb state] == NSOnState )
  1934.     {
  1935.         ABPerson * contact = [[ABAddressBook sharedAddressBook] me];
  1936.         ABMultiValue *emails = [contact valueForProperty:kABEmailProperty];
  1937.         email = [emails valueAtIndex:[emails indexForIdentifier:
  1938.                     [emails primaryIdentifier]]];
  1939.     }
  1940.     else
  1941.         email = [NSString string];
  1942.     NSString *postBody;
  1943.     postBody = [NSString stringWithFormat:@"CrashLog=%@&Comment=%@&Email=%@rn",
  1944.             [crashLog stringByAddingPercentEscapesUsingEncoding:NSUTF8StringEncoding],
  1945.             [userComment stringByAddingPercentEscapesUsingEncoding:NSUTF8StringEncoding],
  1946.             [email stringByAddingPercentEscapesUsingEncoding:NSUTF8StringEncoding]];
  1947.     [req setHTTPBody:[postBody dataUsingEncoding:NSUTF8StringEncoding]];
  1948.     /* Released from delegate */
  1949.     crashLogURLConnection = [[NSURLConnection alloc] initWithRequest:req delegate:self];
  1950. }
  1951. - (void)connectionDidFinishLoading:(NSURLConnection *)connection
  1952. {
  1953.     [crashLogURLConnection release];
  1954.     crashLogURLConnection = nil;
  1955. }
  1956. - (void)connection:(NSURLConnection *)connection didFailWithError:(NSError *)error
  1957. {
  1958.     NSRunCriticalAlertPanel(_NS("Error when sending the Crash Report"), [error localizedDescription], @"OK", nil, nil);
  1959.     [crashLogURLConnection release];
  1960.     crashLogURLConnection = nil;
  1961. }
  1962. - (NSString *)latestCrashLogPathPreviouslySeen:(BOOL)previouslySeen
  1963. {
  1964.     NSString * crashReporter = [@"~/Library/Logs/CrashReporter" stringByExpandingTildeInPath];
  1965.     NSDirectoryEnumerator *direnum = [[NSFileManager defaultManager] enumeratorAtPath:crashReporter];
  1966.     NSString *fname;
  1967.     NSString * latestLog = nil;
  1968.     int year  = !previouslySeen ? [[NSUserDefaults standardUserDefaults] integerForKey:@"LatestCrashReportYear"] : 0;
  1969.     int month = !previouslySeen ? [[NSUserDefaults standardUserDefaults] integerForKey:@"LatestCrashReportMonth"]: 0;
  1970.     int day   = !previouslySeen ? [[NSUserDefaults standardUserDefaults] integerForKey:@"LatestCrashReportDay"]  : 0;
  1971.     int hours = !previouslySeen ? [[NSUserDefaults standardUserDefaults] integerForKey:@"LatestCrashReportHours"]: 0;
  1972.     while (fname = [direnum nextObject])
  1973.     {
  1974.         [direnum skipDescendents];
  1975.         if([fname hasPrefix:@"VLC"] && [fname hasSuffix:@"crash"])
  1976.         {
  1977.             NSArray * compo = [fname componentsSeparatedByString:@"_"];
  1978.             if( [compo count] < 3 ) continue;
  1979.             compo = [[compo objectAtIndex:1] componentsSeparatedByString:@"-"];
  1980.             if( [compo count] < 4 ) continue;
  1981.             // Dooh. ugly.
  1982.             if( year < [[compo objectAtIndex:0] intValue] ||
  1983.                 (year ==[[compo objectAtIndex:0] intValue] && 
  1984.                  (month < [[compo objectAtIndex:1] intValue] ||
  1985.                   (month ==[[compo objectAtIndex:1] intValue] &&
  1986.                    (day   < [[compo objectAtIndex:2] intValue] ||
  1987.                     (day   ==[[compo objectAtIndex:2] intValue] &&
  1988.                       hours < [[compo objectAtIndex:3] intValue] ))))))
  1989.             {
  1990.                 year  = [[compo objectAtIndex:0] intValue];
  1991.                 month = [[compo objectAtIndex:1] intValue];
  1992.                 day   = [[compo objectAtIndex:2] intValue];
  1993.                 hours = [[compo objectAtIndex:3] intValue];
  1994.                 latestLog = [crashReporter stringByAppendingPathComponent:fname];
  1995.             }
  1996.         }
  1997.     }
  1998.     if(!(latestLog && [[NSFileManager defaultManager] fileExistsAtPath:latestLog]))
  1999.         return nil;
  2000.     if( !previouslySeen )
  2001.     {
  2002.         [[NSUserDefaults standardUserDefaults] setInteger:year  forKey:@"LatestCrashReportYear"];
  2003.         [[NSUserDefaults standardUserDefaults] setInteger:month forKey:@"LatestCrashReportMonth"];
  2004.         [[NSUserDefaults standardUserDefaults] setInteger:day   forKey:@"LatestCrashReportDay"];
  2005.         [[NSUserDefaults standardUserDefaults] setInteger:hours forKey:@"LatestCrashReportHours"];
  2006.     }
  2007.     return latestLog;
  2008. }
  2009. - (NSString *)latestCrashLogPath
  2010. {
  2011.     return [self latestCrashLogPathPreviouslySeen:YES];
  2012. }
  2013. - (void)lookForCrashLog
  2014. {
  2015.     NSAutoreleasePool *o_pool = [[NSAutoreleasePool alloc] init];
  2016.     // This pref key doesn't exists? this VLC is an upgrade, and this crash log come from previous version
  2017.     BOOL areCrashLogsTooOld = ![[NSUserDefaults standardUserDefaults] integerForKey:@"LatestCrashReportYear"];
  2018.     NSString * latestLog = [self latestCrashLogPathPreviouslySeen:NO];
  2019.     if( latestLog && !areCrashLogsTooOld )
  2020.         [NSApp runModalForWindow: o_crashrep_win];
  2021.     [o_pool release];
  2022. }
  2023. - (IBAction)crashReporterAction:(id)sender
  2024. {
  2025.     if( sender == o_crashrep_send_btn )
  2026.         [self sendCrashLog:[NSString stringWithContentsOfFile: [self latestCrashLogPath] encoding: NSUTF8StringEncoding error: NULL] withUserComment: [o_crashrep_fld string]];
  2027.     [NSApp stopModal];
  2028.     [o_crashrep_win orderOut: sender];
  2029. }
  2030. - (IBAction)openCrashLog:(id)sender
  2031. {
  2032.     NSString * latestLog = [self latestCrashLogPath];
  2033.     if( latestLog )
  2034.     {
  2035.         [[NSWorkspace sharedWorkspace] openFile: latestLog withApplication: @"Console"];
  2036.     }
  2037.     else
  2038.     {
  2039.         NSBeginInformationalAlertSheet(_NS("No CrashLog found"), _NS("Continue"), nil, nil, o_msgs_panel, self, NULL, NULL, nil, _NS("Couldn't find any trace of a previous crash.") );
  2040.     }
  2041. }
  2042. #pragma mark -
  2043. #pragma mark Remove old prefs
  2044. - (void)_removeOldPreferences
  2045. {
  2046.     static NSString * kVLCPreferencesVersion = @"VLCPreferencesVersion";
  2047.     static const int kCurrentPreferencesVersion = 1;
  2048.     int version = [[NSUserDefaults standardUserDefaults] integerForKey:kVLCPreferencesVersion];
  2049.     if( version >= kCurrentPreferencesVersion ) return;
  2050.     NSArray *libraries = NSSearchPathForDirectoriesInDomains(NSLibraryDirectory, 
  2051.         NSUserDomainMask, YES);
  2052.     if( !libraries || [libraries count] == 0) return;
  2053.     NSString * preferences = [[libraries objectAtIndex:0] stringByAppendingPathComponent:@"Preferences"];
  2054.     /* File not found, don't attempt anything */
  2055.     if(![[NSFileManager defaultManager] fileExistsAtPath:[preferences stringByAppendingPathComponent:@"VLC"]] &&
  2056.        ![[NSFileManager defaultManager] fileExistsAtPath:[preferences stringByAppendingPathComponent:@"org.videolan.vlc.plist"]] )
  2057.     {
  2058.         [[NSUserDefaults standardUserDefaults] setInteger:kCurrentPreferencesVersion forKey:kVLCPreferencesVersion];
  2059.         return;
  2060.     }
  2061.     int res = NSRunInformationalAlertPanel(_NS("Remove old preferences?"),
  2062.                 _NS("We just found an older version of VLC's preferences files."),
  2063.                 _NS("Move To Trash and Relaunch VLC"), _NS("Ignore"), nil, nil);
  2064.     if( res != NSOKButton )
  2065.     {
  2066.         [[NSUserDefaults standardUserDefaults] setInteger:kCurrentPreferencesVersion forKey:kVLCPreferencesVersion];
  2067.         return;
  2068.     }
  2069.     NSArray * ourPreferences = [NSArray arrayWithObjects:@"org.videolan.vlc.plist", @"VLC", nil];
  2070.     /* Move the file to trash so that user can find them later */
  2071.     [[NSWorkspace sharedWorkspace] performFileOperation:NSWorkspaceRecycleOperation source:preferences destination:nil files:ourPreferences tag:0];
  2072.     /* really reset the defaults from now on */
  2073.     [NSUserDefaults resetStandardUserDefaults];
  2074.     [[NSUserDefaults standardUserDefaults] setInteger:kCurrentPreferencesVersion forKey:kVLCPreferencesVersion];
  2075.     [[NSUserDefaults standardUserDefaults] synchronize];
  2076.     /* Relaunch now */
  2077.     const char * path = [[[NSBundle mainBundle] executablePath] UTF8String];
  2078.     /* For some reason we need to fork(), not just execl(), which reports a ENOTSUP then. */
  2079.     if(fork() != 0)
  2080.     {
  2081.         exit(0);
  2082.         return;
  2083.     }
  2084.     execl(path, path, NULL);
  2085. }
  2086. #pragma mark -
  2087. #pragma mark Errors, warnings and messages
  2088. - (IBAction)viewErrorsAndWarnings:(id)sender
  2089. {
  2090.     [[[self coreDialogProvider] errorPanel] showPanel];
  2091. }
  2092. - (IBAction)showMessagesPanel:(id)sender
  2093. {
  2094.     [o_msgs_panel makeKeyAndOrderFront: sender];
  2095. }
  2096. - (IBAction)showInformationPanel:(id)sender
  2097. {
  2098.     if(! nib_info_loaded )
  2099.         nib_info_loaded = [NSBundle loadNibNamed:@"MediaInfo" owner: NSApp];
  2100.     
  2101.     [o_info initPanel];
  2102. }
  2103. - (void)windowDidBecomeKey:(NSNotification *)o_notification
  2104. {
  2105.     if( [o_notification object] == o_msgs_panel )
  2106.         [self updateMessageDisplay];
  2107. }
  2108. - (void)updateMessageDisplay
  2109. {
  2110.     if( [o_msgs_panel isVisible] && b_msg_arr_changed )
  2111.     {
  2112.         id o_msg;
  2113.         NSEnumerator * o_enum;
  2114.         [o_messages setString: @""];
  2115.         [o_msg_lock lock];
  2116.         o_enum = [o_msg_arr objectEnumerator];
  2117.         while( ( o_msg = [o_enum nextObject] ) != nil )
  2118.         {
  2119.             [o_messages insertText: o_msg];
  2120.         }
  2121.         b_msg_arr_changed = NO;
  2122.         [o_msg_lock unlock];
  2123.     }
  2124. }
  2125. - (void)libvlcMessageReceived: (NSNotification *)o_notification
  2126. {
  2127.     NSColor *o_white = [NSColor whiteColor];
  2128.     NSColor *o_red = [NSColor redColor];
  2129.     NSColor *o_yellow = [NSColor yellowColor];
  2130.     NSColor *o_gray = [NSColor grayColor];
  2131.     NSColor * pp_color[4] = { o_white, o_red, o_yellow, o_gray };
  2132.     static const char * ppsz_type[4] = { ": ", " error: ",
  2133.     " warning: ", " debug: " };
  2134.     NSString *o_msg;
  2135.     NSDictionary *o_attr;
  2136.     NSAttributedString *o_msg_color;
  2137.     int i_type = [[[o_notification userInfo] objectForKey: @"Type"] intValue];
  2138.     [o_msg_lock lock];
  2139.     if( [o_msg_arr count] + 2 > 600 )
  2140.     {
  2141.         [o_msg_arr removeObjectAtIndex: 0];
  2142.         [o_msg_arr removeObjectAtIndex: 1];
  2143.     }
  2144.     o_attr = [NSDictionary dictionaryWithObject: o_gray
  2145.                                          forKey: NSForegroundColorAttributeName];
  2146.     o_msg = [NSString stringWithFormat: @"%@%s",
  2147.              [[o_notification userInfo] objectForKey: @"Module"],
  2148.              ppsz_type[i_type]];
  2149.     o_msg_color = [[NSAttributedString alloc]
  2150.                    initWithString: o_msg attributes: o_attr];
  2151.     [o_msg_arr addObject: [o_msg_color autorelease]];
  2152.     o_attr = [NSDictionary dictionaryWithObject: pp_color[i_type]
  2153.                                          forKey: NSForegroundColorAttributeName];
  2154.     o_msg = [[[o_notification userInfo] objectForKey: @"Message"] stringByAppendingString: @"n"];
  2155.     o_msg_color = [[NSAttributedString alloc]
  2156.                    initWithString: o_msg attributes: o_attr];
  2157.     [o_msg_arr addObject: [o_msg_color autorelease]];
  2158.     b_msg_arr_changed = YES;
  2159.     [o_msg_lock unlock];
  2160. }
  2161. - (IBAction)saveDebugLog:(id)sender
  2162. {
  2163.     NSOpenPanel * saveFolderPanel = [[NSSavePanel alloc] init];
  2164.     
  2165.     [saveFolderPanel setCanChooseDirectories: NO];
  2166.     [saveFolderPanel setCanChooseFiles: YES];
  2167.     [saveFolderPanel setCanSelectHiddenExtension: NO];
  2168.     [saveFolderPanel setCanCreateDirectories: YES];
  2169.     [saveFolderPanel setRequiredFileType: @"rtfd"];
  2170.     [saveFolderPanel beginSheetForDirectory:nil file: [NSString stringWithFormat: _NS("VLC Debug Log (%s).rtfd"), VLC_Version()] modalForWindow: o_msgs_panel modalDelegate:self didEndSelector:@selector(saveDebugLogAsRTF:returnCode:contextInfo:) contextInfo:nil];
  2171. }
  2172. - (void)saveDebugLogAsRTF: (NSSavePanel *)sheet returnCode: (int)returnCode contextInfo: (void *)contextInfo
  2173. {
  2174.     BOOL b_returned;
  2175.     if( returnCode == NSOKButton )
  2176.     {
  2177.         b_returned = [o_messages writeRTFDToFile: [sheet filename] atomically: YES];
  2178.         if(! b_returned )
  2179.             msg_Warn( p_intf, "Error while saving the debug log" );
  2180.     }
  2181. }
  2182. #pragma mark -
  2183. #pragma mark Playlist toggling
  2184. - (IBAction)togglePlaylist:(id)sender
  2185. {
  2186.     NSRect contentRect = [o_window contentRectForFrameRect:[o_window frame]];
  2187.     NSRect o_rect = [o_window contentRectForFrameRect:[o_window frame]];
  2188.     /*First, check if the playlist is visible*/
  2189.     if( contentRect.size.height <= 169. )
  2190.     {
  2191.         o_restore_rect = contentRect;
  2192.         b_restore_size = true;
  2193.         b_small_window = YES; /* we know we are small, make sure this is actually set (see case below) */
  2194.         /* make large */
  2195.         if( o_size_with_playlist.height > 169. )
  2196.             o_rect.size.height = o_size_with_playlist.height;
  2197.         else
  2198.             o_rect.size.height = 500.;
  2199.  
  2200.         if( o_size_with_playlist.width >= [o_window contentMinSize].width )
  2201.             o_rect.size.width = o_size_with_playlist.width;
  2202.         else
  2203.             o_rect.size.width = [o_window contentMinSize].width;
  2204.         o_rect.origin.x = contentRect.origin.x;
  2205.         o_rect.origin.y = contentRect.origin.y - o_rect.size.height +
  2206.             [o_window contentMinSize].height;
  2207.         o_rect = [o_window frameRectForContentRect:o_rect];
  2208.         NSRect screenRect = [[o_window screen] visibleFrame];
  2209.         if( !NSContainsRect( screenRect, o_rect ) ) {
  2210.             if( NSMaxX(o_rect) > NSMaxX(screenRect) )
  2211.                 o_rect.origin.x = ( NSMaxX(screenRect) - o_rect.size.width );
  2212.             if( NSMinY(o_rect) < NSMinY(screenRect) )
  2213.                 o_rect.origin.y = ( NSMinY(screenRect) );
  2214.         }
  2215.         [o_btn_playlist setState: YES];
  2216.     }
  2217.     else
  2218.     {
  2219.         NSSize curSize = o_rect.size;
  2220.         if( b_restore_size )
  2221.         {
  2222.             o_rect = o_restore_rect;
  2223.             if( o_rect.size.height < [o_window contentMinSize].height )
  2224.                 o_rect.size.height = [o_window contentMinSize].height;
  2225.             if( o_rect.size.width < [o_window contentMinSize].width )
  2226.                 o_rect.size.width = [o_window contentMinSize].width;
  2227.         }
  2228.         else
  2229.         {
  2230.             NSRect contentRect = [o_window contentRectForFrameRect:[o_window frame]];
  2231.             /* make small */
  2232.             o_rect.size.height = [o_window contentMinSize].height;
  2233.             o_rect.size.width = [o_window contentMinSize].width;
  2234.             o_rect.origin.x = contentRect.origin.x;
  2235.             /* Calculate the position of the lower right corner after resize */
  2236.             o_rect.origin.y = contentRect.origin.y +
  2237.                 contentRect.size.height - [o_window contentMinSize].height;
  2238.         }
  2239.         [o_playlist_view setAutoresizesSubviews: NO];
  2240.         [o_playlist_view removeFromSuperview];
  2241.         [o_btn_playlist setState: NO];
  2242.         b_small_window = NO; /* we aren't small here just yet. we are doing an animated resize after this */
  2243.         o_rect = [o_window frameRectForContentRect:o_rect];
  2244.     }
  2245.     [o_window setFrame: o_rect display:YES animate: YES];
  2246. }
  2247. - (void)updateTogglePlaylistState
  2248. {
  2249.     if( [o_window contentRectForFrameRect:[o_window frame]].size.height <= 169. )
  2250.         [o_btn_playlist setState: NO];
  2251.     else
  2252.         [o_btn_playlist setState: YES];
  2253.     [[self playlist] outlineViewSelectionDidChange: NULL];
  2254. }
  2255. - (NSSize)windowWillResize:(NSWindow *)sender toSize:(NSSize)proposedFrameSize
  2256. {
  2257.     /* Not triggered on a window resize or maxification of the window. only by window mouse dragging resize */
  2258.    /*Stores the size the controller one resize, to be able to restore it when
  2259.      toggling the playlist*/
  2260.     o_size_with_playlist = proposedFrameSize;
  2261.     NSRect rect;
  2262.     rect.size = proposedFrameSize;
  2263.     if( [o_window contentRectForFrameRect:rect].size.height <= 169. )
  2264.     {
  2265.         if( b_small_window == NO )
  2266.         {
  2267.             /* if large and going to small then hide */
  2268.             b_small_window = YES;
  2269.             [o_playlist_view setAutoresizesSubviews: NO];
  2270.             [o_playlist_view removeFromSuperview];
  2271.         }
  2272.         return NSMakeSize( proposedFrameSize.width, [o_window minSize].height);
  2273.     }
  2274.     return proposedFrameSize;
  2275. }
  2276. - (void)windowDidMove:(NSNotification *)notif
  2277. {
  2278.     b_restore_size = false;
  2279. }
  2280. - (void)windowDidResize:(NSNotification *)notif
  2281. {
  2282.     if( [o_window contentRectForFrameRect:[o_window frame]].size.height > 169. && b_small_window )
  2283.     {
  2284.         /* If large and coming from small then show */
  2285.         [o_playlist_view setAutoresizesSubviews: YES];
  2286.         NSRect contentRect = [o_window contentRectForFrameRect:[o_window frame]];
  2287.         [o_playlist_view setFrame: NSMakeRect( 0, 0, contentRect.size.width, contentRect.size.height - [o_window contentMinSize].height )];
  2288.         [o_playlist_view setNeedsDisplay:YES];
  2289.         [[o_window contentView] addSubview: o_playlist_view];
  2290.         b_small_window = NO;
  2291.     }
  2292.     [self updateTogglePlaylistState];
  2293. }
  2294. #pragma mark -
  2295. @end
  2296. @implementation VLCMain (NSMenuValidation)
  2297. - (BOOL)validateMenuItem:(NSMenuItem *)o_mi
  2298. {
  2299.     NSString *o_title = [o_mi title];
  2300.     BOOL bEnabled = TRUE;
  2301.     /* Recent Items Menu */
  2302.     if( [o_title isEqualToString: _NS("Clear Menu")] )
  2303.     {
  2304.         NSMenu * o_menu = [o_mi_open_recent submenu];
  2305.         int i_nb_items = [o_menu numberOfItems];
  2306.         NSArray * o_docs = [[NSDocumentController sharedDocumentController]
  2307.                                                        recentDocumentURLs];
  2308.         UInt32 i_nb_docs = [o_docs count];
  2309.         if( i_nb_items > 1 )
  2310.         {
  2311.             while( --i_nb_items )
  2312.             {
  2313.                 [o_menu removeItemAtIndex: 0];
  2314.             }
  2315.         }
  2316.         if( i_nb_docs > 0 )
  2317.         {
  2318.             NSURL * o_url;
  2319.             NSString * o_doc;
  2320.             [o_menu insertItem: [NSMenuItem separatorItem] atIndex: 0];
  2321.             while( TRUE )
  2322.             {
  2323.                 i_nb_docs--;
  2324.                 o_url = [o_docs objectAtIndex: i_nb_docs];
  2325.                 if( [o_url isFileURL] )
  2326.                 {
  2327.                     o_doc = [o_url path];
  2328.                 }
  2329.                 else
  2330.                 {
  2331.                     o_doc = [o_url absoluteString];
  2332.                 }
  2333.                 [o_menu insertItemWithTitle: o_doc
  2334.                     action: @selector(openRecentItem:)
  2335.                     keyEquivalent: @"" atIndex: 0];
  2336.                 if( i_nb_docs == 0 )
  2337.                 {
  2338.                     break;
  2339.                 }
  2340.             }
  2341.         }
  2342.         else
  2343.         {
  2344.             bEnabled = FALSE;
  2345.         }
  2346.     }
  2347.     return( bEnabled );
  2348. }
  2349. @end
  2350. @implementation VLCMain (Internal)
  2351. - (void)handlePortMessage:(NSPortMessage *)o_msg
  2352. {
  2353.     id ** val;
  2354.     NSData * o_data;
  2355.     NSValue * o_value;
  2356.     NSInvocation * o_inv;
  2357.     NSConditionLock * o_lock;
  2358.     o_data = [[o_msg components] lastObject];
  2359.     o_inv = *((NSInvocation **)[o_data bytes]);
  2360.     [o_inv getArgument: &o_value atIndex: 2];
  2361.     val = (id **)[o_value pointerValue];
  2362.     [o_inv setArgument: val[1] atIndex: 2];
  2363.     o_lock = *(val[0]);
  2364.     [o_lock lock];
  2365.     [o_inv invoke];
  2366.     [o_lock unlockWithCondition: 1];
  2367. }
  2368. @end
  2369. /*****************************************************************************
  2370.  * VLCApplication interface
  2371.  * exclusively used to implement media key support on Al Apple keyboards
  2372.  *   b_justJumped is required as the keyboard send its events faster than
  2373.  *    the user can actually jump through his media
  2374.  *****************************************************************************/
  2375. @implementation VLCApplication
  2376. - (void)awakeFromNib
  2377. {
  2378. b_active = b_mediaKeySupport = config_GetInt( VLCIntf, "macosx-mediakeys" );
  2379.     b_activeInBackground = config_GetInt( VLCIntf, "macosx-mediakeys-background" );
  2380.     [[NSNotificationCenter defaultCenter] addObserver: self selector: @selector(coreChangedMediaKeySupportSetting:) name: @"VLCMediaKeySupportSettingChanged" object: nil];
  2381.     [[NSNotificationCenter defaultCenter] addObserver: self selector: @selector(appGotActiveOrInactive:) name: @"NSApplicationDidBecomeActiveNotification" object: nil];
  2382.     [[NSNotificationCenter defaultCenter] addObserver: self selector: @selector(appGotActiveOrInactive:) name: @"NSApplicationWillResignActiveNotification" object: nil];
  2383. }
  2384. - (void)dealloc
  2385. {
  2386.     [[NSNotificationCenter defaultCenter] removeObserver: self];
  2387.     [super dealloc];
  2388. }
  2389. - (void)appGotActiveOrInactive: (NSNotification *)o_notification
  2390. {
  2391.     if(( [[o_notification name] isEqualToString: @"NSApplicationWillResignActiveNotification"] && !b_activeInBackground ) || !b_mediaKeySupport)
  2392.         b_active = NO;
  2393.     else
  2394.         b_active = YES;
  2395. }
  2396. - (void)coreChangedMediaKeySupportSetting: (NSNotification *)o_notification
  2397. {
  2398.     b_active = b_mediaKeySupport = config_GetInt( VLCIntf, "macosx-mediakeys" );
  2399.     b_activeInBackground = config_GetInt( VLCIntf, "macosx-mediakeys-background" );
  2400. }
  2401. - (void)sendEvent: (NSEvent*)event
  2402. {
  2403.     if( b_active )
  2404. {
  2405.         if( [event type] == NSSystemDefined && [event subtype] == 8 )
  2406.         {
  2407.             int keyCode = (([event data1] & 0xFFFF0000) >> 16);
  2408.             int keyFlags = ([event data1] & 0x0000FFFF);
  2409.             int keyState = (((keyFlags & 0xFF00) >> 8)) == 0xA;
  2410.             int keyRepeat = (keyFlags & 0x1);
  2411.             if( keyCode == NX_KEYTYPE_PLAY && keyState == 0 )
  2412.                 var_SetInteger( VLCIntf->p_libvlc, "key-action", ACTIONID_PLAY_PAUSE );
  2413.             if( keyCode == NX_KEYTYPE_FAST && !b_justJumped )
  2414.             {
  2415.                 if( keyState == 0 && keyRepeat == 0 )
  2416.                 {
  2417.                         var_SetInteger( VLCIntf->p_libvlc, "key-action", ACTIONID_NEXT );
  2418.                 }
  2419.                 else if( keyRepeat == 1 )
  2420.                 {
  2421.                     var_SetInteger( VLCIntf->p_libvlc, "key-action", ACTIONID_JUMP_FORWARD_SHORT );
  2422.                     b_justJumped = YES;
  2423.                     [self performSelector:@selector(resetJump)
  2424.                                withObject: NULL
  2425.                                afterDelay:0.25];
  2426.                 }
  2427.             }
  2428.             if( keyCode == NX_KEYTYPE_REWIND && !b_justJumped )
  2429.             {
  2430.                 if( keyState == 0 && keyRepeat == 0 )
  2431.                 {
  2432.                     var_SetInteger( VLCIntf->p_libvlc, "key-action", ACTIONID_PREV );
  2433.                 }
  2434.                 else if( keyRepeat == 1 )
  2435.                 {
  2436.                     var_SetInteger( VLCIntf->p_libvlc, "key-action", ACTIONID_JUMP_BACKWARD_SHORT );
  2437.                     b_justJumped = YES;
  2438.                     [self performSelector:@selector(resetJump)
  2439.                                withObject: NULL
  2440.                                afterDelay:0.25];
  2441.                 }
  2442.             }
  2443.         }
  2444.     }
  2445. [super sendEvent: event];
  2446. }
  2447. - (void)resetJump
  2448. {
  2449.     b_justJumped = NO;
  2450. }
  2451. @end