CherryPy Tutorial on CherryPy Quick Guide

cherrypy is a web framework of python which provides a friendly interface to the http protocol for python developers. it is also called a web application library.

cherrypy uses python’s strengths as a dynamic language to model and bind http protocol into an api. it is one of the oldest web frameworks for python, which provides clean interface and reliable platform.

history of cherrypy

remi delon released the first version of cherrypy in late june 2002. this was the starting point of a successful python web library. remi is a french hacker who has trusted python for being one of the greatest alternatives for web application development.

the project developed by remi attracted a number of developers who were interested in the approach. the approach included the following features −

  • cherrypy was close to the model-view-controller pattern.

  • a cherrypy class has to be processed and compiled by the cherrypy engine to produce a self-contained python module embedding the complete application and also its own built-in web server.

  • cherrypy can map a url and its query string into a python method call, for example −

http://somehost.net/echo?message=hello would map to echo(message='hello')

during the two years of development in cherrypy project, it was supported by the community and remi released several improved versions.

in june 2004, a discussion started about the future of the project and whether it should continue with the same architecture. brainstorming and discussion by several project regulars then led to the concept of object-publishing engine and filters, which soon became a core part of cherrypy2.later, in october 2004, the first version of cherrypy 2 alpha was released as a proof of concept of these core ideas. cherrypy 2.0 was a real success; however, it was recognized that its design could still be improved, and needed refactoring.

after discussions based on feedbacks, cherrypy's api was further modified to improve its elegance, leading to the release of cherrypy 2.1.0 in october 2005. after various changes, the team released cherrypy 2.2.0 in april 2006.

strengths of cherrypy

the following features of cherrypy are considered as its strengths −

simplicity

developing a project in cherrypy is a simple task with few lines of code developed as per the conventions and indentations of python.

cherrypy is also very modular. the primary components are well managed with correct logic concept and parent classes are expandable to child classes.

power

cherrypy leverages all the power of python. it also provides tools and plugins, which are powerful extension points needed to develop world-class applications.

open-source

cherrypy is an open-source python web framework (licensed under the open-source bsd license), which means this framework can be used commercially at zero cost.

community help

it has a devoted community which provides complete support with various types of questions and answers. the community tries to give complete assistance to the developers starting from the beginner level to the advanced level.

deployment

there are cost effective ways to deploy the application. cherrypy includes its own production-ready http server to host your application. cherrypy can also be deployed on any wsgi-compliant gateway.

cherrypy comes in packages like most open-source projects, which can be downloaded and installed in various ways which are mentioned as follows −

  • using a tarball
  • using easy_install
  • using subversion

requirements

the basic requirements for installation of cherrypy framework include −

  • python with version 2.4 or above
  • cherrypy 3.0

installing a python module is considered an easy process. the installation includes the use of the following commands.

python setup.py build
python setup.py install

the packages of python are stored in the following default directories −

  • on unix or linux,
/usr/local/lib/python2.4/site-packages
or
/usr/lib/python2.4/site-packages
  • on microsoft windows,
c:\python or c:\python2x
  • on mac os,
python:lib:site-package

installation using tarball

a tarball is a compressed archive of files or a directory. the cherrypy framework provides a tarball for each of its releases (alpha, beta, and stable).

it contains complete source code of the library. the name comes from the utility used in unix and other operating systems.

here are the steps to be followed for the installation of cherrypy using tar ball −

step 1 − download the version as per user requirements from http://download.cherrypy.org/

step 2 − search for the directory where tarball has been downloaded and uncompress it. for linux operating system, type the following command −

tar zxvf cherrypy-x.y.z.tgz

for microsoft windows, the user can use a utility such as 7-zip or winzip to uncompress the archive via a graphical interface.

step 3 − move to the newly created directory and use the following command to build cherrypy −

python setup.py build

for the global installation, the following command should be used −

python setup.py install

installation using easy_install

python enterprise application kit (peak) provides a python module named easy install. this facilitates deployment of the python packages. this module simplifies the procedure of downloading, building and deploying python application and products.

easy install needs to be installed in the system before installing cherrypy.

step 1 − download the ez_setup.py module from http://peak.telecommunity.com and run it using the administrative rights on the computer: python ez_setup.py.

step 2 − the following command is used to install easy install.

easy_install product_name

step 3 − easy_install will search the python package index (pypi) to find the given product. pypi is a centralized repository of information for all python products.

use the following command to deploy the latest available version of cherrypy −

easy_install cherrypy

step 4 − easy_install will then download cherrypy, build, and install it globally to your python environment.

installation using subversion

installation of cherrypy using subversion is recommended in the following situations −

  • a feature exists or a bug has been fixed and is only available in code under development.

  • when the developer works on cherrypy itself.

  • when the user needs a branch from the main branch in the versioning control repository.

  • for bug fixing of the previous release.

the basic principle of subversioning is to register a repository and keep a track of each of the versions, which include a series of changes in them.

follow these steps to understand the installation of cherrypy using subversion−

step 1 − to use the most recent version of the project, it is necessary to check out the trunk folder found on the subversion repository.

