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
|
#!/usr/bin/env python
# -*- coding: utf-8 -*-
#
# Copyright (C) 2007 Christopher Lenz
# All rights reserved.
#
# This software is licensed as described in the file COPYING, which
# you should have received as part of this distribution.
"""Implementation of a view server for functions written in Python."""
import os
import simplejson as json
import sys
import traceback
from codecs import BOM_UTF8
from types import FunctionType
__all__ = ['main', 'run']
__docformat__ = 'restructuredtext en'
def run(input=sys.stdin, output=sys.stdout):
r"""CouchDB view function handler implementation for Python.
>>> from StringIO import StringIO
>>> output = StringIO()
>>> run(input=StringIO('["reset"]\n'), output=output)
>>> print output.getvalue()
true
<BLANKLINE>
>>> output = StringIO()
>>> run(input=StringIO('["add_fun", "def fun(doc): yield None, doc"]\n'),
... output=output)
>>> print output.getvalue()
true
<BLANKLINE>
>>> output = StringIO()
>>> run(input=StringIO('["add_fun", "def fun(doc): yield None, doc"]\n'
... '["map_doc", {"foo": "bar"}]\n'),
... output=output)
>>> print output.getvalue()
true
[[[null, {"foo": "bar"}]]]
<BLANKLINE>
:param input: the readable file-like object to read input from
:param output: the writable file-like object to write output to
"""
functions = []
def reset():
del functions[:]
return True
def add_fun(string):
string = BOM_UTF8 + string.encode('utf-8')
globals_ = {}
try:
exec string in {}, globals_
except Exception, e:
return {'error': {'id': 'map_compilation_error', 'reason': e.args[0]}}
err = {'error': {
'id': 'map_compilation_error',
'reason': 'string must eval to a function (ex: "def(doc): return 1")'
}}
if len(globals_) != 1:
return err
function = globals_.values()[0]
if type(function) is not FunctionType:
return err
functions.append(function)
return True
def map_doc(doc):
results = []
for function in functions:
try:
results.append([[key, value] for key, value in function(doc)])
except Exception, e:
results.append([])
output.write(json.dumps({'log': e.args[0]}))
return results
def reduce(*cmd, **kwargs):
code = BOM_UTF8 + cmd[0][0].encode('utf-8')
args = cmd[1:][0]
globals_ = {}
try:
exec code in {}, globals_
except Exception, e:
return {'error': {
'id': 'reduce_compilation_error',
'reason': e.args[0]
}}
err = {'error': {
'id': 'reduce_compilation_error',
'reason': 'string must eval to a function (ex: "def(doc): return 1")'
}}
if len(globals_) != 1:
return err
function = globals_.values()[0]
if type(function) is not FunctionType:
return err
results = []
keys, vals = zip(*args)
if function.func_code.co_argcount == 3:
results = function(keys, vals, kwargs.get('rereduce', False))
else:
results = function(keys, vals)
return [True, [results]]
def rereduce(*cmd):
reduce(cmd, rereduce=True)
handlers = {'reset': reset, 'add_fun': add_fun, 'map_doc': map_doc,
'reduce': reduce, 'rereduce': rereduce}
try:
while True:
line = input.readline()
if not line:
break
try:
cmd = json.loads(line)
except ValueError, e:
sys.stderr.write('error: %s\n' % e)
sys.stderr.flush()
return 1
else:
retval = handlers[cmd[0]](*cmd[1:])
output.write(json.dumps(retval))
output.write('\n')
output.flush()
except KeyboardInterrupt:
return 0
_VERSION = """%(name)s - CouchDB Python %(version)s
Copyright (C) 2007 Christopher Lenz <cmlenz@gmx.de>.
"""
_HELP = """Usage: %(name)s [OPTION]
The %(name)s command runs the CouchDB Python view server.
The exit status is 0 for success or 1 for failure.
Options:
--version display version information and exit
-h, --help display a short help message and exit
Report bugs via the web at <http://code.google.com/p/couchdb-python>.
"""
def main():
"""Command-line entry point for running the view server."""
import getopt
from couchdb import __version__ as VERSION
try:
option_list, argument_list = getopt.gnu_getopt(
sys.argv[1:], 'h', ['version', 'help'])
message = None
for option, value in option_list:
if option in ('--version'):
message = _VERSION % dict(name=os.path.basename(sys.argv[0]),
version=VERSION)
elif option in ('-h', '--help'):
message = _HELP % dict(name=os.path.basename(sys.argv[0]))
if message:
sys.stdout.write(message)
sys.stdout.flush()
sys.exit(0)
except getopt.GetoptError, error:
message = '%s\n\nTry `%s --help` for more information.\n' % (
str(error), os.path.basename(sys.argv[0])
)
sys.stderr.write(message)
sys.stderr.flush()
sys.exit(1)
sys.exit(run())
if __name__ == '__main__':
main()
|