Project

General

Profile

Example Service Implementation using WSS 2.x

WSS can be used to create REST-like web service for delivering data to an HTTP client. This procedure highlights the steps needed to install a WSS service given the following:

  • A command-line script called sample.py - see listing below.
  • That Tomcat is installed.

This procedure's objective is to:

  • create a web service called mysrv/sample/1, accessable at http://localhost:8080/mysrv/sample/1
  • have the web service deliver random numbers using parameter num_values
  • deliver xml, text, or zip using parameter format
  • returns error 3 and error message if the value of num_values is not between 1 and 100

Setup Tomcat Environment for WSS

Step Description
if not intalled, install Apache Tomcat see Quick installation instructions
create WSS configuration folder: /WSSHOME/config for this example:
mkdir /WSSHOME/config
configure folder location Add to, or edit file /WSSHOME/tomcat/bin/setenv.sh with this content:
JAVA_OPTS="-Xmx512m -DwssConfigDir='/WSSHOME/config'"
as described in Quick Installation Instructions

Configure WSS

choose service name for this example: mysrv/sample/1
deploy script * The script must be executable
* for this example, copy sample.py to /WSSHOME/config/sample.py
create WSS config files * copy Parameter File Examples to create, respectively: mysrv.sample.1-service.cfg, mysrv.sample.1-param.cfg, and mysrv.sample.1-log4j.properties
* for naming rules see Conventions and Configuration Concepts
* for parameter definitions, see WSS Configuration
edit WSS config file mysrv.sample.1-service.cfg * set parameter appName: appName=mysrv-sample-1
* set parameter version: version=1.0.0
* set parameter query.handlerProgram: query.handlerProgram=/WSSHOME/config/sample.py
* set parameter query.formatTypes: query.formatTypes = \
xml: application/xml, \
text: text/plain, \
zip: application/zip
* set parameter query.formatDispositions: query.formatDispositions= \
zip: attachment; filename="data.zip"
edit WSS config file mysrv.sample.1-param.cfg * replace line query.type=TEXT with query.num_values=NUMBER
* remove lines with query.minlongitude, query.maxlongitude, query.minlatitude, and query.maxlatitude
* add lines: query.aliases = \
num_values: num
edit WSS config file mysrv.sample.1-log4j.properties * set parameter log4j.appender.ShellAppender.File: log4j.appender.ShellAppender.File=${catalina.home}/logs/sample.log
* set parameter log4j.appender.UsageAppender.File: log4j.appender.UsageAppender.File=${catalina.home}/logs/sample_usage.log
deploy WSS config files copy configuration files into folder /WSSHOME/config
copy and name WSS war file * download the WSS war file from Web Service Shell files
* copy the WSS war to a war file with the desired service name i.e. mysrv#sample#1.war
cp webserviceshell_2.2.2.war /WSSHOME/tomcat/mysrv#sample#1.war

Startup and deploy WSS

start tomcat run
/WSSHOME/tomcat/bin/startup.sh
then check that tomcat started,
tail -f /WSSHOME/tomcat/logs/catalina.out
deploy WSS for mysrv/sample/1
mv /WSSHOME/tomcat/mysrv#sample#1.war /WSSHOME/tomcat/webapps
note that catalina.out shows that the service started
check operation with browser or curl * http://localhost:8080/mysrv/sample/1/query?num_values=25&format=text - check for plain text
* http://localhost:8080/mysrv/sample/1/query?num_values=-25&format=text - check for error handling
* http://localhost:8080/mysrv/sample/1/query?num_values=25&format=xml - check for xml
* http://localhost:8080/mysrv/sample/1/query?num_values=25&format=zip - check for zip output of multiple files
* http://localhost:8080/mysrv/sample/1/query?num=25&format=zip - check "num" alias

Script File

sample.py

#!/usr/bin/python
'''
A sample web handler for the IRIS Web Service Shell.

The program produces a set of random values in a specified
format type of either text, xml, or a zip of text files with 
up to 10 random values in each file. The number of values 
returned is defined by the num_values parameter.
'''

from argparse import ArgumentParser
import xml.etree.cElementTree as ET
from cStringIO import StringIO
import random
import sys
import zipfile

def parse_arguments():
    # define command line arguments
    parser = ArgumentParser(description='Command line parser for sample Web Service Shell handler.')
    parser.add_argument('--format', help="Type of data requested. Choose from 'text', 'xml', and 'zip'")
    parser.add_argument('--num_values', help="The number of random values that the program should return. Max of 10.") 
    args = parser.parse_args()
    return args

def get_text(num):
    '''Return a list of random numbers between 0 and 99.
       @param num integer: the number of random values 
       to produce
    '''
    return ", ".join([str(random.randint(0, 100)) for x in xrange(num)])

def get_xml(num):
    '''Return a XML structure of random numbers between 0 and 99.
       @param num integer: the number of random values 
       to produce
    '''
    root = ET.Element("root")
    values = ET.SubElement(root, "values")
    for i in xrange(num):
        rand_val = str(random.randint(0, 100))
        ET.SubElement(values, "field_{0}".format(i), name="value_{0}".format(rand_val)).text = rand_val
    tree = ET.ElementTree(root)
    st = StringIO()
    tree.write(st)
    return st.getvalue() #return the XML file as a string

def get_zip(num):
    '''Return a zip file archive containing files with
       up to 10 comma separated random numbers in each file 
       between 0 and 99. Files will be created as needed depending 
       on the number of values requested.
       @param num integer: the number of random values 
       to produce
    '''
    stio = StringIO()
    idx = 0
    with zipfile.ZipFile(stio, mode='w', compression=zipfile.ZIP_STORED,allowZip64=True) as z:
        while num > 0:
            if num >= 10:
                z.writestr('file_{0}'.format(idx), get_text(10))
                num = num - 10
            else: 
                z.writestr('file_{0}'.format(idx), get_text(num))
                num = 0
            idx = idx + 1
    return stio.getvalue()

if __name__ == '__main__':
    args = parse_arguments()
    num_values = int(args.num_values)
    if (num_values < 1) or (num_values > 100): 
        #Throw an exception if the requested number of values exceeds 100
        sys.stderr.write("The requested number of values must be between 1 and 100")
        sys.exit(3)
    #Handle the request for the requested format type
    if args.format.lower() == "text":
        sys.stdout.write(get_text(num_values))
    elif args.format.lower() == "xml":
        sys.stdout.write(get_xml(num_values))
    elif args.format.lower() == "zip":
        sys.stdout.write(get_zip(num_values))