step 2 − enter the following command from a shell−

svn co http://svn.cherrypy.org/trunk cherrypy

step 3 − now, create a cherrypy directory and download the complete source code into it.

testing the installation

it needs to be verified whether the application has properly been installed in the system or not in the same way as we do for applications like java.

you may choose any one of the three methods mentioned in the previous chapter to install and deploy cherrypy in your environment. cherrypy must be able to import from the python shell as follows −

import cherrypy

cherrypy.__version__
'3.0.0'

if cherrypy is not installed globally to the local system’s python environment, then you need to set the pythonpath environment variable, else it will display an error in the following way −

import cherrypy

traceback (most recent call last):
file "<stdin>", line 1, in ?
importerror: no module named cherrypy

there are a few important keywords which need to be defined in order to understand the working of cherrypy. the keywords and the definitions are as follows −

s.no keyword & definition
1.

web server

it is an interface dealing with the http protocol. its goal is to transform the http requests to the application server so that they get the responses.

2.

application

it is a piece of software which gathers information.

3.

application server

it is the component holding one or more applications

4.

web application server

it is the combination of web server and application server.

example

the following example shows a sample code of cherrypy −

import cherrypy

class demoexample:
   def index(self):
   return "hello world!!!"
   index.exposed = true
cherrypy.quickstart(demoexample())

let us now understand how the code works −

  • the package named cherrypy is always imported in the specified class to ensure proper functioning.

  • in the above example, the function named index returns the parameter “hello world!!!”.

  • the last line starts the web server and calls the specified class (here, demoexample) and returns the value mentioned in default function index.

the example code returns the following output −

demo example

cherrypy comes with its own web (http) server. that is why cherrypy is self-contained and allows users to run a cherrypy application within minutes of getting the library.

the web server acts as the gateway to the application with the help of which all the requests and responses are kept in track.

to start the web server, a user must make the following call −

cherrypy.server.quickstart()

the internal engine of cherrypy is responsible for the following activities −

  • creation and management of request and response objects.
  • controlling and managing the cherrypy process.

cherrypy – configuration

the framework comes with its own configuration system allowing you to parameterize the http server. the settings for the configuration can be stored either in a text file with syntax close to the ini format or as a complete python dictionary.

to configure the cherrypy server instance, the developer needs to use the global section of the settings.

global_conf = {
   'global': {
      'server.socket_host': 'localhost',
      'server.socket_port': 8080,
   },
}

application_conf = {
   '/style.css': {
      'tools.staticfile.on': true,
      'tools.staticfile.filename': os.path.join(_curdir, 'style.css'),
   }
}

this could be represented in a file like this:
[global]
server.socket_host = "localhost"
server.socket_port = 8080
[/style.css]
tools.staticfile.on = true
tools.staticfile.filename = "/full/path/to.style.css"

http compliance

cherrypy has been evolving slowly but it includes the compilation of http specifications with the support of http/1.0 later transferring with the support of http/1.1.

cherrypy is said to be conditionally compliant with http/1.1 as it implements all the must and required levels but not all the should levels of the specification. therefore, cherrypy supports the following features of http/1.1 −

  • if a client claims to support http/1.1, it must send a header field in any request made with the specified protocol version. if it is not done, cherrypy will immediately stop the processing of the request.

  • cherrypy generates a date header field which is used in all configurations.

  • cherrypy can handle response status code (100) with the support of clients.

  • cherrypy's built-in http server supports persistent connections that are the default in http/1.1, through the use of the connection: keep-alive header.

  • cherrypy handles correctly chunked requests and responses.

  • cherrypy supports requests in two distinct ways − if-modified-since and if-unmodified-since headers and sends responses as per the requests accordingly.

  • cherrypy allows any http method.

  • cherrypy handles the combinations of http versions between the client and the setting set for the server.

multithreaded application server

cherrypy is designed based on the multithreading concept. every time a developer gets or sets a value into the cherrypy namespace, it is done in the multi-threaded environment.

both cherrypy.request and cherrypy.response are thread-data containers, which imply that your application calls them independently by knowing which request is proxied through them at runtime.

application servers using the threaded pattern are not highly regarded because the use of threads is seen as increasing the likelihood of problems due to synchronization requirements.

the other alternatives include −

multi-process pattern

each request is handled by its own python process. here, performance and stability of the server can be considered as better.

asynchronous pattern

here, accepting new connections and sending the data back to the client is done asynchronously from the request process. this technique is known for its efficiency.

url dispatching

the cherrypy community wants to be more flexible and that other solutions for dispatchers would be appreciated. cherrypy 3 provides other built-in dispatchers and offers a simple way to write and use your own dispatchers.

  • applications used to develop http methods. (get, post, put, etc.)
  • the one which defines the routes in the url – routes dispatcher

http method dispatcher

in some applications, uris are independent of the action, which is to be performed by the server on the resource.

for example,http://xyz.com/album/delete/10

the uri contains the operation the client wishes to carry out.

by default, cherrypy dispatcher would map in the following way −

album.delete(12)

the above mentioned dispatcher is mentioned correctly, but can be made independent in the following way −

