All patches and comments are welcome. Please squash your changes to logical
commits before using git-format-patch and git-send-email to
patches@git.madduck.net.
If you'd read over the Git project's submission guidelines and adhered to them,
I'd be especially grateful.
   1 Welcome to tasklib's documentation!
 
   2 ===================================
 
   4 tasklib is a Python library for interacting with taskwarrior_ databases, using
 
   5 a queryset API similar to that of Django's ORM.
 
   7 Supports Python 2.6, 2.7, 3.2, 3.3 and 3.4 with taskwarrior 2.1.x and above.
 
   8 Older versions of taskwarrior are untested and may not work.
 
  13 * taskwarrior_ v2.1.x or above, although newest minor release is recommended.
 
  18 Install via pip (recommended)::
 
  22 Or clone from github::
 
  24     git clone https://github.com/robgolding63/tasklib.git
 
  26     python setup.py install
 
  31 Optionally initialize the ``TaskWarrior`` instance with ``data_location`` (the
 
  32 database directory). If it doesn't already exist, this will be created
 
  33 automatically unless ``create=False``.
 
  35 The default location is the same as taskwarrior's::
 
  37     >>> tw = TaskWarrior(data_location='~/.task', create=True)
 
  39 The ``TaskWarrior`` instance will also use your .taskrc configuration (so that
 
  40 it recognizes the same UDAs as your task binary, uses the same configuration,
 
  41 etc.). To override the location of the .taskrc, use
 
  42 ``taskrc_location=~/some/different/path``.
 
  47 To create a task, simply create a new ``Task`` object::
 
  49     >>> new_task = Task(tw, description="throw out the trash")
 
  51 This task is not yet saved to TaskWarrior (same as in Django), not until
 
  52 you call ``.save()`` method::
 
  56 You can set any attribute as a keyword argument to the Task object::
 
  58     >>> complex_task = Task(tw, description="finally fix the shower", due=datetime(2015,2,14,8,0,0), priority='H')
 
  60 or by setting the attributes one by one::
 
  62     >>> complex_task = Task(tw)
 
  63     >>> complex_task['description'] = "finally fix the shower"
 
  64     >>> complex_task['due'] = datetime(2015,2,14,8,0,0)
 
  65     >>> complex_task['priority'] = 'H'
 
  70 To modify a created or retrieved ``Task`` object, use dictionary-like access::
 
  72     >>> homework = tw.tasks.get(tags=['chores'])
 
  73     >>> homework['project'] = 'Home'
 
  75 The change is not propagated to the TaskWarrior until you run the ``save()`` method::
 
  79 Attributes, which map to native Python objects are converted. See Task Attributes section.
 
  84 Attributes of task objects are accessible through indices, like so::
 
  86     >>> task = tw.tasks.pending().get(tags__contain='work')  # There is only one pending task with 'work' tag
 
  87     >>> task['description']
 
  88     'Upgrade Ubuntu Server'
 
  92     datetime.datetime(2015, 2, 5, 0, 0, tzinfo=<DstTzInfo 'Europe/Berlin' CET+1:00:00 STD>)
 
  96 The following fields are deserialized into Python objects:
 
  98 * ``due``, ``wait``, ``scheduled``, ``until``, ``entry``: deserialized to a ``datetime`` object
 
  99 * ``annotations``: deserialized to a list of ``TaskAnnotation`` objects
 
 100 * ``tags``: deserialized to a list of strings
 
 101 * ``depends``: deserialized to a set of ``Task`` objects
 
 103 Attributes should be set using the correct Python representation, which will be
 
 104 serialized into the correct format when the task is saved.
 
 109 Tasklib defines several properties upon ``Task`` object, for convenience::
 
 133 After modifying one or more attributes, simple call ``save()`` to write those
 
 134 changes to the database::
 
 136     >>> task = tw.tasks.pending().get(tags__contain='work')
 
 137     >>> task['due'] = datetime(year=2014, month=1, day=5)
 
 140 To mark a task as complete, use ``done()``::
 
 142     >>> task = tw.tasks.pending().get(tags__contain='work')
 
 144     >>> len(tw.tasks.pending().filter(tags__contain='work'))
 
 147 To delete a task, use ``delete()``::
 
 149     >>> task = tw.tasks.get(description="task added by mistake")
 
 152 To update a task object with values from TaskWarrior database, use ``refresh()``. Example::
 
 154     >>> task = Task(tw, description="learn to cook")
 
 161 Now, suppose the we modify the task using the TaskWarrior interface in another terminal::
 
 163     $ task 5 modify +someday
 
 166 Switching back to the open python process::
 
 174 Tasks can also be started and stopped. Use ``start()`` and ``stop()``
 
 179     datetime.datetime(2015, 7, 16, 18, 48, 28, tzinfo=<DstTzInfo 'Europe/Prague' CEST+2:00:00 DST>)
 
 184     datetime.datetime(2015, 7, 16, 18, 49, 2, tzinfo=<DstTzInfo 'Europe/Prague' CEST+2:00:00 DST>)
 
 190 ``tw.tasks`` is a ``TaskQuerySet`` object which emulates the Django QuerySet
 
 191 API. To get all tasks (including completed ones)::
 
 194     ['First task', 'Completed task', 'Deleted task', ...]
 
 199 Filter tasks using the same familiar syntax::
 
 201     >>> tw.tasks.filter(status='pending', tags__contains=['work'])
 
 202     ['Upgrade Ubuntu Server']
 
 204 Filter arguments are passed to the ``task`` command (``__`` is replaced by
 
 205 a period) so the above example is equivalent to the following command::
 
 207     $ task status:pending tags.contain=work
 
 209 Tasks can also be filtered using raw commands, like so::
 
 211     >>> tw.tasks.filter('status:pending +work')
 
 212     ['Upgrade Ubuntu Server']
 
 214 Although this practice is discouraged, as by using raw commands you may lose
 
 215 some of the portablility of your commands over different TaskWarrior versions.
 
 217 However, you can mix raw commands with keyword filters, as in the given example::
 
 219     >>> tw.tasks.filter('+BLOCKING', project='Home')  # Gets all blocking tasks in project Home
 
 222 This can be a neat way how to use syntax not yet supported by tasklib. The above
 
 223 is excellent example, since virtual tags do not work the same way as the ordinary ones, that is::
 
 225     >>> tw.tasks.filter(tags=['BLOCKING'])
 
 230 There are built-in functions for retrieving pending & completed tasks::
 
 232     >>> tw.tasks.pending().filter(tags__contain='work')
 
 233     ['Upgrade Ubuntu Server']
 
 234     >>> len(tw.tasks.completed())
 
 237 Use ``get()`` to return the only task in a ``TaskQuerySet``, or raise an
 
 240     >>> tw.tasks.get(tags__contain='work')['status']
 
 242     >>> tw.tasks.get(status='completed', tags__contains='work')  # Status of only task with the work tag is pending, so this should fail
 
 243     Traceback (most recent call last):
 
 244       File "<stdin>", line 1, in <module>
 
 245       File "tasklib/task.py", line 224, in get
 
 246         'Lookup parameters were {0}'.format(kwargs))
 
 247     tasklib.task.DoesNotExist: Task matching query does not exist. Lookup parameters were {'status': 'completed', 'tags__contains': ['work']}
 
 248     >>> tw.tasks.get(status='pending')
 
 249     Traceback (most recent call last):
 
 250       File "<stdin>", line 1, in <module>
 
 251       File "tasklib/task.py", line 227, in get
 
 252         'Lookup parameters were {1}'.format(num, kwargs))
 
 253     ValueError: get() returned more than one Task -- it returned 23! Lookup parameters were {'status': 'pending'}
 
 255 Additionally, since filters return ``TaskQuerySets`` you can stack filters on top of each other::
 
 257     >>> home_tasks = tw.tasks.filter(project='Wife')
 
 258     >>> home_tasks.filter(due__before=datetime(2015,2,14,14,14,14))  # What I have to do until Valentine's day
 
 259     ['Prepare surprise birthday party']
 
 261 Equality of Task objects
 
 262 ------------------------
 
 264 Two Tasks are considered equal if they have the same UUIDs::
 
 266     >>> task1 = Task(tw, description="Pet the dog")
 
 268     >>> task2 = tw.tasks.get(description="Pet the dog")
 
 272 If you compare the two unsaved tasks, they are considered equal only if it's the
 
 275     >>> task1 = Task(tw, description="Pet the cat")
 
 276     >>> task2 = Task(tw, description="Pet the cat")
 
 283 Accessing original values
 
 284 -------------------------
 
 286 To access the saved state of the Task, use dict-like access using the
 
 287 ``original`` attribute:
 
 289     >>> t = Task(tw, description="tidy up")
 
 291     >>> t['description'] = "tidy up the kitchen and bathroom"
 
 293     "tidy up the kitchen and bathroom"
 
 294     >>> t.original['description']
 
 297 When you save the task, original values are refreshed to reflect the
 
 298 saved state of the task:
 
 301     >>> t.original['description']
 
 302     "tidy up the kitchen and bathroom"
 
 304 Dealing with dates and time
 
 305 ---------------------------
 
 307 Any timestamp-like attributes of the tasks are converted to timezone-aware
 
 308 datetime objects. To achieve this, Tasklib leverages ``pytz`` Python module,
 
 309 which brings the Olsen timezone databaze to Python.
 
 311 This shields you from annoying details of Daylight Saving Time shifts
 
 312 or conversion between different timezones. For example, to list all the
 
 313 tasks which are due midnight if you're currently in Berlin:
 
 315     >>> myzone = pytz.timezone('Europe/Berlin')
 
 316     >>> midnight = myzone.localize(datetime(2015,2,2,0,0,0))
 
 317     >>> tw.tasks.filter(due__before=midnight)
 
 319 However, this is still a little bit tedious. That's why TaskWarrior object
 
 320 is capable of automatic timezone detection, using the ``tzlocal`` Python
 
 321 module. If your system timezone is set to 'Europe/Berlin', following example
 
 322 will work the same way as the previous one:
 
 324     >>> tw.tasks.filter(due__before=datetime(2015,2,2,0,0,0))
 
 326 You can also use simple dates when filtering:
 
 328     >>> tw.tasks.filter(due__before=date(2015,2,2))
 
 330 In such case, a 00:00:00 is used as the time component.
 
 332 Of course, you can use datetime naive objects when initializing Task object
 
 333 or assigning values to datetime atrributes:
 
 335     >>> t = Task(tw, description="Buy new shoes", due=date(2015,2,5))
 
 337     datetime.datetime(2015, 2, 5, 0, 0, tzinfo=<DstTzInfo 'Europe/Berlin' CET+1:00:00 STD>)
 
 338     >>> t['due'] = date(2015,2,6,15,15,15)
 
 340     datetime.datetime(2015, 2, 6, 15, 15, 15, tzinfo=<DstTzInfo 'Europe/Berlin' CET+1:00:00 STD>)
 
 342 However, since timezone-aware and timezone-naive datetimes are not comparable
 
 343 in Python, this can cause some unexpected behaviour:
 
 345     >>> from datetime import datetime
 
 346     >>> now = datetime.now()
 
 347     >>> t = Task(tw, description="take out the trash now") 
 
 350     datetime.datetime(2015, 2, 1, 19, 44, 4, 770001)
 
 352     datetime.datetime(2015, 2, 1, 19, 44, 4, 770001, tzinfo=<DstTzInfo 'Europe/Berlin' CET+1:00:00 STD>)
 
 354     Traceback (most recent call last):
 
 355       File "<stdin>", line 1, in <module>
 
 356       TypeError: can't compare offset-naive and offset-aware datetimes
 
 358 If you want to compare datetime aware value with datetime naive value, you need
 
 359 to localize the naive value first:
 
 361     >>> from datetime import datetime
 
 362     >>> from tasklib.task import local_zone
 
 363     >>> now = local_zone.localize(datetime.now())
 
 366     datetime.datetime(2015, 2, 1, 19, 44, 4, 770001, tzinfo=<DstTzInfo 'Europe/Berlin' CET+1:00:00 STD>)
 
 370 Also, note that it does not matter whether the timezone aware datetime objects
 
 371 are set in the same timezone:
 
 375     datetime.datetime(2015, 2, 1, 19, 44, 4, 770001, tzinfo=<DstTzInfo 'Europe/Berlin' CET+1:00:00 STD>)
 
 376     >>> now.astimezone(pytz.utc)
 
 377     datetime.datetime(2015, 2, 1, 18, 44, 4, 770001, tzinfo=<UTC>)
 
 378     >>> t['due'] == now.astimezone(pytz.utc)
 
 381 *Note*: Following behaviour is available only for TaskWarrior >= 2.4.0.
 
 383 There is a third approach to setting up date time values, which leverages
 
 384 the 'task calc' command. You can simply set any datetime attribute to
 
 385 any string that contains an acceptable TaskWarrior-formatted time expression::
 
 390 This syntax can be leveraged in the python interpreter as follows::
 
 392     >>> t['due'] = "now + 1d"
 
 394     datetime.datetime(2015, 7, 17, 21, 19, 31, tzinfo=<DstTzInfo 'Europe/Berlin' CEST+2:00:00 DST>)
 
 396 It can be easily seen that the string with TaskWarrior-formatted time expression
 
 397 is automatically converted to native datetime in the local time zone.
 
 399 For the list of acceptable formats and keywords, please consult:
 
 401 * http://taskwarrior.org/docs/dates.html
 
 402 * http://taskwarrior.org/docs/named_dates.html
 
 404 However, as each such assigment involves call to 'task calc' for conversion,
 
 405 it might cause some performance issues when assigning strings to datetime
 
 406 attributes repeatedly, in a automated manner.
 
 408 Working with annotations
 
 409 ------------------------
 
 411 Annotations of the tasks are represented in tasklib by ``TaskAnnotation`` objects. These
 
 412 are much like ``Task`` objects, albeit very simplified.
 
 414     >>> annotated_task = tw.tasks.get(description='Annotated task')
 
 415     >>> annotated_task['annotations']
 
 416     [Yeah, I am annotated!]
 
 418 Annotations have only defined ``entry`` and ``description`` values::
 
 420     >>> annotation = annotated_task['annotations'][0]
 
 421     >>> annotation['entry']
 
 422     datetime.datetime(2015, 1, 3, 21, 13, 55, tzinfo=<DstTzInfo 'Europe/Berlin' CET+1:00:00 STD>)
 
 423     >>> annotation['description']
 
 424     u'Yeah, I am annotated!'
 
 426 To add a annotation to a Task, use ``add_annotation()``::
 
 428     >>> task = Task(tw, description="new task")
 
 429     >>> task.add_annotation("we can annotate any task")
 
 430     Traceback (most recent call last):
 
 431       File "<stdin>", line 1, in <module>
 
 432         File "build/bdist.linux-x86_64/egg/tasklib/task.py", line 355, in add_annotation
 
 433     tasklib.task.NotSaved: Task needs to be saved to add annotation
 
 435 However, Task needs to be saved before you can add a annotation to it::
 
 438     >>> task.add_annotation("we can annotate saved tasks")
 
 439     >>> task['annotations']
 
 440     [we can annotate saved tasks]
 
 442 To remove the annotation, pass its description to ``remove_annotation()`` method::
 
 444     >>> task.remove_annotation("we can annotate saved tasks")
 
 446 Alternatively, you can pass the ``TaskAnnotation`` object itself::
 
 448     >>> task.remove_annotation(task['annotations'][0])
 
 451 Running custom commands
 
 452 -----------------------
 
 454 To run a custom commands, use ``execute_command()`` method of ``TaskWarrior`` object::
 
 456     >>> tw = TaskWarrior()
 
 457     >>> tw.execute_command(['log', 'Finish high school.'])
 
 460 You can use ``config_override`` keyword argument to specify a dictionary of configuration overrides::
 
 462     >>> tw.execute_command(['3', 'done'], config_override={'gc': 'off'}) # Will mark 3 as completed and it will retain its ID
 
 465 Additionally, you can use ``return_all=True`` flag, which returns
 
 466 ``(stdout, sterr, return_code)`` triplet, and ``allow_failure=False``, which will
 
 467 prevent tasklib from raising an exception if the task binary returned non-zero
 
 470     >>> tw.execute_command(['invalidcommand'], allow_failure=False, return_all=True)
 
 472      [u'Using alternate .taskrc file /home/tbabej/.taskrc',
 
 473       u"[task next rc:/home/tbabej/.taskrc rc.recurrence.confirmation=no rc.json.array=off rc.confirmation=no rc.bulk=0 rc.dependency.confirmation=no description ~ 'invalidcommand']",
 
 474       u'Configuration override rc.recurrence.confirmation:no',
 
 475       u'Configuration override rc.json.array:off',
 
 476       u'Configuration override rc.confirmation:no',
 
 477       u'Configuration override rc.bulk:0',
 
 478       u'Configuration override rc.dependency.confirmation:no',
 
 480       u'There are local changes.  Sync required.'],
 
 484 Setting custom configuration values
 
 485 -----------------------------------
 
 487 By default, TaskWarrior uses configuration values stored in your .taskrc.
 
 488 To see what configuration value overrides are passed to each executed
 
 489 task command, have a peek into ``config`` attribute of ``TaskWarrior`` object::
 
 492     {'confirmation': 'no', 'data.location': '/home/tbabej/.task'}
 
 494 To pass your own configuration overrides, you just need to update this dictionary::
 
 496     >>> tw.config.update({'hooks': 'off'})  # tasklib will not trigger hooks
 
 498 Creating hook scripts
 
 499 ---------------------
 
 501 From version 2.4.0, TaskWarrior has support for hook scripts. Tasklib provides
 
 502 some very useful helpers to write those. With tasklib, writing these becomes
 
 507     from tasklib.task import Task
 
 508     task = Task.from_input()
 
 510     print task.export_data()
 
 512 For example, plugin which would assign the priority "H" to any task containing
 
 513 three exclamation marks in the description, would go like this::
 
 517     from tasklib.task import Task
 
 518     task = Task.from_input()
 
 520     if "!!!" in task['description']:
 
 521         task['priority'] = "H"
 
 523     print task.export_data()
 
 525 Tasklib can automatically detect whether it's running in the ``on-modify`` event,
 
 526 which provides more input than ``on-add`` event and reads the data accordingly.
 
 528 This means the example above works both for ``on-add`` and ``on-modify`` events!
 
 530 Consenquently, you can create just one hook file for both ``on-add`` and
 
 531 ``on-modify`` events, and you just need to create a symlink for the other one.
 
 532 This removes the need for maintaining two copies of the same code base and/or
 
 535 In ``on-modify`` events, tasklib loads both the original version and the modified
 
 536 version of the task to the returned ``Task`` object. To access the original data
 
 537 (in read-only manner), use ``original`` dict-like attribute:
 
 539     >>> t = Task.from_input()
 
 541     "Modified description"
 
 542     >>> t.original['description']
 
 543     "Original description"
 
 548 Since TaskWarrior does read your .taskrc, you need not to define any UDAs
 
 549 in the TaskWarrior's config dictionary, as described above. Suppose we have
 
 550 a estimate UDA in the .taskrc::
 
 552     uda.estimate.type = numeric
 
 554 We can simply filter and create tasks using the estimate UDA out of the box::
 
 556     >>> tw = TaskWarrior()
 
 557     >>> task = Task(tw, description="Long task", estimate=1000)
 
 562 This is saved as UDA in the TaskWarrior::
 
 565     {"id":1,"description":"Long task","estimate":1000, ...}
 
 567 We can also speficy UDAs as arguments in the TaskFilter::
 
 569     >>> tw.tasks.filter(estimate=1000)
 
 575 If you have configurated the needed config variables in your .taskrc, syncing
 
 578     >>> tw = TaskWarrior()
 
 579     >>> tw.execute_command(['sync'])
 
 581 If you want to use non-standard server/credentials, you'll need to provide configuration
 
 582 overrides to the ``TaskWarrior`` instance. Update the ``config`` dictionary with the
 
 583 values you desire to override, and then we can run the sync command using
 
 584 the ``execute_command()`` method::
 
 586     >>> tw = TaskWarrior()
 
 588     ...     'taskd.certificate': '/home/tbabej/.task/tbabej.cert.pem',
 
 589     ...     'taskd.credentials': 'Public/tbabej/34af54de-3cb2-4d3d-82be-33ddb8fd3e66',
 
 590     ...     'taskd.server': 'task.server.com:53589',
 
 591     ...     'taskd.ca': '/home/tbabej/.task/ca.cert.pem',
 
 592     ...     'taskd.trust': 'ignore hostname'}
 
 593     >>> tw.config.update(sync_config)
 
 594     >>> tw.execute_command(['sync'])
 
 597 .. _taskwarrior: http://taskwarrior.org