Fixes to NetSparkle
[pithos-ms-client] / trunk / Pithos.Client.WPF / Shell / ShellViewModel.cs
1 #region
2 /* -----------------------------------------------------------------------
3  * <copyright file="ShellViewModel.cs" company="GRNet">
4  * 
5  * Copyright 2011-2012 GRNET S.A. All rights reserved.
6  *
7  * Redistribution and use in source and binary forms, with or
8  * without modification, are permitted provided that the following
9  * conditions are met:
10  *
11  *   1. Redistributions of source code must retain the above
12  *      copyright notice, this list of conditions and the following
13  *      disclaimer.
14  *
15  *   2. Redistributions in binary form must reproduce the above
16  *      copyright notice, this list of conditions and the following
17  *      disclaimer in the documentation and/or other materials
18  *      provided with the distribution.
19  *
20  *
21  * THIS SOFTWARE IS PROVIDED BY GRNET S.A. ``AS IS'' AND ANY EXPRESS
22  * OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
23  * WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
24  * PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL GRNET S.A OR
25  * CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
26  * SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
27  * LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF
28  * USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED
29  * AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
30  * LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN
31  * ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
32  * POSSIBILITY OF SUCH DAMAGE.
33  *
34  * The views and conclusions contained in the software and
35  * documentation are those of the authors and should not be
36  * interpreted as representing official policies, either expressed
37  * or implied, of GRNET S.A.
38  * </copyright>
39  * -----------------------------------------------------------------------
40  */
41 #endregion
42 using System.Collections.Concurrent;
43 using System.Diagnostics;
44 using System.Diagnostics.Contracts;
45 using System.IO;
46 using System.Net;
47 using System.Reflection;
48 using System.Runtime.InteropServices;
49 using System.ServiceModel;
50 using System.Threading.Tasks;
51 using System.Windows;
52 using System.Windows.Controls.Primitives;
53 using AppLimit.NetSparkle;
54 using Caliburn.Micro;
55 using Hardcodet.Wpf.TaskbarNotification;
56 using Pithos.Client.WPF.Configuration;
57 using Pithos.Client.WPF.FileProperties;
58 using Pithos.Client.WPF.Preferences;
59 using Pithos.Client.WPF.SelectiveSynch;
60 using Pithos.Client.WPF.Services;
61 using Pithos.Client.WPF.Shell;
62 using Pithos.Core;
63 using Pithos.Core.Agents;
64 using Pithos.Interfaces;
65 using System;
66 using System.Collections.Generic;
67 using System.Linq;
68 using Pithos.Network;
69 using StatusService = Pithos.Client.WPF.Services.StatusService;
70
71 namespace Pithos.Client.WPF {
72         using System.ComponentModel.Composition;
73
74         
75         ///<summary>
76         /// The "shell" of the Pithos application displays the taskbar  icon, menu and notifications.
77         /// The shell also hosts the status service called by shell extensions to retrieve file info
78         ///</summary>
79         ///<remarks>
80         /// It is a strange "shell" as its main visible element is an icon instead of a window
81         /// The shell subscribes to the following events:
82         /// * Notification:  Raised by components that want to notify the user. Usually displayed in a balloon
83         /// * SelectiveSynchChanges: Notifies that the user made changes to the selective synch folders for an account. Raised by the Selective Synch dialog. Located here because the monitors are here
84         /// * ShowFilePropertiesEvent: Raised when a shell command requests the display of the file/container properties dialog
85         ///</remarks>           
86         //TODO: CODE SMELL Why does the shell handle the SelectiveSynchChanges?
87         [Export(typeof(IShell))]
88         public class ShellViewModel : Screen, IStatusNotification, IShell,
89                 IHandle<Notification>, IHandle<SelectiveSynchChanges>, IHandle<ShowFilePropertiesEvent>
90         {
91
92                 //The Status Checker provides the current synch state
93                 //TODO: Could we remove the status checker and use events in its place?
94                 private readonly IStatusChecker _statusChecker;
95                 private readonly IEventAggregator _events;
96
97                 public PithosSettings Settings { get; private set; }
98
99
100                 private readonly ConcurrentDictionary<string, PithosMonitor> _monitors = new ConcurrentDictionary<string, PithosMonitor>();
101                 ///<summary>
102                 /// Dictionary of account monitors, keyed by account
103                 ///</summary>
104                 ///<remarks>
105                 /// One monitor class is created for each account. The Shell needs access to the monitors to execute start/stop/pause commands,
106                 /// retrieve account and boject info            
107                 ///</remarks>
108                 // TODO: Does the Shell REALLY need access to the monitors? Could we achieve the same results with a better design?
109                 // TODO: The monitors should be internal to Pithos.Core, even though exposing them makes coding of the Object and Container windows easier
110                 public ConcurrentDictionary<string, PithosMonitor> Monitors
111                 {
112                         get { return _monitors; }
113                 }
114
115
116                 ///<summary>
117                 /// The status service is used by Shell extensions to retrieve file status information
118                 ///</summary>
119                 //TODO: CODE SMELL! This is the shell! While hosting in the shell makes executing start/stop commands easier, it is still a smell
120                 private ServiceHost _statusService;
121
122                 //Logging in the Pithos client is provided by log4net
123         private static readonly log4net.ILog Log = log4net.LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType);
124
125                 //Lazily initialized File Version info. This is done once and lazily to avoid blocking the UI
126                 private readonly Lazy<FileVersionInfo> _fileVersion;
127
128             private readonly PollAgent _pollAgent;
129
130                 ///<summary>
131                 /// The Shell depends on MEF to provide implementations for windowManager, events, the status checker service and the settings
132                 ///</summary>
133                 ///<remarks>
134                 /// The PithosSettings class encapsulates the app's settings to abstract their storage mechanism (App settings, a database or registry)
135                 ///</remarks>
136                 [ImportingConstructor]          
137                 public ShellViewModel(IWindowManager windowManager, IEventAggregator events, IStatusChecker statusChecker, PithosSettings settings,PollAgent pollAgent)
138                 {
139                         try
140                         {
141
142                                 _windowManager = windowManager;
143                                 //CHECK: Caliburn doesn't need explicit command construction
144                                 //OpenPithosFolderCommand = new PithosCommand(OpenPithosFolder);
145                                 _statusChecker = statusChecker;
146                                 //The event subst
147                                 _events = events;
148                                 _events.Subscribe(this);
149
150                             _pollAgent = pollAgent;
151                                 Settings = settings;
152
153                                 Proxy.SetFromSettings(settings);
154
155                                 StatusMessage = "In Synch";
156
157                                 _fileVersion=  new Lazy<FileVersionInfo>(() =>
158                                 {
159                                         Assembly assembly = Assembly.GetExecutingAssembly();
160                                         var fileVersion = FileVersionInfo.GetVersionInfo(assembly.Location);
161                                         return fileVersion;
162                                 });
163                                 _accounts.CollectionChanged += (sender, e) =>
164                                                                                                    {
165                                                                                                            NotifyOfPropertyChange(() => OpenFolderCaption);
166                                                                                                            NotifyOfPropertyChange(() => HasAccounts);
167                                                                                                    };
168
169                         }
170                         catch (Exception exc)
171                         {
172                                 Log.Error("Error while starting the ShellViewModel",exc);
173                                 throw;
174                         }
175
176                 }
177
178
179                 protected override void OnActivate()
180                 {
181                         base.OnActivate();
182
183             _sparkle = new Sparkle(Settings.UpdateUrl);
184             _sparkle.updateDetected += OnUpgradeDetected;
185             _sparkle.ShowDiagnosticWindow = Settings.UpdateDiagnostics;
186
187             //Must delay opening the upgrade window
188             //to avoid Windows Messages sent by the TaskbarIcon
189             TaskEx.Delay(5000).ContinueWith(_=>
190                 Execute.OnUIThread(()=> _sparkle.StartLoop(true,Settings.UpdateForceCheck,Settings.UpdateCheckInterval)));
191
192
193                         StartMonitoring();                    
194                 }
195
196             private void OnUpgradeDetected(object sender, UpdateDetectedEventArgs e)
197             {
198                 Log.InfoFormat("Update detected {0}",e.LatestVersion);
199             }
200
201         public void CheckForUpgrade()
202         {
203             Log.Error("Test Error message");
204             _sparkle.StopLoop();
205             _sparkle.Dispose();
206             _sparkle=new Sparkle(Settings.UpdateUrl);
207             _sparkle.StartLoop(true,true,Settings.UpdateCheckInterval);
208         }
209
210             private async void StartMonitoring()
211                 {
212                         try
213                         {
214                                 var accounts = Settings.Accounts.Select(MonitorAccount);
215                                 await TaskEx.WhenAll(accounts);
216                                 _statusService = StatusService.Start();
217
218 /*
219                                 foreach (var account in Settings.Accounts)
220                                 {
221                                         await MonitorAccount(account);
222                                 }
223 */
224                                 
225                         }
226                         catch (AggregateException exc)
227                         {
228                                 exc.Handle(e =>
229                                 {
230                                         Log.Error("Error while starting monitoring", e);
231                                         return true;
232                                 });
233                                 throw;
234                         }
235                 }
236
237                 protected override void OnDeactivate(bool close)
238                 {
239                         base.OnDeactivate(close);
240                         if (close)
241                         {
242                                 StatusService.Stop(_statusService);
243                                 _statusService = null;
244                         }
245                 }
246
247                 public Task MonitorAccount(AccountSettings account)
248                 {
249                         return Task.Factory.StartNew(() =>
250                         {                                                
251                                 PithosMonitor monitor;
252                                 var accountName = account.AccountName;
253
254                                 if (_monitors.TryGetValue(accountName, out monitor))
255                                 {
256                                         //If the account is active
257                     if (account.IsActive)
258                     {
259                         //The Api Key may have changed throuth the Preferences dialog
260                         monitor.ApiKey = account.ApiKey;
261                                                 Debug.Assert(monitor.StatusNotification == this,"An existing monitor should already have a StatusNotification service object");
262                         monitor.RootPath = account.RootPath;
263                         //Start the monitor. It's OK to start an already started monitor,
264                         //it will just ignore the call                        
265                         StartMonitor(monitor).Wait();
266                     }
267                     else
268                     {
269                         //If the account is inactive
270                         //Stop and remove the monitor
271                         RemoveMonitor(accountName);
272                     }
273                                         return;
274                                 }
275
276                                 
277                                 //Create a new monitor/ Can't use MEF here, it would return a single instance for all monitors
278                                 monitor = new PithosMonitor
279                                                           {
280                                                                   UserName = accountName,
281                                                                   ApiKey = account.ApiKey,                                  
282                                                                   StatusNotification = this,
283                                                                   RootPath = account.RootPath
284                                                           };
285                                 //PithosMonitor uses MEF so we need to resolve it
286                                 IoC.BuildUp(monitor);
287
288                                 monitor.AuthenticationUrl = account.ServerUrl;
289
290                                 _monitors[accountName] = monitor;
291
292                                 if (account.IsActive)
293                                 {
294                                         //Don't start a monitor if it doesn't have an account and ApiKey
295                                         if (String.IsNullOrWhiteSpace(monitor.UserName) ||
296                                                 String.IsNullOrWhiteSpace(monitor.ApiKey))
297                                                 return;
298                                         StartMonitor(monitor);
299                                 }
300                         });
301                 }
302
303
304                 protected override void OnViewLoaded(object view)
305                 {
306                         UpdateStatus();
307                         var window = (Window)view;            
308                         TaskEx.Delay(1000).ContinueWith(t => Execute.OnUIThread(window.Hide));
309                         base.OnViewLoaded(view);
310                 }
311
312
313                 #region Status Properties
314
315                 private string _statusMessage;
316                 public string StatusMessage
317                 {
318                         get { return _statusMessage; }
319                         set
320                         {
321                                 _statusMessage = value;
322                                 NotifyOfPropertyChange(() => StatusMessage);
323                         }
324                 }
325
326                 private readonly ObservableConcurrentCollection<AccountInfo> _accounts = new ObservableConcurrentCollection<AccountInfo>();
327                 public ObservableConcurrentCollection<AccountInfo> Accounts
328                 {
329                         get { return _accounts; }
330                 }
331
332                 public bool HasAccounts
333                 {
334                         get { return _accounts.Count > 0; }
335                 }
336
337
338                 public string OpenFolderCaption
339                 {
340                         get
341                         {
342                                 return (_accounts.Count == 0)
343                                                 ? "No Accounts Defined"
344                                                 : "Open Pithos Folder";
345                         }
346                 }
347
348                 private string _pauseSyncCaption="Pause Synching";
349                 public string PauseSyncCaption
350                 {
351                         get { return _pauseSyncCaption; }
352                         set
353                         {
354                                 _pauseSyncCaption = value;
355                                 NotifyOfPropertyChange(() => PauseSyncCaption);
356                         }
357                 }
358
359                 private readonly ObservableConcurrentCollection<FileEntry> _recentFiles = new ObservableConcurrentCollection<FileEntry>();
360                 public ObservableConcurrentCollection<FileEntry> RecentFiles
361                 {
362                         get { return _recentFiles; }
363                 }
364
365
366                 private string _statusIcon="../Images/Pithos.ico";
367                 public string StatusIcon
368                 {
369                         get { return _statusIcon; }
370                         set
371                         {
372                                 //TODO: Ensure all status icons use the Pithos logo
373                                 _statusIcon = value;
374                                 NotifyOfPropertyChange(() => StatusIcon);
375                         }
376                 }
377
378                 #endregion
379
380                 #region Commands
381
382         public void ShowPreferences()
383         {
384             ShowPreferences(null);
385         }
386
387                 public void ShowPreferences(string currentTab)
388                 {
389                         //Settings.Reload();
390                     var preferences = new PreferencesViewModel(_windowManager, _events, this, Settings,currentTab);
391                     _windowManager.ShowDialog(preferences);
392                         
393                 }
394
395                 public void AboutPithos()
396                 {
397                         var about = new AboutViewModel();
398                         _windowManager.ShowWindow(about);
399                 }
400
401                 public void SendFeedback()
402                 {
403                         var feedBack =  IoC.Get<FeedbackViewModel>();
404                         _windowManager.ShowWindow(feedBack);
405                 }
406
407                 //public PithosCommand OpenPithosFolderCommand { get; private set; }
408
409                 public void OpenPithosFolder()
410                 {
411                         var account = Settings.Accounts.FirstOrDefault(acc => acc.IsActive);
412                         if (account == null)
413                                 return;
414                         Process.Start(account.RootPath);
415                 }
416
417                 public void OpenPithosFolder(AccountInfo account)
418                 {
419                         Process.Start(account.AccountPath);
420                 }
421
422                 
423 /*
424                 public void GoToSite()
425                 {            
426                         var site = Properties.Settings.Default.PithosSite;
427                         Process.Start(site);            
428                 }
429 */
430
431                 public void GoToSite(AccountInfo account)
432                 {
433                     var uri = account.SiteUri.Replace("http://","https://");            
434                     Process.Start(uri);
435                 }
436
437             /// <summary>
438         /// Open an explorer window to the target path's directory
439         /// and select the file
440         /// </summary>
441         /// <param name="entry"></param>
442         public void GoToFile(FileEntry entry)
443         {
444             var fullPath = entry.FullPath;
445             if (!File.Exists(fullPath) && !Directory.Exists(fullPath))
446                 return;
447             Process.Start("explorer.exe","/select, " + fullPath);
448         }
449
450         public void OpenLogPath()
451         {
452             var appDataPath = Environment.GetFolderPath(Environment.SpecialFolder.LocalApplicationData);
453             var pithosDataPath = Path.Combine(appDataPath, "GRNET");
454
455             Process.Start(pithosDataPath);
456         }
457         
458         public void ShowFileProperties()
459                 {
460                         var account = Settings.Accounts.First(acc => acc.IsActive);            
461                         var dir = new DirectoryInfo(account.RootPath + @"\pithos");
462                         var files=dir.GetFiles();
463                         var r=new Random();
464                         var idx=r.Next(0, files.Length);
465                         ShowFileProperties(files[idx].FullName);            
466                 }
467
468                 public void ShowFileProperties(string filePath)
469                 {
470                         if (String.IsNullOrWhiteSpace(filePath))
471                                 throw new ArgumentNullException("filePath");
472                         if (!File.Exists(filePath) && !Directory.Exists(filePath))
473                                 throw new ArgumentException(String.Format("Non existent file {0}",filePath),"filePath");
474                         Contract.EndContractBlock();
475
476                         var pair=(from monitor in  Monitors
477                                                            where filePath.StartsWith(monitor.Value.RootPath, StringComparison.InvariantCultureIgnoreCase)
478                                                                    select monitor).FirstOrDefault();
479                         var accountMonitor = pair.Value;
480
481                         if (accountMonitor == null)
482                                 return;
483
484                         var infoTask=Task.Factory.StartNew(()=>accountMonitor.GetObjectInfo(filePath));
485
486                         
487
488                         var fileProperties = new FilePropertiesViewModel(this, infoTask,filePath);
489                         _windowManager.ShowWindow(fileProperties);
490                 } 
491                 
492                 public void ShowContainerProperties()
493                 {
494                         var account = Settings.Accounts.First(acc => acc.IsActive);            
495                         var dir = new DirectoryInfo(account.RootPath);
496                         var fullName = (from folder in dir.EnumerateDirectories()
497                                                         where (folder.Attributes & FileAttributes.Hidden) == 0
498                                                         select folder.FullName).First();
499                         ShowContainerProperties(fullName);            
500                 }
501
502                 public void ShowContainerProperties(string filePath)
503                 {
504                         if (String.IsNullOrWhiteSpace(filePath))
505                                 throw new ArgumentNullException("filePath");
506                         if (!Directory.Exists(filePath))
507                                 throw new ArgumentException(String.Format("Non existent file {0}",filePath),"filePath");
508                         Contract.EndContractBlock();
509
510                         var pair=(from monitor in  Monitors
511                                                            where filePath.StartsWith(monitor.Value.RootPath, StringComparison.InvariantCultureIgnoreCase)
512                                                                    select monitor).FirstOrDefault();
513                         var accountMonitor = pair.Value;            
514                         var info = accountMonitor.GetContainerInfo(filePath);
515
516                         
517
518                         var containerProperties = new ContainerPropertiesViewModel(this, info,filePath);
519                         _windowManager.ShowWindow(containerProperties);
520                 }
521
522                 public void SynchNow()
523                 {
524                         _pollAgent.SynchNow();
525                 }
526
527                 public ObjectInfo RefreshObjectInfo(ObjectInfo currentInfo)
528                 {
529                         if (currentInfo==null)
530                                 throw new ArgumentNullException("currentInfo");
531                         Contract.EndContractBlock();
532
533                         var monitor = Monitors[currentInfo.Account];
534                         var newInfo=monitor.CloudClient.GetObjectInfo(currentInfo.Account, currentInfo.Container, currentInfo.Name);
535                         return newInfo;
536                 }
537
538                 public ContainerInfo RefreshContainerInfo(ContainerInfo container)
539                 {
540                         if (container == null)
541                                 throw new ArgumentNullException("container");
542                         Contract.EndContractBlock();
543
544                         var monitor = Monitors[container.Account];
545                         var newInfo = monitor.CloudClient.GetContainerInfo(container.Account, container.Name);
546                         return newInfo;
547                 }
548
549
550                 public void ToggleSynching()
551                 {
552                         bool isPaused=false;
553                         foreach (var pair in Monitors)
554                         {
555                                 var monitor = pair.Value;
556                                 monitor.Pause = !monitor.Pause;
557                                 isPaused = monitor.Pause;
558                         }
559                         
560
561                         PauseSyncCaption = isPaused ? "Resume syncing" : "Pause syncing";
562                         var iconKey = isPaused? "TraySyncPaused" : "TrayInSynch";
563                         StatusIcon = String.Format(@"../Images/{0}.ico", iconKey);
564                 }
565
566                 public void ExitPithos()
567                 {
568                         foreach (var pair in Monitors)
569                         {
570                                 var monitor = pair.Value;
571                                 monitor.Stop();
572                         }
573
574                         ((Window)GetView()).Close();
575                 }
576                 #endregion
577
578
579                 private readonly Dictionary<PithosStatus, StatusInfo> _iconNames = new List<StatusInfo>
580                         {
581                                 new StatusInfo(PithosStatus.InSynch, "All files up to date", "TrayInSynch"),
582                                 new StatusInfo(PithosStatus.PollSyncing, "Polling Files", "TraySynching"),
583                 new StatusInfo(PithosStatus.LocalSyncing, "Syncing Files", "TraySynching"),
584                                 new StatusInfo(PithosStatus.SyncPaused, "Sync Paused", "TraySyncPaused")
585                         }.ToDictionary(s => s.Status);
586
587                 readonly IWindowManager _windowManager;
588                 
589         //private int _syncCount=0;
590
591
592         private PithosStatus _pithosStatus = PithosStatus.Disconnected;
593
594         public void SetPithosStatus(PithosStatus status)
595         {
596             if (_pithosStatus == PithosStatus.LocalSyncing && status == PithosStatus.PollComplete)
597                 return;
598             if (_pithosStatus == PithosStatus.PollSyncing && status == PithosStatus.LocalComplete)
599                 return;
600             if (status == PithosStatus.LocalComplete || status == PithosStatus.PollComplete)
601                 _pithosStatus = PithosStatus.InSynch;
602             else
603                 _pithosStatus = status;
604             UpdateStatus();
605         }
606
607         public void SetPithosStatus(PithosStatus status,string message)
608         {
609             StatusMessage = message;
610             SetPithosStatus(status);
611         }
612
613
614
615                 ///<summary>
616                 /// Updates the visual status indicators of the application depending on status changes, e.g. icon, stat                
617                 ///</summary>
618                 public void UpdateStatus()
619                 {
620
621                         if (_iconNames.ContainsKey(_pithosStatus))
622                         {
623                                 var info = _iconNames[_pithosStatus];
624                                 StatusIcon = String.Format(@"../Images/{0}.ico", info.IconName);
625                         }
626
627             if (_pithosStatus == PithosStatus.InSynch)
628                 StatusMessage = "All files up to date";
629                 }
630
631
632            
633                 private Task StartMonitor(PithosMonitor monitor,int retries=0)
634                 {
635                         return Task.Factory.StartNew(() =>
636                         {
637                                 using (log4net.ThreadContext.Stacks["Monitor"].Push("Start"))
638                                 {
639                                         try
640                                         {
641                                                 Log.InfoFormat("Start Monitoring {0}", monitor.UserName);
642
643                                                 monitor.Start();
644                                         }
645                                         catch (WebException exc)
646                                         {
647                                                 if (AbandonRetry(monitor, retries))
648                                                         return;
649
650                                                 HttpStatusCode statusCode =HttpStatusCode.OK;
651                                                 var response = exc.Response as HttpWebResponse;
652                                                 if(response!=null)
653                                                         statusCode = response.StatusCode;
654
655                                                 switch (statusCode)
656                                                 {
657                                                         case HttpStatusCode.Unauthorized:
658                                                                 var message = String.Format("API Key Expired for {0}. Starting Renewal",
659                                                                                                                         monitor.UserName);
660                                                                 Log.Error(message, exc);
661                                                         var account = Settings.Accounts.Find(acc => acc.AccountName == monitor.UserName);                                
662                                                         account.IsExpired = true;
663                                 Notify(new ExpirationNotification(account));
664                                                                 //TryAuthorize(monitor.UserName, retries).Wait();
665                                                                 break;
666                                                         case HttpStatusCode.ProxyAuthenticationRequired:
667                                                                 TryAuthenticateProxy(monitor,retries);
668                                                                 break;
669                                                         default:
670                                                                 TryLater(monitor, exc, retries);
671                                                                 break;
672                                                 }
673                                         }
674                                         catch (Exception exc)
675                                         {
676                                                 if (AbandonRetry(monitor, retries)) 
677                                                         return;
678
679                                                 TryLater(monitor,exc,retries);
680                                         }
681                                 }
682                         });
683                 }
684
685                 private void TryAuthenticateProxy(PithosMonitor monitor,int retries)
686                 {
687                         Execute.OnUIThread(() =>
688                                                                    {                                       
689                                                                            var proxyAccount = IoC.Get<ProxyAccountViewModel>();
690                                                                                 proxyAccount.Settings = Settings;
691                                                                            if (true != _windowManager.ShowDialog(proxyAccount)) 
692                                                                                    return;
693                                                                            StartMonitor(monitor, retries);
694                                                                            NotifyOfPropertyChange(() => Accounts);
695                                                                    });
696                 }
697
698                 private bool AbandonRetry(PithosMonitor monitor, int retries)
699                 {
700                         if (retries > 1)
701                         {
702                                 var message = String.Format("Monitoring of account {0} has failed too many times. Will not retry",
703                                                                                         monitor.UserName);
704                                 _events.Publish(new Notification
705                                                                         {Title = "Account monitoring failed", Message = message, Level = TraceLevel.Error});
706                                 return true;
707                         }
708                         return false;
709                 }
710
711
712             private void TryLater(PithosMonitor monitor, Exception exc,int retries)
713                 {
714                         var message = String.Format("An exception occured. Can't start monitoring\nWill retry in 10 seconds");
715                         Task.Factory.StartNewDelayed(10000, () => StartMonitor(monitor,retries+1));
716                         _events.Publish(new Notification
717                                                                 {Title = "Error", Message = message, Level = TraceLevel.Error});
718                         Log.Error(message, exc);
719                 }
720
721
722                 public void NotifyChange(string status, TraceLevel level=TraceLevel.Info)
723                 {
724                         StatusMessage = status;
725                         
726                         _events.Publish(new Notification { Title = "Pithos", Message = status, Level = level });
727                 }
728
729                 public void NotifyChangedFile(string filePath)
730                 {
731             if (RecentFiles.Any(e => e.FullPath == filePath))
732                 return;
733             
734                         IProducerConsumerCollection<FileEntry> files=RecentFiles;
735                         FileEntry popped;
736                         while (files.Count > 5)
737                                 files.TryTake(out popped);
738             var entry = new FileEntry { FullPath = filePath };
739                         files.TryAdd(entry);
740                 }
741
742                 public void NotifyAccount(AccountInfo account)
743                 {
744                         if (account== null)
745                                 return;
746                         //TODO: What happens to an existing account whose Token has changed?
747                         account.SiteUri= String.Format("{0}/ui/?token={1}&user={2}",
748                                 account.SiteUri, Uri.EscapeDataString(account.Token),
749                                 Uri.EscapeDataString(account.UserName));
750
751                         if (Accounts.All(item => item.UserName != account.UserName))
752                                 Accounts.TryAdd(account);
753
754                 }
755
756                 public void NotifyConflicts(IEnumerable<FileSystemInfo> conflictFiles, string message)
757                 {
758                         if (conflictFiles == null)
759                                 return;
760                     //Convert to list to avoid multiple iterations
761             var files = conflictFiles.ToList();
762                         if (files.Count==0)
763                                 return;
764
765                         UpdateStatus();
766                         //TODO: Create a more specific message. For now, just show a warning
767                         NotifyForFiles(files,message,TraceLevel.Warning);
768
769                 }
770
771                 public void NotifyForFiles(IEnumerable<FileSystemInfo> files, string message,TraceLevel level=TraceLevel.Info)
772                 {
773                         if (files == null)
774                                 return;
775                         if (!files.Any())
776                                 return;
777
778                         StatusMessage = message;
779
780                         _events.Publish(new Notification { Title = "Pithos", Message = message, Level = level});
781                 }
782
783                 public void Notify(Notification notification)
784                 {
785                         _events.Publish(notification);
786                 }
787
788
789                 public void RemoveMonitor(string accountName)
790                 {
791                         if (String.IsNullOrWhiteSpace(accountName))
792                                 return;
793
794                         var accountInfo=_accounts.FirstOrDefault(account => account.UserName == accountName);
795             if (accountInfo != null)
796             {
797                 _accounts.TryRemove(accountInfo);
798                 _pollAgent.RemoveAccount(accountInfo);
799             }
800
801                     PithosMonitor monitor;
802                         if (Monitors.TryRemove(accountName, out monitor))
803                         {
804                                 monitor.Stop();
805                 //TODO: Also remove any pending actions for this account
806                 //from the network queue                
807                         }
808                 }
809
810                 public void RefreshOverlays()
811                 {
812                         foreach (var pair in Monitors)
813                         {
814                                 var monitor = pair.Value;
815
816                                 var path = monitor.RootPath;
817
818                                 if (String.IsNullOrWhiteSpace(path))
819                                         continue;
820
821                                 if (!Directory.Exists(path) && !File.Exists(path))
822                                         continue;
823
824                                 IntPtr pathPointer = Marshal.StringToCoTaskMemAuto(path);
825
826                                 try
827                                 {
828                                         NativeMethods.SHChangeNotify(HChangeNotifyEventID.SHCNE_UPDATEITEM,
829                                                                                                  HChangeNotifyFlags.SHCNF_PATHW | HChangeNotifyFlags.SHCNF_FLUSHNOWAIT,
830                                                                                                  pathPointer, IntPtr.Zero);
831                                 }
832                                 finally
833                                 {
834                                         Marshal.FreeHGlobal(pathPointer);
835                                 }
836                         }
837                 }
838
839                 #region Event Handlers
840                 
841                 public void Handle(SelectiveSynchChanges message)
842                 {
843                         var accountName = message.Account.AccountName;
844                         PithosMonitor monitor;
845                         if (_monitors.TryGetValue(accountName, out monitor))
846                         {
847                                 monitor.SetSelectivePaths(message.Uris,message.Added,message.Removed);
848
849                         }
850                         
851                 }
852
853
854                 private bool _pollStarted;
855             private Sparkle _sparkle;
856
857             //SMELL: Doing so much work for notifications in the shell is wrong
858                 //The notifications should be moved to their own view/viewmodel pair
859                 //and different templates should be used for different message types
860                 //This will also allow the addition of extra functionality, eg. actions
861                 //
862                 public void Handle(Notification notification)
863                 {
864                         UpdateStatus();
865
866                         if (!Settings.ShowDesktopNotifications)
867                                 return;
868
869                         if (notification is PollNotification)
870                         {
871                                 _pollStarted = true;
872                                 return;
873                         }
874                         if (notification is CloudNotification)
875                         {
876                                 if (!_pollStarted) 
877                                         return;
878                                 _pollStarted= false;
879                                 notification.Title = "Pithos";
880                                 notification.Message = "Start Synchronisation";
881                         }
882
883                     var progress = notification as ProgressNotification;
884                     if (progress != null)
885                     {
886                         StatusMessage = String.Format("Pithos {0}\r\n{1} {2:p2} of {3} - {4}",
887                                                       _fileVersion.Value.FileVersion, 
888                                               progress.Action,
889                                                       progress.Block/(double)progress.TotalBlocks,
890                                                       progress.FileSize.ToByteSize(),
891                                                       progress.FileName);
892                         return;
893                     }
894
895                     var info = notification as StatusNotification;
896             if (info != null)
897             {
898                 StatusMessage = String.Format("Pithos {0}\r\n{1}",
899                                               _fileVersion.Value.FileVersion,
900                                               info.Title);
901                 return;
902             }
903                         if (String.IsNullOrWhiteSpace(notification.Message) && String.IsNullOrWhiteSpace(notification.Title))
904                                 return;
905
906                         ShowBalloonFor(notification);
907                 }
908
909             private void ShowBalloonFor(Notification notification)
910             {
911             Contract.Requires(notification!=null);
912             
913             if (!Settings.ShowDesktopNotifications) 
914                 return;
915             
916             BalloonIcon icon;
917                 switch (notification.Level)
918                 {
919                     case TraceLevel.Info:
920                     case TraceLevel.Verbose:
921                         return;
922                 case TraceLevel.Error:
923                     icon = BalloonIcon.Error;
924                     break;
925                 case TraceLevel.Warning:
926                         icon = BalloonIcon.Warning;
927                         break;
928                     default:
929                         return;
930                 }
931
932                 var tv = (ShellView) GetView();
933                 System.Action clickAction = null;
934                 if (notification is ExpirationNotification)
935                 {
936                     clickAction = () => ShowPreferences("AccountTab");
937                 }
938                 var balloon = new PithosBalloon
939                                   {
940                                       Title = notification.Title,
941                                       Message = notification.Message,
942                                       Icon = icon,
943                                       ClickAction = clickAction
944                                   };
945                 tv.TaskbarView.ShowCustomBalloon(balloon, PopupAnimation.Fade, 4000);
946             }
947
948             #endregion
949
950                 public void Handle(ShowFilePropertiesEvent message)
951                 {
952                         if (message == null)
953                                 throw new ArgumentNullException("message");
954                         if (String.IsNullOrWhiteSpace(message.FileName) )
955                                 throw new ArgumentException("message");
956                         Contract.EndContractBlock();
957
958                         var fileName = message.FileName;
959                         //TODO: Display file properties for non-container folders
960                         if (File.Exists(fileName))
961                                 //Retrieve the full name with exact casing. Pithos names are case sensitive                             
962                                 ShowFileProperties(FileInfoExtensions.GetProperFilePathCapitalization(fileName));
963                         else if (Directory.Exists(fileName))
964                                 //Retrieve the full name with exact casing. Pithos names are case sensitive
965                         {
966                                 var path = FileInfoExtensions.GetProperDirectoryCapitalization(fileName);
967                                 if (IsContainer(path))
968                                         ShowContainerProperties(path);
969                                 else
970                                         ShowFileProperties(path);
971                         }
972                 }
973
974                 private bool IsContainer(string path)
975                 {
976                         var matchingFolders = from account in _accounts
977                                                                   from rootFolder in Directory.GetDirectories(account.AccountPath)
978                                                                   where rootFolder.Equals(path, StringComparison.InvariantCultureIgnoreCase)
979                                                                   select rootFolder;
980                         return matchingFolders.Any();
981                 }
982
983                 public FileStatus GetFileStatus(string localFileName)
984                 {
985                         if (String.IsNullOrWhiteSpace(localFileName))
986                                 throw new ArgumentNullException("localFileName");
987                         Contract.EndContractBlock();
988                         
989                         var statusKeeper = IoC.Get<IStatusKeeper>();
990                         var status=statusKeeper.GetFileStatus(localFileName);
991                         return status;
992                 }
993
994             public void RemoveAccountFromDatabase(AccountSettings account)
995             {
996             var statusKeeper = IoC.Get<IStatusKeeper>();
997             statusKeeper.ClearFolderStatus(account.RootPath);           
998             }
999         }
1000 }