http://xyz.com/album/10

the user may wonder how the server dispatches the exact page. this information is carried by the http request itself. when there is request from client to server, cherrypy looks the best suiting handler, the handler is representation of the resource targeted by the uri.

delete /album/12 http/1.1

routes dispatcher

here is a list of the parameters for the method required in dispatching −

  • the name parameter is the unique name for the route to connect.

  • the route is the pattern to match uris.

  • the controller is the instance containing page handlers.

  • using the routes dispatcher connects a pattern that matches uris and associates a specific page handler.

example

let us take an example to understand how it works −

import random
import string
import cherrypy

class stringmaker(object):
   @cherrypy.expose
   def index(self):
      return "hello! how are you?"
   
   @cherrypy.expose
   def generate(self, length=9):
      return ''.join(random.sample(string.hexdigits, int(length)))
		
if __name__ == '__main__':
   cherrypy.quickstart(stringmaker ())

follow the steps given below to get the output of the above code −

step 1 − save the above mentioned file as tutroutes.py.

step 2 − visit the following url −

http://localhost:8080/generate?length=10

step 3 − you will receive the following output −

routes dispatcher

within cherrypy, built-in tools offer a single interface to call the cherrypy library. the tools defined in cherrypy can be implemented in the following ways −

  • from the configuration settings
  • as a python decorator or via the special _cp_config attribute of a page handler
  • as a python callable that can be applied from within any function

basic authentication tool

the purpose of this tool is to provide basic authentication to the application designed in the application.

arguments

this tool uses the following arguments −

name default description
realm n/a string defining the realm value.
users n/a dictionary of the form − username:password or a python callable function returning such a dictionary.
encrypt none python callable used to encrypt the password returned by the client and compare it with the encrypted password provided in the users dictionary.

example

let us take an example to understand how it works −

import sha
import cherrypy

class root:
@cherrypy.expose
def index(self):

return """
<html>
   <head></head>
   <body>
      <a href = "admin">admin </a>
   </body>
</html>
""" 

class admin:

@cherrypy.expose
def index(self):
return "this is a private area"

if __name__ == '__main__':
def get_users():
# 'test': 'test'
return {'test': 'b110ba61c4c0873d3101e10871082fbbfd3'}
def encrypt_pwd(token):

return sha.new(token).hexdigest()
   conf = {'/admin': {'tools.basic_auth.on': true,
      tools.basic_auth.realm': 'website name',
      'tools.basic_auth.users': get_users,
      'tools.basic_auth.encrypt': encrypt_pwd}}
   root = root()
root.admin = admin()
cherrypy.quickstart(root, '/', config=conf)

the get_users function returns a hard-coded dictionary but also fetches the values from a database or anywhere else. the class admin includes this function which makes use of an authentication built-in tool of cherrypy. the authentication encrypts the password and the user id.

the basic authentication tool is not really secure, as the password can be encoded and decoded by an intruder.

caching tool

the purpose of this tool is to provide memory caching of cherrypy generated content.

arguments

this tool uses the following arguments −

name default description
invalid_methods ("post", "put", "delete") tuples of strings of http methods not to be cached. these methods will also invalidate (delete) any cached copy of the resource.
cache_class memorycache class object to be used for caching

decoding tool

the purpose of this tool is to decode the incoming request parameters.

arguments

this tool uses the following arguments −

name default description
encoding none it looks for the content-type header
default_encoding "utf-8" default encoding to be used when none is provided or found.

example

let us take an example to understand how it works −

import cherrypy
from cherrypy import tools

class root:
@cherrypy.expose
def index(self):

return """ 
<html>
   <head></head>
   <body>
      <form action = "hello.html" method = "post">
         <input type = "text" name = "name" value = "" />
         <input type = ”submit” name = "submit"/>
      </form>
   </body>
</html>
"""

@cherrypy.expose
@tools.decode(encoding='iso-88510-1')
def hello(self, name):
return "hello %s" % (name, )
if __name__ == '__main__':
cherrypy.quickstart(root(), '/')

the above code takes a string from the user and it will redirect the user to "hello.html" page where it will be displayed as “hello” with the given name.

the output of the above code is as follows −

decoding tool
hello.html

decoding tool output

full stack applications provide a facility to create a new application via some command or execution of the file.

consider the python applications like web2py framework; the entire project/application is created in terms of mvc framework. likewise, cherrypy allows the user to set up and configure the layout of the code as per their requirements.

in this chapter, we will learn in detail how to create cherrypy application and execute it.

file system

the file system of the application is shown in the following screenshot −

file system

here is a brief description of the various files that we have in the file system −

  • config.py − every application needs a configuration file and a way to load it. this functionality can be defined in config.py.

  • controllers.py − mvc is a popular design pattern followed by the users. the controllers.py is where all the objects are implemented that will be mounted on the cherrypy.tree.

  • models.py − this file interacts with the database directly for some services or for storing persistent data.

  • server.py − this file interacts with production ready web server that works properly with load balancing proxy.

  • static − it includes all the css and image files.

  • views − it includes all the template files for a given application.

example

let us learn in detail the steps to create a cherrypy application.

