1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400
|
'''
Task Coach - Your friendly task manager
Copyright (C) 2004-2014 Task Coach developers <developers@taskcoach.org>
Task Coach is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.
Task Coach is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program. If not, see <http://www.gnu.org/licenses/>.
'''
# This module works around bugs in third party modules, mostly by
# monkey-patching so import it first
from taskcoachlib import workarounds # pylint: disable=W0611
from taskcoachlib import patterns, operating_system
from taskcoachlib.i18n import _
from wx.lib.pubsub import pub
from taskcoachlib.config import Settings
import locale
import os
import sys
import time
import wx
import calendar
import re
import threading
class RedirectedOutput(object):
_rx_ignore = [
re.compile('RuntimeWarning: PyOS_InputHook'),
]
def __init__(self):
self.__handle = None
self.__path = os.path.join(Settings.pathToDocumentsDir(), 'taskcoachlog.txt')
def write(self, bf):
for rx in self._rx_ignore:
if rx.search(bf):
return
if self.__handle is None:
self.__handle = file(self.__path, 'a+')
self.__handle.write('============= %s\n' % time.ctime())
self.__handle.write(bf)
def flush(self):
pass
def close(self):
if self.__handle is not None:
self.__handle.close()
self.__handle = None
def summary(self):
if self.__handle is not None:
self.close()
if operating_system.isWindows():
wx.MessageBox(_('Errors have occured. Please see "taskcoachlog.txt" in your "My Documents" folder.'), _('Error'), wx.OK)
else:
wx.MessageBox(_('Errors have occured. Please see "%s"') % self.__path, _('Error'), wx.OK)
# pylint: disable=W0404
class wxApp(wx.App):
def __init__(self, sessionCallback, reopenCallback, *args, **kwargs):
self.sessionCallback = sessionCallback
self.reopenCallback = reopenCallback
self.__shutdownInProgress = False
super(wxApp, self).__init__(*args, **kwargs)
def MacReopenApp(self):
self.reopenCallback()
def OnInit(self):
# Suppress WXDEBUG assertions, as happens by default with wx2.8.
self.SetAssertMode(wx.PYAPP_ASSERT_SUPPRESS)
if operating_system.isWindows():
self.Bind(wx.EVT_QUERY_END_SESSION, self.onQueryEndSession)
try:
isatty = sys.stdout.isatty()
except AttributeError:
isatty = False
if (operating_system.isWindows() and hasattr(sys, 'frozen') and not isatty) or not isatty:
sys.stdout = sys.stderr = RedirectedOutput()
return True
def onQueryEndSession(self, event=None):
if not self.__shutdownInProgress:
self.__shutdownInProgress = True
self.sessionCallback()
if event is not None:
event.Skip()
class Application(object):
__metaclass__ = patterns.Singleton
def __init__(self, options=None, args=None, **kwargs):
self._options = options
self._args = args
self.initTwisted()
self.__wx_app = wxApp(self.on_end_session, self.on_reopen_app, redirect=False)
self.registerApp()
self.init(**kwargs)
if operating_system.isGTK():
if self.settings.getboolean('feature', 'usesm2'):
from taskcoachlib.powermgt import xsm
class LinuxSessionMonitor(xsm.SessionMonitor):
def __init__(self, callback):
super(LinuxSessionMonitor, self).__init__()
self._callback = callback
self.setProperty(xsm.SmCloneCommand, sys.argv)
self.setProperty(xsm.SmRestartCommand, sys.argv)
self.setProperty(xsm.SmCurrentDirectory, os.getcwd())
self.setProperty(xsm.SmProgram, sys.argv[0])
self.setProperty(xsm.SmRestartStyleHint,
xsm.SmRestartNever)
def saveYourself(self, saveType, shutdown, interactStyle,
fast): # pylint: disable=W0613
if shutdown:
wx.CallAfter(self._callback)
self.saveYourselfDone(True)
def die(self):
pass
def saveComplete(self):
pass
def shutdownCancelled(self):
pass
self.sessionMonitor = LinuxSessionMonitor(self.on_end_session) # pylint: disable=W0201
else:
self.sessionMonitor = None
calendar.setfirstweekday(dict(monday=0, sunday=6)[self.settings.get('view', 'weekstart')])
def initTwisted(self):
from twisted.internet import wxreactor
wxreactor.install()
# Monkey-patching older versions because of https://twistedmatrix.com/trac/ticket/3948
import twisted
if map(int, twisted.__version__.split('.')) < (11,):
from twisted.internet import reactor
if wxreactor.WxReactor.callFromThread is not None:
oldStop = wxreactor.WxReactor.stop
def stopFromThread(self):
self.callFromThread(oldStop, self)
wxreactor.WxReactor.stop = stopFromThread
def stopTwisted(self):
from twisted.internet import reactor, error
try:
reactor.stop()
except error.ReactorNotRunning:
# Happens on Fedora 14 when running unit tests. Old Twisted ?
pass
def registerApp(self):
from twisted.internet import reactor
reactor.registerWxApp(self.__wx_app)
def start(self):
''' Call this to start the Application. '''
# pylint: disable=W0201
from taskcoachlib import meta
if self.settings.getboolean('version', 'notify'):
self.__version_checker = meta.VersionChecker(self.settings)
self.__version_checker.start()
if self.settings.getboolean('view', 'developermessages'):
self.__message_checker = meta.DeveloperMessageChecker(self.settings)
self.__message_checker.start()
self.__copy_default_templates()
self.mainwindow.Show()
from twisted.internet import reactor
reactor.run()
def __copy_default_templates(self):
''' Copy default templates that don't exist yet in the user's
template directory. '''
from taskcoachlib.persistence import getDefaultTemplates
template_dir = self.settings.pathToTemplatesDir()
if len([name for name in os.listdir(template_dir) if name.endswith('.tsktmpl')]) == 0:
for name, template in getDefaultTemplates():
filename = os.path.join(template_dir, name + '.tsktmpl')
if not os.path.exists(filename):
file(filename, 'wb').write(template)
def init(self, loadSettings=True, loadTaskFile=True):
''' Initialize the application. Needs to be called before
Application.start(). '''
self.__init_config(loadSettings)
self.__init_language()
self.__init_domain_objects()
self.__init_application()
from taskcoachlib import gui, persistence
gui.init()
show_splash_screen = self.settings.getboolean('window', 'splash')
splash = gui.SplashScreen() if show_splash_screen else None
# pylint: disable=W0201
self.taskFile = persistence.LockedTaskFile(poll=not self.settings.getboolean('file', 'nopoll'))
self.__auto_saver = persistence.AutoSaver(self.settings)
self.__auto_exporter = persistence.AutoImporterExporter(self.settings)
self.__auto_backup = persistence.AutoBackup(self.settings)
self.iocontroller = gui.IOController(self.taskFile, self.displayMessage,
self.settings, splash)
self.mainwindow = gui.MainWindow(self.iocontroller, self.taskFile,
self.settings, splash=splash)
self.__wx_app.SetTopWindow(self.mainwindow)
self.__init_spell_checking()
if not self.settings.getboolean('file', 'inifileloaded'):
self.__close_splash(splash)
self.__warn_user_that_ini_file_was_not_loaded()
if loadTaskFile:
self.iocontroller.openAfterStart(self._args)
self.__register_signal_handlers()
self.__create_mutex()
self.__create_task_bar_icon()
wx.CallAfter(self.__close_splash, splash)
wx.CallAfter(self.__show_tips)
def __init_config(self, load_settings):
from taskcoachlib import config
ini_file = self._options.inifile if self._options else None
# pylint: disable=W0201
self.settings = config.Settings(load_settings, ini_file)
def __init_language(self):
''' Initialize the current translation. '''
from taskcoachlib import i18n
i18n.Translator(self.determine_language(self._options, self.settings))
@staticmethod
def determine_language(options, settings, locale=locale): # pylint: disable=W0621
language = None
if options:
# User specified language or .po file on command line
language = options.pofile or options.language
if not language:
# Get language as set by the user via the preferences dialog
language = settings.get('view', 'language_set_by_user')
if not language:
# Get language as set by the user or externally (e.g. PortableApps)
language = settings.get('view', 'language')
if not language:
# Use the user's locale
language = locale.getdefaultlocale()[0]
if language == 'C':
language = None
if not language:
# Fall back on what the majority of our users use
language = 'en_US'
return language
def __init_domain_objects(self):
''' Provide relevant domain objects with access to the settings. '''
from taskcoachlib.domain import task, attachment
task.Task.settings = self.settings
attachment.Attachment.settings = self.settings
def __init_application(self):
from taskcoachlib import meta
self.__wx_app.SetAppName(meta.name)
self.__wx_app.SetVendorName(meta.author)
def __init_spell_checking(self):
self.on_spell_checking(self.settings.getboolean('editor',
'maccheckspelling'))
pub.subscribe(self.on_spell_checking,
'settings.editor.maccheckspelling')
def on_spell_checking(self, value):
if operating_system.isMac() and not operating_system.isMacOsXMountainLion_OrNewer():
wx.SystemOptions.SetOptionInt("mac.textcontrol-use-spell-checker",
value)
def __register_signal_handlers(self):
if operating_system.isWindows():
import win32api # pylint: disable=F0401
def quit_adapter(*args):
# The handler is called from something that is not the main thread, so we can't do
# much wx-related
event = threading.Event()
def quit():
try:
self.quitApplication()
finally:
event.set()
wx.CallAfter(quit)
event.wait()
return True
win32api.SetConsoleCtrlHandler(quit_adapter, True)
else:
import signal
def quit_adapter(*args):
return self.quitApplication()
signal.signal(signal.SIGTERM, quit_adapter)
if hasattr(signal, 'SIGHUP'):
forced_quit = lambda *args: self.quitApplication(force=True)
signal.signal(signal.SIGHUP, forced_quit) # pylint: disable=E1101
@staticmethod
def __create_mutex():
''' On Windows, create a mutex so that InnoSetup can check whether the
application is running. '''
if operating_system.isWindows():
import ctypes
from taskcoachlib import meta
ctypes.windll.kernel32.CreateMutexA(None, False, meta.filename)
def __create_task_bar_icon(self):
if self.__can_create_task_bar_icon():
from taskcoachlib.gui import taskbaricon, menu
self.taskBarIcon = taskbaricon.TaskBarIcon(self.mainwindow, # pylint: disable=W0201
self.taskFile.tasks(), self.settings)
self.taskBarIcon.setPopupMenu(menu.TaskBarMenu(self.taskBarIcon,
self.settings, self.taskFile, self.mainwindow.viewer))
def __can_create_task_bar_icon(self):
try:
from taskcoachlib.gui import taskbaricon # pylint: disable=W0612
return True
except:
return False # pylint: disable=W0702
@staticmethod
def __close_splash(splash):
if splash:
splash.Destroy()
def __show_tips(self):
if self.settings.getboolean('window', 'tips'):
from taskcoachlib import help # pylint: disable=W0622
help.showTips(self.mainwindow, self.settings)
def __warn_user_that_ini_file_was_not_loaded(self):
from taskcoachlib import meta
reason = self.settings.get('file', 'inifileloaderror')
wx.MessageBox(\
_("Couldn't load settings from TaskCoach.ini:\n%s") % reason,
_('%s file error') % meta.name, style=wx.OK | wx.ICON_ERROR)
self.settings.setboolean('file', 'inifileloaded', True) # Reset
def displayMessage(self, message):
self.mainwindow.displayMessage(message)
def on_end_session(self):
self.mainwindow.setShutdownInProgress()
self.quitApplication(force=True)
def on_reopen_app(self):
self.taskBarIcon.onTaskbarClick(None)
def quitApplication(self, force=False):
if not self.iocontroller.close(force=force):
return False
# Remember what the user was working on:
self.settings.set('file', 'lastfile', self.taskFile.lastFilename())
self.mainwindow.save_settings()
self.settings.save()
if hasattr(self, 'taskBarIcon'):
self.taskBarIcon.RemoveIcon()
if self.mainwindow.bonjourRegister is not None:
self.mainwindow.bonjourRegister.stop()
from taskcoachlib.domain import date
date.Scheduler().shutdown()
self.__wx_app.ProcessIdle()
# For PowerStateMixin
self.mainwindow.OnQuit()
if operating_system.isGTK() and self.sessionMonitor is not None:
self.sessionMonitor.stop()
if isinstance(sys.stdout, RedirectedOutput):
sys.stdout.summary()
self.stopTwisted()
return True
|