[CalendarServer-changes] [11072] CalendarServer/trunk

source_changes at macosforge.org source_changes at macosforge.org
Fri Apr 19 19:27:00 PDT 2013


Revision: 11072
          http://trac.calendarserver.org//changeset/11072
Author:   sagen at apple.com
Date:     2013-04-19 19:27:00 -0700 (Fri, 19 Apr 2013)
Log Message:
-----------
A tool to display scheduled work items

Added Paths:
-----------
    CalendarServer/trunk/bin/calendarserver_monitor_work
    CalendarServer/trunk/calendarserver/tools/workitems.py

Added: CalendarServer/trunk/bin/calendarserver_monitor_work
===================================================================
--- CalendarServer/trunk/bin/calendarserver_monitor_work	                        (rev 0)
+++ CalendarServer/trunk/bin/calendarserver_monitor_work	2013-04-20 02:27:00 UTC (rev 11072)
@@ -0,0 +1,38 @@
+#!/usr/bin/env python
+
+##
+# Copyright (c) 2006-2013 Apple Inc. All rights reserved.
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+##
+
+import os
+import sys
+
+# In OS X Server context, add to PATH to find Postgres utilities (initdb, pg_ctl)
+if "Server.app" in sys.argv[0]:
+    os.environ["PATH"] += ":" + os.path.join(os.path.dirname(os.path.dirname(sys.argv[0])), "bin")
+
+#PYTHONPATH
+
+if __name__ == "__main__":
+    if "PYTHONPATH" in globals():
+        sys.path.insert(0, PYTHONPATH)
+    else:
+        try:
+            import _calendarserver_preamble
+        except ImportError:
+            sys.exc_clear()
+
+    from calendarserver.tools.workitems import main
+    main()


Property changes on: CalendarServer/trunk/bin/calendarserver_monitor_work
___________________________________________________________________
Added: svn:executable
   + *

Added: CalendarServer/trunk/calendarserver/tools/workitems.py
===================================================================
--- CalendarServer/trunk/calendarserver/tools/workitems.py	                        (rev 0)
+++ CalendarServer/trunk/calendarserver/tools/workitems.py	2013-04-20 02:27:00 UTC (rev 11072)
@@ -0,0 +1,148 @@
+#!/usr/bin/env python
+
+##
+# Copyright (c) 2006-2013 Apple Inc. All rights reserved.
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+##
+from __future__ import print_function
+
+from getopt import getopt, GetoptError
+import os
+import sys
+import curses
+import datetime
+
+from twisted.internet.defer import inlineCallbacks
+from calendarserver.tools.cmdline import utilityMain
+from twisted.application.service import Service
+from calendarserver.push.notifier import PushNotificationWork
+from twistedcaldav.directory.directory import GroupCacherPollingWork
+from twistedcaldav.scheduling.imip.inbound import IMIPPollingWork, IMIPReplyWork
+
+def usage(e=None):
+
+    name = os.path.basename(sys.argv[0])
+    print("usage: %s [options]" % (name,))
+    print("")
+    print("  TODO: describe usage")
+    print("")
+    print("options:")
+    print("  -h --help: print this help and exit")
+    print("  -e --error: send stderr to stdout")
+    print("  -f --config <path>: Specify caldavd.plist configuration path")
+    print("")
+
+    if e:
+        sys.exit(64)
+    else:
+        sys.exit(0)
+
+
+
+def main():
+
+    try:
+        (optargs, _ignore_args) = getopt(
+            sys.argv[1:], "hef:", [
+                "help",
+                "error",
+                "config=",
+            ],
+        )
+    except GetoptError, e:
+        usage(e)
+
+    #
+    # Get configuration
+    #
+    configFileName = None
+    debug = False
+
+    for opt, arg in optargs:
+        if opt in ("-h", "--help"):
+            usage()
+
+        if opt in ("-e", "--error"):
+            debug = True
+
+        elif opt in ("-f", "--config"):
+            configFileName = arg
+
+        else:
+            raise NotImplementedError(opt)
+
+    utilityMain(configFileName, WorkItemMonitorService, verbose=debug)
+
+class WorkItemMonitorService(Service):
+
+    def __init__(self, store):
+        self.store = store
+        from twisted.internet import reactor
+        self.reactor = reactor
+
+
+    def startService(self):
+        self.screen = curses.initscr()
+        self.windows = []
+        for title, height, width, y, x, workItemClass, fmt, attrs in (
+            ("Group Membership Indexing", 4, 40, 0, 0, GroupCacherPollingWork, "", ()),
+            ("IMIP Reply Polling", 4, 40, 0, 42, IMIPPollingWork, "", ()),
+            ("IMIP Reply Processing", 10, 82, 4, 0, IMIPReplyWork, "%s %s", ("organizer", "attendee")),
+            ("Push Notifications", 20, 82, 14, 0, PushNotificationWork, "%s", ("pushID",)),
+        ):
+            window = WorkWindow(height, width, y, x,
+                self.store, title, workItemClass, fmt, attrs)
+            self.windows.append(window)
+        self.reactor.callLater(0, self.updateDisplay)
+
+
+    @inlineCallbacks
+    def updateDisplay(self):
+        for window in self.windows:
+            yield window.update()
+
+        self.reactor.callLater(1, self.updateDisplay)
+
+class WorkWindow(object):
+    def __init__(self, nlines, ncols, begin_y, begin_x,
+        store, title, workItemClass, fmt, attrs):
+        self.window = curses.newwin(nlines, ncols, begin_y, begin_x)
+        self.ncols = ncols
+        self.store = store
+        self.title = title
+        self.workItemClass = workItemClass
+        self.fmt = fmt
+        self.attrs = attrs
+
+    @inlineCallbacks
+    def update(self):
+        self.window.erase()
+        self.window.border()
+        self.window.addstr(0, 2, self.title)
+        txn = self.store.newTransaction()
+        records = (yield self.workItemClass.all(txn))
+
+        x = 1
+        y = 1
+        for record in records:
+            seconds = record.notBefore - datetime.datetime.utcnow()
+            self.window.addstr(y, x, "%d seconds" % int(seconds.total_seconds()))
+            y += 1
+            if self.attrs:
+                self.window.addnstr(y, x, self.fmt % tuple([getattr(record, str(a)) for a in self.attrs]), self.ncols-2)
+            y += 1
+        self.window.refresh()
+
+if __name__ == "__main__":
+    main()


Property changes on: CalendarServer/trunk/calendarserver/tools/workitems.py
___________________________________________________________________
Added: svn:executable
   + *
-------------- next part --------------
An HTML attachment was scrubbed...
URL: <http://lists.macosforge.org/pipermail/calendarserver-changes/attachments/20130419/35dd66b9/attachment-0001.html>


More information about the calendarserver-changes mailing list