step 1 − create an application that should contain the application.

step 2 − inside the directory, create a python package corresponding to the project. create gedit directory and include _init_.py file within the same.

step 3 − inside the package, include controllers.py file with the following content −

#!/usr/bin/env python

import cherrypy

class root(object):

   def __init__(self, data):
      self.data = data

   @cherrypy.expose
   def index(self):
      return 'hi! welcome to your application'

def main(filename):
   data = {} # will be replaced with proper functionality later

   # configuration file
   cherrypy.config.update({
      'tools.encode.on': true, 'tools.encode.encoding': 'utf-8',
      'tools.decode.on': true,
      'tools.trailing_slash.on': true,
      'tools.staticdir.root': os.path.abspath(os.path.dirname(__file__)),
   })

   cherrypy.quickstart(root(data), '/', {
      '/media': {
         'tools.staticdir.on': true,
         'tools.staticdir.dir': 'static'
      }
   })
	
if __name__ == '__main__':
main(sys.argv[1])

step 4 − consider an application where the user inputs the value through a form. let’s include two forms — index.html and submit.html in the application.

step 5 − in the above code for controllers, we have index(), which is a default function and loads first if a particular controller is called.

step 6 − the implementation of the index() method can be changed in the following way −

@cherrypy.expose
   def index(self):
      tmpl = loader.load('index.html')
	 
      return tmpl.generate(title='sample').render('html', doctype='html')

step 7 − this will load index.html on starting the given application and direct it to the given output stream. the index.html file is as follows −

index.html

<!doctype html >
<html>
   <head>
      <title>sample</title>
   </head>
	
   <body class = "index">
      <div id = "header">
         <h1>sample application</h1>
      </div>
		
      <p>welcome!</p>
		
      <div id = "footer">
         <hr>
      </div>
		
   </body>
	
</html>

step 8 − it is important to add a method to the root class in controller.py if you want to create a form which accepts values such as names and titles.

@cherrypy.expose
   def submit(self, cancel = false, **value):
	
      if cherrypy.request.method == 'post':
         if cancel:
            raise cherrypy.httpredirect('/') # to cancel the action
         link = link(**value)
         self.data[link.id] = link
         raise cherrypy.httpredirect('/')
      tmp = loader.load('submit.html')
      streamvalue = tmp.generate()
		
      return streamvalue.render('html', doctype='html')

step 9 − the code to be included in submit.html is as follows −

<!doctype html>
   <head>
      <title>input the new link</title>
   </head>
	
   <body class = "submit">
      <div id = " header">
         <h1>submit new link</h1>
      </div>
		
      <form action = "" method = "post">
         <table summary = "">
            <tr>
               <th><label for = " username">your name:</label></th>
               <td><input type = " text" id = " username" name = " username" /></td>
            </tr>
				
            <tr>
               <th><label for = " url">link url:</label></th>
               <td><input type = " text" id=" url" name= " url" /></td>
            </tr>
				
            <tr>
               <th><label for = " title">title:</label></th>
               <td><input type = " text" name = " title" /></td>
            </tr>
				
            <tr>
               <td></td>
               <td>
                  <input type = " submit" value = " submit" />
                  <input type = " submit" name = " cancel" value = "cancel" />
               </td>
            </tr>
				
         </table>
			
      </form>
      <div id = "footer">
      </div>
		
   </body>
	
</html>

step 10 − you will receive the following output −

file system output

here, the method name is defined as “post”. it is always important to cross verify the method specified in the file. if the method includes “post” method, the values should be rechecked in the database in appropriate fields.

if the method includes “get” method, the values to be saved will be visible in the url.

a web service is a set of web-based components that helps in the exchange of data between the application or systems which also includes open protocols and standards. it can be published, used and found on the web.

web services are of various types like rws (restful web service), wsdl, soap and many more.

rest — representational state transfer

a type of remote access protocol, which, transfers state from client to server which can be used to manipulate state instead of calling remote procedures.

  • does not define any specific encoding or structure and ways of returning useful error messages.

  • uses http "verbs" to perform state transfer operations.

  • the resources are uniquely identified using url.

  • it is not an api but instead an api transport layer.

rest maintains the nomenclature of resources on a network and provides unified mechanism to perform operations on these resources. each resource is identified by at least one identifier. if the rest infrastructure is implemented with the base of http, then these identifiers are termed as uniform resource identifiers (uris).

the following are the two common subsets of the uri set −

subset full form example
url uniform resource locator http://www.gmail.com/
urn uniform resource name urn:isbn:0-201-71088-9 urn:uuid:13e8cf26-2a25-11db-8693-000ae4ea7d46

before understanding the implementation of cherrypy architecture, let’s focus on the architecture of cherrypy.

cherrypy includes the following three components −

  • cherrypy.engine − it controls process startup/teardown and event handling.

  • cherrypy.server − it configures and controls the wsgi or http server.

  • cherrypy.tools − a toolbox of utilities that are orthogonal to processing an http request.

rest interface through cherrypy

restful web service implements each section of cherrypy architecture with the help of the following −

  • authentication
  • authorization
  • structure
  • encapsulation
  • error handling

authentication

authentication helps in validating the users with whom we are interacting. cherrypy includes tools to handle each authentication method.

def authenticate():
   if not hasattr(cherrypy.request, 'user') or cherrypy.request.user is none:
      # < do stuff to look up your users >
		
      cherrypy.request.authorized = false # this only authenticates. 
         authz must be handled separately.
		
      cherrypy.request.unauthorized_reasons = []
      cherrypy.request.authorization_queries = []
		
cherrypy.tools.authenticate = \
   cherrypy.tool('before_handler', authenticate, priority=10)

the above function authenticate() will help to validate the existence of the clients or users. the built-in tools help to complete the process in a systematic way.

authorization

authorization helps in maintaining the sanity of the process via uri. the process also helps in morphing objects by user token leads.

def authorize_all():
   cherrypy.request.authorized = 'authorize_all'
	
cherrypy.tools.authorize_all = cherrypy.tool('before_handler', authorize_all, priority=11)

def is_authorized():
   if not cherrypy.request.authorized:
      raise cherrypy.httperror("403 forbidden",
         ','.join(cherrypy.request.unauthorized_reasons))
			
cherrypy.tools.is_authorized = cherrypy.tool('before_handler', is_authorized, 
priority = 49)

cherrypy.config.update({
   'tools.is_authorized.on': true,
   'tools.authorize_all.on': true
})

the built-in tools of authorization help in handling the routines in a systematic way, as mentioned in the previous example.

structure

maintaining a structure of api helps in reducing the work load of mapping the uri of application. it is always necessary to keep api discoverable and clean. the basic structure of api for cherrypy framework should have the following −

  • accounts and user
  • autoresponder
  • contact
  • file
  • folder
  • list and field
  • message and batch

encapsulation

encapsulation helps in creating api which is lightweight, human readable and accessible to various clients. the list of items along with creation, retrieval, update and deletion requires encapsulation of api.

error handling

this process manages errors, if any, if api fails to execute at the particular instinct. for example, 400 is for bad request and 403 is for unauthorized request.

example

consider the following as an example for database, validation, or application errors.

import cherrypy
import json

def error_page_default(status, message, traceback, version):
   ret = {
      'status': status,
      'version': version,
      'message': [message],
      'traceback': traceback
   }
	
   return json.dumps(ret)
	
class root:
   _cp_config = {'error_page.default': error_page_default}
	
@cherrypy.expose
   def index(self):
      raise cherrypy.httperror(500, "internal sever error")
cherrypy.quickstart(root())

the above code will produce the following output −

error handling

management of api (application programming interface) is easy through cherrypy because of the built-in access tools.

http methods

the list of http methods which operate on the resources are as follows −

s.no http method & operation
1.

head

retrieves the resource metadata.

2.

get

retrieves the resource metadata and content.

3.

post

requests the server to create a new resource using the data enclosed in the request body.

4.

put

requests the server to replace an existing resource with the one enclosed in the request body.

5.

delete

requests the server to remove the resource identified by that uri.

6.

options

requests the server to return details about capabilities either globally or specifically towards a resource.

atom publishing protocol (app)

app has arisen from the atom community as an application-level protocol on top of http to allow the publishing and editing of web resources. the unit of messages between an app server and a client is based on the atom xml-document format.

the atom publishing protocol defines a set of operations between an app service and a user-agent using http and its mechanisms and the atom xml-document format as the unit of messages.

app first defines a service document, which provides the user agent with the uri of the different collections served by the app service.

example

let us take an example to demonstrate how app works −

<?xml version = "1.0" encoding = "utf-8"?>
<service xmlns = "http://purl.org/atom/app#" xmlns:atom = "http://www.w3.org/2005/atom">
   
   <workspace>
      <collection href = "http://host/service/atompub/album/">
         <atom:title> albums</atom:title>
         <categories fixed = "yes">
            <atom:category term = "friends" />
         </categories>
      </collection>
      
      <collection href = "http://host/service/atompub/film/">
         <atom:title>films</atom:title>
         <accept>image/png,image/jpeg</accept>
      </collection>
   </workspace>
	
</service>

app specifies how to perform the basic crud operations against a member of a collection or the collection itself by using http methods as described in the following table −

operation http method status code content
retrieve get 200 an atom entry representing the resource
create post 201 the uri of the newly created resource via the location and content-location headers
update put 200 an atom entry representing the resource
delete delete 200 none

the presentation layer ensures that the communication passing through it targets the intended recipients. cherrypy maintains the working of presentation layer by various template engines.

a template engine takes the input of the page with the help of business logic and then processes it to the final page which targets only the intended audience.

kid — the template engine

kid is a simple template engine which includes the name of the template to be processed (which is mandatory) and input of the data to be passed when the template is rendered.

on creation of the template for the first time, kid creates a python module which can be served as a cached version of the template.

the kid.template function returns an instance of the template class which can be used to render the output content.

the template class provides the following set of commands −

s.no command & description
1.

serialize

it returns the output content as a string.

2.

generate

it returns the output content as an iterator.

3.

write

it dumps the output content into a file object.

the parameters used by these commands are as follows −

s.no command & description
1.

encoding

it informs how to encode the output content

2.

fragment

it is a boolean value which tells to xml prolog or doctype

3.

output

this type of serialization is used to render the content

example

let us take an example to understand how kid works −

<!doctype html public "-//w3c//dtd html 4.01//en" "http://www.w3.org/tr/html4/strict.dtd">
<html xmlns:py = "http://purl.org/kid/ns#">
   <head>
      <title>${title}</title>
      <link rel = "stylesheet" href = "style.css" />
   </head>
	
   <body> 
      <p>${message}</p>
   </body>
</html>

the next step after saving the file is to process the template via the kid engine.

import kid

params = {'title': 'hello world!!', 'message': 'cherrypy.'}
t = kid.template('helloworld.kid', **params)
print t.serialize(output='html')

kid's attributes

the following are the attributes of kid −

xml-based templating language

it is an xml-based language. a kid template must be a well-formed xml document with proper naming conventions.

kid implements attributes within the xml elements to update the underlying engine on the action to be followed for reaching the element. to avoid overlapping with other existing attributes within the xml document, kid has introduced its own namespace.

<p py:if = "...">...</p>

variable substitution

kid comes with a variable substitution scheme and a simple approach — ${variable-name}.

the variables can either be used in attributes of elements or as the text content of an element. kid will evaluate the variable each and every time the execution takes place.

if the user needs the output of a literal string as ${something}, it can be escaped using the variable substitution by doubling the dollar sign.

conditional statement

for toggling different cases in the template, the following syntax is used −

<tag py:if = "expression">...</tag>

here, tag is the name of the element, for instance div or span.

the expression is a python expression. if as a boolean it evaluates to true, the element will be included in the output content or else it will not be a part of the output content.

looping mechanism

for looping an element in kid, the following syntax is used −

<tag py:for = "expression">...</tag>

here, tag is the name of the element. the expression is a python expression, for example for value in [...].

example

the following code shows how the looping mechanism works −

<!doctype html public "-//w3c//dtd html 4.01//en" "http://www.w3.org/tr/html4/strict.dtd">
<html>
   <head>
      <title>${title}</title>
      <link rel = "stylesheet" href = "style.css" />
   </head>
	
   <body>
      <table>
         <caption>a few songs</caption>
         <tr>
            <th>artist</th>
            <th>album</th>
            <th>title</th>
         </tr>
			
         <tr py:for = "info in infos">
            <td>${info['artist']}</td>
            <td>${info['album']}</td>
            <td>${info['song']}</td>
         </tr>
      </table>
   </body>
</html>

import kid

params = discography.retrieve_songs()
t = kid.template('songs.kid', **params)
print t.serialize(output='html')

the output for the above code with the looping mechanism is as follows −

looping output

till the year 2005, the pattern followed in all web applications was to manage one http request per page. the navigation of one page to another page required loading the complete page. this would reduce the performance at a greater level.

thus, there was a rise in rich client applications which used to embed ajax, xml, and json with them.

ajax

asynchronous javascript and xml (ajax) is a technique to create fast and dynamic web pages. ajax allows web pages to be updated asynchronously by exchanging small amounts of data behind the scenes with the server. this means that it is possible to update parts of a web page, without reloading the whole page.

google maps, gmail, youtube, and facebook are a few examples of ajax applications.

ajax is based on the idea of sending http requests using javascript; more specifically ajax relies on the xmlhttprequest object and its api to perform those operations.

json

json is a way to carry serialized javascript objects in such a way that javascript application can evaluate them and transform them into javascript objects which can be manipulated later.

for instance, when the user requests the server for an album object formatted with the json format, the server would return the output as following −

{'description': 'this is a simple demo album for you to test', 'author': ‘xyz’}

now the data is a javascript associative array and the description field can be accessed via −

data ['description'];

applying ajax to the application

consider the application which includes a folder named “media” with index.html and jquery plugin, and a file with ajax implementation. let us consider the name of the file as “ajax_app.py”

ajax_app.py

import cherrypy
import webbrowser
import os
import simplejson
import sys

media_dir = os.path.join(os.path.abspath("."), u"media")

class ajaxapp(object):
   @cherrypy.expose
   def index(self):
      return open(os.path.join(media_dir, u'index.html'))

   @cherrypy.expose
   def submit(self, name):
      cherrypy.response.headers['content-type'] = 'application/json'
      return simplejson.dumps(dict(title="hello, %s" % name))
		
config = {'/media':
   {'tools.staticdir.on': true,
   'tools.staticdir.dir': media_dir,}
}
			
def open_page():
webbrowser.open("http://127.0.0.1:8080/")
cherrypy.engine.subscribe('start', open_page)
cherrypy.tree.mount(ajaxapp(), '/', config=config)
cherrypy.engine.start()

the class “ajaxapp” redirects to the web page of “index.html”, which is included in the media folder.

<!doctype html public "-//w3c//dtd xhtml 1.0 strict//en" 
   " http://www.w3.org/tr/xhtml1/dtd/xhtml1-strict.dtd">
	
<html xmlns = "http://www.w3.org/1999/xhtml" lang = "en" xml:lang = "en">
   <head>
      <title>ajax with jquery and cherrypy</title>
      <meta http-equiv = " content-type" content = " text/html; charset=utf-8" />
      <script type = " text/javascript" src = " /media/jquery-1.4.2.min.js"></script>
		
      <script type = " text/javascript">
         $(function() {
         
            // when the testform is submitted...
            $("#formtest").submit(function() {
         
               // post the form values via ajax...
               $.post('/submit', {name: $("#name").val()}, function(data) {
         
                  // and set the title with the result
                  $("#title").html(data['title']) ;
               });
               return false ;
            });
         });
      </script>
		
   </head>
	
   <body>
      <h1 id = "title">what's your name?</h1>
      <form id = " formtest" action = " #" method = " post">
         <p>
            <label for = " name">name:</label>
            <input type = " text" id = "name" /> <br />
            <input type = " submit" value = " set" />
         </p>
      </form>
   </body>
	
</html>

the function for ajax is included within <script> tags.

output

the above code will produce the following output −

ajax output

once the value is submitted by the user, ajax functionality is implemented and the screen is redirected to the form as shown below −

output screen

in this chapter, we will focus on how an application is created in cherrypy framework.

consider photoblog application for the demo application of cherrypy. a photoblog application is a normal blog but the principal text will be photos in place of text. the main catch of photoblog application is that the developer can focus more on design and implementation.

basic structure – design of entities

the entities design the basic structure of an application. the following are the entities for the photoblog application −

  • film
  • photo
  • album

the following is a basic class diagram for the entity relationship −

basic structure

design structure

as discussed in the previous chapter, the design structure of the project would be as shown in the following screenshot −

design structure

consider the given application, which has sub-directories for photoblog application. the sub-directories are photo, album, and film which would include controllers.py, models.py and server.py.

functionally, the photoblog application will provide apis to manipulate those entities via the traditional crud interface — create, retrieve, update, and delete.

connection to the database

a storage module includes a set of operations; connection with the database being one of the operations.

as it is a complete application, the connection with database is mandatory for api and to maintain the functionality of create, retrieve, update and delete.

import dejavu

arena = dejavu.arena()
from model import album, film, photo
def connect():

conf = {'connect': "host=localhost dbname=photoblog user=test password=test"}
arena.add_store("main", "postgres", conf)
arena.register_all(globals())

the arena in the above code will be our interface between the underlying storage manager and the business logic layer.

the connect function adds a storage manager to the arena object for a postgresql rdbms.

once, the connection is obtained, we can create forms as per business requirements and complete the working of application.

the most important thing before creation of any application is entity mapping and designing the structure of the application.

testing is a process during which the application is conducted from different perspectives in order to −

  • find the list of issues
  • find differences between the expected and actual result, output, states, etc.
  • understand the implementation phase.
  • find the application useful for realistic purposes.

the goal of testing is not to put the developer at fault but to provide tools and improve the quality to estimate the health of the application at a given time.

testing needs to be planned in advance. this calls for defining the purpose of testing, understanding the scope of test cases, making the list of business requirements and being aware of the risks involved in the different phases of the project.

testing is defined as a range of aspects to be validated on a system or application. following is a list of the common test approaches

  • unit testing − this is usually carried out by the developers themselves. this aims at checking whether a unit of code works as expected or not.

  • usability testing − developers may usually forget that they are writing an application for the end users who do not have knowledge of the system. usability testing verifies the pros and cons of the product.

  • functional/acceptance testing − while usability testing checks whether an application or system is usable, functional testing ensures that every specified functionality is implemented.

  • load and performance testing − this is carried out to understand whether the system can adjust to the load and performance tests to be conducted. this can lead to changes in hardware, optimizing sql queries, etc.

  • regression testing − it verifies that successive releases of a product do not break any of the previous functionalities.

  • reliability and resilience testing − reliability testing helps in validating the system application with the breakdown of one or several components.

unit testing

photoblog applications constantly use unit tests to check the following −

  • new functionalities work correctly and as expected.
  • existing functionalities are not broken by new code release.
  • defects are fixed and remain fixed.

python comes in with a standard unittest module offering a different approach to unit testing.

unittest

unittest is rooted in junit, a java unit test package developed by kent beck and erich gamma. unit tests simply return defined data. mock objects can be defined. these objects allows testing against an interface of our design without having to rely on the overall application. they also provide a way to run tests in isolation mode with other tests included.

let’s define a dummy class in the following way −

import unittest

class dummytest(unittest.testcase):
def test_01_forward(self):
dummy = dummy(right_boundary=3)
   self.assertequal(dummy.forward(), 1)
   self.assertequal(dummy.forward(), 2)
   self.assertequal(dummy.forward(), 3)
   self.assertraises(valueerror, dummy.forward)

def test_02_backward(self):
dummy = dummy(left_boundary=-3, allow_negative=true)
   self.assertequal(dummy.backward(), -1)
   self.assertequal(dummy.backward(), -2)
   self.assertequal(dummy.backward(), -3)
   self.assertraises(valueerror, dummy.backward)

def test_03_boundaries(self):
dummy = dummy(right_boundary=3, left_boundary=-3,allow_negative=true)
   self.assertequal(dummy.backward(), -1)
   self.assertequal(dummy.backward(), -2)
   self.assertequal(dummy.forward(), -1)
   self.assertequal(dummy.backward(), -2)
   self.assertequal(dummy.backward(), -3)

the explanation for the code is as follows −

  • unittest module should be imported to provide unit test capabilities for the given class.

  • a class should be created by subclassing unittest.

  • every method in the above code starts with a word test. all these methods are called by unittest handler.

  • the assert/fail methods are called by the test case to manage the exceptions.

consider this as an example for running a test case −

if __name__ == '__main__':
unittest.main()

the result (output) for running the test case will be as follows −

----------------------------------------------------------------------
ran 3 tests in 0.000s
ok

functional testing

once the application functionalities start taking shape as per the requirements, a set of functional testing can validate the application's correctness regarding the specification. however, the test should be automated for better performance which would require the use of third-party products such as selenium.

cherrypy provides helper class like built-in functions to ease the writing of functional tests.

load testing

depending on the application you are writing and your expectations in terms of volume, you may need to run load and performance testing in order to detect potential bottlenecks in the application that are preventing it from reaching a certain level of performance.

this section will not detail how to conduct a performance or load test as it is out of its the funkload package.

the very basic example of funkload is as follows −

from funkload.funkloadtestcase 
import funkloadtestcase

class loadhomepage(funkloadtestcase):
def test_homepage(self):

server_url = self.conf_get('main', 'url')
nb_time = self.conf_getint('test_homepage', 'nb_time')
home_page = "%s/" % server_url

for i in range(nb_time):
self.logd('try %i' % i)
self.get(home_page, description='get gome page')
if __name__ in ('main', '__main__'):

import unittest

unittest.main()

here is a detailed explanation of the above code −

  • the test case must inherit from the funkloadtestcase class so that the funkload can do its internal job of tracking what happens during the test.

  • the class name is important as funkload will look for a file based on the class name.

  • the test cases designed have direct access to the configuration files. get() and post() methods are simply called against the server to get the response.

this chapter will focus more on cherrypy-based application ssl enabled through the built-in cherrypy http server.

configuration

there are different levels of configuration settings required in a web application −

  • web server − settings linked to the http server

  • engine − settings associated with the hosting of engine

  • application − application which is used by the user

deployment

deployment of cherrypy application is considered to be quite an easy method where all the required packages are available from the python system path. in shared web-hosted environment, web server will reside in the front end which allows the host provider to perform the filtering actions. the front-end server can be apache or lighttpd.

this section will present a few solutions to run a cherrypy application behind the apache and lighttpd web servers.

cherrypy
def setup_app():

class root:
@cherrypy.expose
def index(self):
   # return the hostname used by cherrypy and the remote
   # caller ip address
	
return "hello there %s from ip: %s " %
(cherrypy.request.base, cherrypy.request.remote.ip)
cherrypy.config.update({'server.socket_port': 9091,
   'environment': 'production',
   'log.screen': false,
   'show_tracebacks': false})
	
cherrypy.tree.mount(root())
if __name__ == '__main__':

setup_app()
cherrypy.server.quickstart()
cherrypy.engine.start()

ssl

ssl (secure sockets layer) can be supported in cherrypy-based applications. to enable ssl support, the following requirements must be met −

  • have the pyopenssl package installed in user’s environment
  • have an ssl certificate and private key on the server

creating a certificate and a private key

let's deal with the requirements of certificate and the private key −

  • first the user needs a private key −
openssl genrsa -out server.key 2048
  • this key is not protected by a password and therefore has a weak protection.
  • the following command will be issued −
openssl genrsa -des3 -out server.key 2048
  • the program will require a passphrase. if your version of openssl allows you to provide an empty string, do so. otherwise, enter a default passphrase and then remove it from the generated key as follows −

openssl rsa -in server.key -out server.key
  • creation of the certificate is as follows −
openssl req -new -key server.key -out server.csr
  • this process will request you to input some details. to do so, the following command must be issued −

openssl x509 -req -days 60 -in server.csr -signkey
server.key -out server.crt
  • the newly signed certificate will be valid for 60 days.

the following code shows its implementation −

import cherrypy
import os, os.path

localdir = os.path.abspath(os.path.dirname(__file__))
ca = os.path.join(localdir, 'server.crt')
key = os.path.join(localdir, 'server.key')
def setup_server():

class root:
@cherrypy.expose
def index(self):
   return "hello there!"
	
cherrypy.tree.mount(root())
if __name__ == '__main__':

setup_server()
cherrypy.config.update({'server.socket_port': 8443,
   'environment': 'production',
   'log.screen': true,
   'server.ssl_certificate': ca,
   'server.ssl_private_key': key})
	
cherrypy.server.quickstart()
cherrypy.engine.start()

the next step is to start the server; if you are successful, you would see the following message on your screen −

http serving https on https://localhost:8443/