XML readers; described below.
XML element name and the default values for the Python attribute
XML qualified name (such as ``tns:foo''). If a qualified name is used,
XML is a Python DOM element node.
XML readers; see the description in the ParsedSoap class.
ZSI, the Zolera SOAP Infrastructure, is a Python package that
provides an implementation of SOAP messaging, as described in
The SOAP 1.1 Specification.
In particular, ZSI parses and generates SOAP messages, and
converts between native Python datatypes and SOAP syntax.
It can also be used to build applications using
SOAP Messages with
Attachments.
ZSI is ``transport neutral'', and provides only a simple
I/O and dispatch framework; a more complete solution is the
responsibility of the application using ZSI.
As usage patterns emerge, and common application frameworks are
more understood, this may change.
ZSI requires Python 2.0 or later and PyXML version 0.6.6 or later.
Permission is hereby granted, free of charge, to any person obtaining a
copy of this software and associated documentation files (the "Software"),
to deal in the Software without restriction, including without limitation
the rights to use, copy, modify, merge, publish, distribute, and/or
sell copies of the Software, and to permit persons to whom the Software
is furnished to do so, provided that the above copyright notice(s) and
this permission notice appear in all copies of the Software and that
both the above copyright notice(s) and this permission notice appear in
supporting documentation.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT
OF THIRD PARTY RIGHTS. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR HOLDERS
INCLUDED IN THIS NOTICE BE LIABLE FOR ANY CLAIM, OR ANY SPECIAL INDIRECT
OR CONSEQUENTIAL DAMAGES, OR ANY DAMAGES WHATSOEVER RESULTING FROM LOSS
OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE
OR OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE
OR PERFORMANCE OF THIS SOFTWARE.
Except as contained in this notice, the name of a copyright holder
shall not be used in advertising or otherwise to promote the sale, use
or other dealings in this Software without prior written authorization
of the copyright holder.
ZSI, the Zolera SOAP Infrastructure, is a Python package that
provides an implementation of the SOAP specification, as described in
The SOAP 1.1 Specification.
In particular, ZSI parses and generates SOAP messages, and
converts between native Python datatypes and SOAP syntax.
ZSI requires Python 2.0 or later and PyXML version 0.6.6 or later.
SOAP-based processing typically involves several steps.
The following list details the steps of a common processing model naturally
supported by ZSI (other models are certainly possible):
ZSI takes data from an input stream and parses it, generating
a DOM-based parse tree as part of creating a ParsedSoap object.
At this point the major syntactic elements of a SOAP message -- the
Header, the Body, etc. -- are available.
The application does header processing.
More specifically, it does local dispatch and processing based on
the elements in the SOAP Header.
The SOAP actor and mustUnderstand attributes are
also handled (or at least recognized) here.
ZSI next parses the Body, creating local Python objects
from the data in the SOAP message.
The parsing is often under the control of a list of data descriptions,
known as typecodes, defined by the application because it knows
what type of data it is expecting.
In cases where the SOAP data is known to be completely self-describing,
the parsing can be dynamic through the use of the TC.Any
class.
The application now dispatches to the appropriate handler
in order to do its ``real work.''
As part of its processing it may create output objects
The application creates a SoapWriter instance and outputs
an initial set of namespace entries and header elements.
Any local data to be sent back to the client is serialized.
As with Body parsing, the datatypes can be described through
typecodes or determined dynamically (here, through introspection).
In the event of any processing exceptions, a Fault object
can be raised, created, and/or serialized.
Note that ZSI is ``transport neutral'', and provides only a simple
I/O and dispatch framework; a more complete solution is the
responsibility of the application using ZSI.
As usage patterns emerge, and common application frameworks are
more understood, this may change.
Within this document, tns is used as the prefix for the
application's target namespace, and the term
element refers to a DOM element node.)
Readers only interested in developing the simplest SOAP applications,
or spending the least amount of time on building a web services
infrastructure, should read chapters 2, 3, and 10.
Readers who are developing complex services, and who are familiar
with XML Schema and/or WSDL, should read this manual in order.
This will provide them with enough information to implement the
processing model described above.
They can skip probably skip chapters 2 and 10.
Currently, the most cumbersome part of using ZSI is
defining the typecode objects.
A future release of ZSI may be able to
process WSDL definitions (described in
The Web Services Description Language)
and generate typecodes automatically.
This section contains two examples. The first shows how to use ZSI
to expose conventional CGI scripts through SOAP.
The input parameters and return value are Python lists and the SOAP
messages must contain all type information.
This is appropriate for building simple schema-less applications.
The second example shows how to to create a
more comprehensive application that uses ZSI to validate its input
and output against a schema.
Using the ZSI.cgi module, it is simple to expose Python
functions as web services.
Each function is invoked with all the input parameters specified in the
client's SOAP request.
Any value returned by the function will be serialized back to the client;
multiple values can be returned by returning a tuple.
The following code shows some simple services:
def hello():
return "Hello, world"
def echo(*args):
return args
def average(*args):
sum = 0
for i in args: sum += i
return sum / len(args)
from ZSI import dispatch
dispatch.AsCGI()
Each function defines a SOAP request, so if this script is installed
as a CGI script, a SOAP message can be posted to that script's URL with any of
hello, echo, or average as the request element,
and the value returned by the function will be sent back.
The ZSI CGI dispatcher catches exceptions and sends back a SOAP fault.
For example, a fault will be sent if the hello function is given any
arguments, or if the average function is given a non-integer.
If the above script is installed on the webserver running on the local
host, and if the URL is /cgi-bin/simple-test, then the following
code shows simple binding and access to the server:
from ZSI.client import Binding
b = Binding(url='/cgi-bin/simple-test')
a = apply(b.average, range(1,11))
assert a == 5
print b.hello()
We will now show a more complete example of a robust web service.
It takes as input a player name and array of integers, and returns
the average.
It is presented in sections, following the steps detailed above.
The first section reads in a request, and parses the SOAP header.
from ZSI import *
import sys
IN, OUT = sys.stdin, sys.stdout
try:
ps = ParsedSoap(IN)
except ParseException, e:
FaultFromZSIException(e).AsSOAP(OUT)
sys.exit(1)
except Exception, e:
# Faulted while processing; we assume it's in the header.
FaultFromException(e, 1).AsSOAP(OUT)
sys.exit(1)
# We are not prepared to handle any actors or mustUnderstand elements,
# so we'll arbitrarily fault back with the first one we found.
a = ps.WhatActorsArePresent()
if len(a):
FaultFromActor(a[0]).AsSOAP(OUT)
sys.exit(1)
mu = ps.WhatMustIUnderstand()
if len(mu):
uri, localname = mu[0]
FaultFromNotUnderstood(uri, localname).AsSOAP(OUT)
sys.exit(1)
This section defines the mappings between Python objects and the SOAP
data being transmitted.
Recall that according to the SOAP specification, RPC input and output
are modeled as a structure.
This section parses the input, performs the application-level
activity, and serializes the response.
try:
player = ps.Parse(Player.typecode)
except EvaluateError, e:
FaultFromZSIException(e).AsSOAP(OUT)
sys.exit(1)
try:
total = 0
for value in player.Scores: total = total + value
result = Average(total / len(player.Scores))
sw = SoapWriter(OUT)
sw.serialize(result, Average.typecode)
sw.close()
except Exception, e:
FaultFromException(e, 0, sys.exc_info()[2]).AsSOAP(OUT)
sys.exit(1)
In the serialize() call above, the second parameter is optional,
since result is an instance of the
Average class, and the Average.typecode attribute is
the typecode for class instances.
In addition, since the SoapWriter destructor will call close()
if necessary, sending a SOAP response can often be written like
this one-liner:
ZSI can raise this exception while creating a ParsedSoap object.
It is a subtype of Python's Exception class.
The string form of a ParseException object consists of a
line of human-readable text.
If the backtrace is available, it will be concatenated as a second line.
A text string containing a backtrace to the error.
This may be None if it was not possible, such as when there was
a general DOM exception, or when the str text is believed to be
sufficient.
ZSI also defines some low-level utilities for its own use that
start with a leading underscore and must be imported explicitly.
They are documented here because they can be useful for developing
new typecode classes.
Return true if the element elt has a SOAP encoding
that can be handled by ZSI
(currently Section 5 of the SOAP 1.1 specification or an empty encoding
for XML).
Creates a ParsedSoap object from the provided input source.
If input is not a string, then it must be an object with a
read() method that supports the standard Python ``file read''
semantics.
The following keyword arguments may be used:
Keyword
Default
Description
keepdom
0
Do not release the DOM when this
object is destroyed.
New in version 1.2.
readerclass
None
Class used to create DOM-creating
New in version 1.2.
resolver
None
Value for the resolver
attribute; see below.
trailers
0
Allow trailing data elements
to appear after the Body.
The following attributes of a ParsedSoap are read-only:
The root of the SOAP Body element.
Using the GetElementNSdict() method on this attribute can be useful
to get a dictionary to be used with the SoapWriter class.
The root of the SOAP Header element.
Using the GetElementNSdict() method on this attribute can be useful
to get a dictionary to be used with the SoapWriter class.
Returns a (possibly empty) list of all elements following the Body.
If the trailers keyword was not used when the object was
constructed, this attribute will not be instantiated and retrieving
it will raise an exception.
The uri parameter is the URI to resolve.
The tc parameter is the typecode that needs to resolve href; this
may be needed to properly interpret the content of a MIME bodypart, for example.
The ps parameter is the ParsedSoap object that is invoking
the resolution (this allows a single resolver instance to handle multiple
SOAP parsers).
Failure to resolve the URI should result in an exception being raised.
If there is no content, return None; this is not the same as an
empty string.
If there is content, the data returned should be in a form understandable
by the typecode.
Returns the element that has an id attribute whose value is specified
by the href fragment identifier.
The hrefmust be a fragment reference -- that is, it must
start with a pound sign.
This method raises an EvaluateException exception if the
element isn't found.
It is mainly for use by the parsing methods in the TypeCode module.
Return a dictionary for all the namespace entries active at the
current element. Each dictionary key will be the prefix and the value will
be the namespace URI.
Returns a list of all elements in the Header that are intended for
this SOAP processor.
This includes all elements that either have no SOAP actor
attribute, or whose value is either the special ``next actor'' value or
in the actorlist list of URI's.
Parses the SOAP Body according to the how parameter,
and returns a Python object.
If how is not a TC.TypeCode object, then it should be a
Python class object that has a typecode attribute.
This method is invoked to resolve an absolute URI.
If the typecode tc has a resolver attribute, it will use it
to resolve the URI specified in the uri parameter,
otherwise it will use its own resolver, or raise an
EvaluateException exception.
Any keyword parameters will be passed to the chosen resolver.
If no content is available, it will return None.
If unable to resolve the URI it will raise an
EvaluateException exception.
Otherwise, the resolver should return data in a form acceptable to the
specified typecode, tc.
(This will almost always be a file-like object holding opaque data;
for XML, it may be a DOM tree.)
Returns a list of "(uri, localname)" tuples for all elements in the
SOAP Header that have the SOAP mustUnderstand attribute set
to a non-zero value.
ZSI supports multiple DOM implementations.
The readerclass parameter specifies which one to use.
The default is to use the DOM provided with the PyXML package developed
by the Python XML SIG, provided through the PyExpat.Reader class
To use the cDomlette DOM provided by the 4Suite package, use the
RawExpatReader class in the Ft.Lib.cDomlette module.
The specified reader class must support the following methods:
The DOM object must support the standard Python mapping of the DOM Level 2
specification.
While only a small subset of specification is used, the particular
methods and attributes used by ZSI are available only
by inspecting the source.
The TypeCode module defines classes used for converting data
between SOAP data and local Python objects.
The TC.TypeCode class is the parent class of all datatypes
understood by ZSI.
All typecodes classes have the prefix TC., to avoid name clashes.
ZSI provides fine-grain control over the names used when parsing and
serializing XML into local Python objects, through the use of three
attributes: the pname, the aname, and the oname
(in approximate order of importance). They specify the name expected on
the XML element being parsed, the name to use for the analogous attribute
in the local Python object, and the name to use for the output element
when serializing.
The pname is the parameter name. It specifies the incoming
and serialized names. All typecodes take name argument, known as
name, for the pname. This name can be specified as
either a list or a string. When specified as a list, it must have two
elements which are interpreted as a ``(namespace-URI, localname)'' pair.
If specified this way, both the namespace and the local element name
must match for the parse to succeed. For the Python attribute, and
when generating output, only the ``localname'' is used. (Because the
output name is not namespace-qualified, it may be necessary to set the
default namespace, such as through the nsdict parameter of the
SoapWriter class. When the name is specified as a string, it
can be either a simple XML name (such as ``foo''), or a colon-separated
the namespace prefix is ignore on input and for the Python attribute,
but the full qualified name is used for output; this requires
the namespace prefix to be specified.
The aname is the attribute name. This parameter overrides
any value implied by the pname. Typecodes nested in a the
TC.Struct or TC.Choice can use this parameter to specify
the tag, dictionary key, or instance attribute to set.
The final name, oname, specifies the name to use for the XML element
when serializing. This is most useful when using the same typecode for
both parsing and serializing operations. It can be any string, and is
output directly; a name like ``tns:foo'' implies that the nsdict
parameter to the SoapWriter construct should have an entry for
``tns,'' otherwise the resulting output will not be well-formed XML.
The name parameter is the name of the object; this is only
required when a typecode appears within a TC.Struct as it defines
the attribute name used to hold the data, or within a TC.Choice
as it determines the data type.
(Since SOAP RPC models transfer as structures, this essentially means that
a the name parameter can never be None.)
The following keyword arguments may be used:
Keyword
Default
Description
aname
See name discussion above.
default
n/a
Value if the element is not specified.
optional
0
The element is optional; see below.
oname
See name discussion above.
repeatable
0
If multiple instances of this
occur in a TC.Struct, collect the values into a list.
New in version 1.2.
typed
1
Output type information (in the
xsi:type attribute) when serializing. By special dispensation,
typecodes within a TC.Struct object inherit this from the
container.
unique
0
If true, the object is unique and will
never be ``aliased'' with another object, so the id attribute
need not be output.
Optional elements are those which do not have to be an incoming
message, or which have the XML Schema nil attribute set.
When parsing the message as part of a Struct, then the Python
instance attribute will not be set, or the element will not appear as
a dictionary key.
When being parsed as a simple type, the value None is returned.
When serializing an optional element, a non-existent attribute, or a value
of None is taken to mean not present, and the element is skipped.
This is a class attribute.
If true (the default) then all typecode constructors do more
rigorous type-checking on their parameters.
The following methods are useful for defining new typecode classes;
see the section on dynamic typing for more details.
In all of the following, the ps parameter is a ParsedSoap
object.
Checks if the name and type of the element elt are
correct and raises a EvaluateException if not.
Returns the element's type as a "(uri, localname)" tuple if so.
Like checkname() except that the element name is ignored.
This method is actually invoked by checkname() to do the
second half of its processing, but is useful to invoke
directly, such as when resolving multi-reference data.
If the element elt has data, this returns 0.
If it has no data, and the typecode is not optional, an
EvaluateException is raised; if it is optional,
a 1 is returned.
SOAP provides a flexible set of serialization rules, ranging from
completely self-describing to completely opaque, requiring an external
schema. For example, the following are all possible ways of encoding an
integer element i with a value of 12:
The first three lines are examples of typed elements.
If ZSI is asked to parse any of the above examples, and a
TC.Any typecode is given, it will properly create a Python
integer for the first three, and raise a ParseException
for the fourth.
Compound data, such as a struct, may also be self-describing:
Used for parsing incoming SOAP data (that is typed), and serializing
outgoing Python data.
The following keyword arguments may be used:
Keyword
Default
Description
aslist
0
If true, then the data is (recursively)
treated as a list of values.
The default is a Python dictionary, which preserves parameter names but
loses the ordering.
New in version 1.1.
In addition, if the Python object being serialized with an Any
has a typecode attribute, then the serialize method of
the typecode will be invoked to do the serialization.
This allows objects to override the default dynamic serialization.
Referring back to the compound XML data above, it is possible to create a new
typecode capable of parsing elements of type mytype.
This class would know that the i element is an integer,
so that the explicit typing becomes optional, rather than required.
The rest of this section describes how to add new
types to the ZSI typecode engine.
This is a class attribute, used when parsing incoming SOAP data.
It should be a sequence of "(uri, localname)" tuples to identify
the datatype.
If uri is None, it is taken to mean either the XML Schema
namespace or the SOAP encoding namespace;
this should only be used if adding support for additional primitive types.
If this list is empty, then the type of the incoming SOAP data is assumed
to be correct; an empty list also means that incoming typed data cannot
by dynamically parsed.
This is a class attribute, used when reporting a parsing error.
It is a text string naming the datatype that was expected.
If not defined, ZSI will create this attribute from the parselist
attribute when it is needed.
This is a class attribute, used when serializing Python objects
dynamically.
It specifies what types of object instances (or Python types) this
typecode can serialize.
It should be a sequence, where each element is a Python class object,
a string naming the class, or a type object from Python's types
module (if the
new typecode is serializing a built-in Python type).
ZSI invokes this method to
parse the elt element and return its Python value.
The ps parameter is the ParsedSoap object, and can be
used for dereferencing href's, calling Backtrace() to
report errors, etc.
ZSI invokes this method to output a Python object to a SOAP stream.
The sw parameter will be a SoapWriter object, and
the pyobj parameter is the Python object to serialize.
The following keyword arguments may be used:
Keyword
Default
Description
attrtext
None
Text (with leading space)
to output as an attribute; this is normally used by the TC.Array class
to pass down indexing information.
name
None
Name to use for serialization; defaults
to the name specified in the typecode, or a generated name.
typed
per-typecode
Whether or not to output type
information; the default is to use the value in the typecode.
Once the new typecode class has been defined, it should be registered with
ZSI's dynamic type system by invoking the following function:
By default, it is an error to replace an existing type registration, and
an exception will be raised.
The clobber parameter may be given to allow replacement.
A single instance of the class object will be created, and
the keyword parameters are passed to the constructor.
If the class is not registered, then instances of the class cannot be
processed as dynamic types.
This may be acceptable in some environments.
SOAP Strings are Python strings.
If the value to be serialized is a Python sequence, then an href
is generated, with the first element of the sequence used as the URI.
This can be used, for example, when generating SOAP with attachments.
The value is URL quoted (e.g., %20 for the space character).
It is often the case that a parameter will be typed as a string for
transport purposes, but will in fact have special syntax and processing
requirements.
For example, a string could be used for an XPath expression, and we want
the Python value to
actually be the compiled expression. Here is how to do that:
class XPathString(TC.String):
# We don't set parselist, since this data is typed as a string
# for interoperability with other SOAP implementations.
#parselist = [ ('tns', 'xpath') ]
def __init__(self, name, **kw):
TC.String.__init__(self, name, **kw)
def parse(self, elt, ps):
val = TC.String.parse(self, elt, ps)
try:
val = _xpath_compile(val)
except:
raise EvaluateException("Invalid XPath expression",
ps.Backtrace(elt))
return val
SOAP dates and times are Python time tuples in UTC (GMT), as documented
in the Python time module.
Time is tricky, and processing anything other than a simple absolute time
can be difficult.
(Even then, timezones lie in wait to trip up the unwary.)
A few caveats are in order:
Some date and time formats will be parsed into tuples that are
not valid time values.
For example, 75 minutes is a valid duration, although not a legal value
for the minutes element of a time tuple.
Fractional parts of a second may be lost when parsing, and may have
extra trailing zero's when serializing.
Badly-formed time tuples may result in non-sensical values being serialized;
the first six values are taken directly as year, month, day, hour, minute,
second in UTC.
In addition, badly-formed values may result in non-sensical serializations.
When serializing, an integral or floating point number is taken as
the number of seconds since the epoch, in UTC.
When marshaling zero or the word ``false'' is returned as 0
and any non-zero value or the word ``true'' is returned as 1.
When serializing, the number 0 or 1 will be generated.
If the value to be serialized is a Python string, then an href
is generated, with the value used as the URI.
This can be used, for example, when generating SOAP with attachments.
Otherwise, the XML is typically put inside a wrapper element that sets
the proper SOAP encoding style.
For efficiency, incoming XML is returend as a ``pointer'' into the
DOM tree maintained within the ParsedSoap object.
If that object is going to go out of scope, the data will be destroyed
and any XML objects will become empty elements.
The class instance variable copyit, if non-zero indicates that a
deep copy of the XML subtree will be made and returned as the value.
Note that it is generally more efficient to keep the ParsedSoap
object alive until the XML data is no longerneeded.
This class defines a compound data structure.
If pyclass is None, then the data will be marshaled
into a Python dictionary, and each item in the typecode_seq sequence
specifies a (possible) dictionary entry.
Otherwise, pyclass must be a Python class object whose constructor
takes a single parameter, which will be the value of the name
parameter given in the TC.Struct constructor.
(This allows a single pyclass to be used for different typecodes.)
The data is then marshaled into the object, and each item in the
typecode_seq
sequence specifies an attribute of the instance to set.
Note that each typecode in typecode_seq must have a name.
The following keyword arguments may be used:
Keyword
Default
Description
hasextras
0
Ignore any extra elements that appear
in the in the structure.
If inorder is true, extras can only appear at the end.
inorder
0
Items within the structure must appear
in the order specified in the TCseq sequence.
inline
0
The structure is single-reference,
so ZSI does not have to use href/id encodings.
mutable
0
If an object is going to be serialized
multiple times, and its state may be modified between serializations,
then this keyword should be used, otherwise a single instance will be
serialized, with multiple references to it.
This argument implies the inline argument.
New in version 1.2.
type
None
A "(uri, localname)" tuple that
defines the type of the structure.
If present, and if the input data has a xsi:type attribute, then the
namespace-qualified value of that attribute must match the value
specified by this parameter.
By default, type-checking is not done for structures; matching child element
names is usually sufficient and senders rarely provide type information.
If the typed keyword is used, then its value is assigned to
all typecodes in the typecode_seq parameter.
If any of the typecodes in typecode_seq are repeatable, then the
inorder keyword should not be used and the hasextras parameter
must be used.
A choice is a Python two-element "(name, value)" tuple, representing
a union of different types.
The first item is a string identifying the type, and the second is the
actual data.
When parsing, ZSI will look at the element name in the SOAP message, and
determine which of the choices to create.
When serializing Python objects to SOAP messages, ZSI must be
explicitly told which of the choices define the data.
This is done by passing a two-element tuple.
The first item is a string identifying the name of a typecode
from the typecode_seq list of typecodes.
The second is the object to be serialized.
SOAP arrays are Python lists; multi-dimensional arrays are
lists of lists and are indistinguishable from a SOAP array of arrays.
Arrays may be sparse, in which case each element in the
array is a tuple of "(subscript, data)" pairs.
If an array is not sparse, a specified fill element will be
used for the missing values.
Currently only singly-dimensioned arrays are supported.
The Map type is encoded as a list of item elements.
Each item has a key and value child element; these
children must have SOAP type information.
An Apache Map is either a Python dictionary or a list of two-element
tuples.
The SoapWriter class is used to output SOAP messages.
Note that its output is encoded as UTF-8; when transporting SOAP over
HTTP it is therefore important to set the charset attribute
of the Content-Type header.
The SoapWriter class reserves some namespace prefixes:
The out parameter is an object that has a write()
method for generating the output.
The following keyword arguments may be used:
Keyword
Default
Description
encoding
SOAP-ENC value
If not None, then
use the specified value as the value for the SOAP encodingStyle
attribute.
New in version 1.2.
envelope
1
Write the SOAP envelope elements.
New in version 1.2.
nsdict
{}
Dictionary of namespaces to write
in the SOAP Header.
header
None
A sequence of elements to output in
the SOAP Header.
It may also be a text string, in which case it is output as-is, and should
therefore be XML text.
Creating a SoapWriter object with a StringIO object for
the out parameter and envelope set to false results in an
object that can be used for serializing objects into a string.
This method serializes the pyobj Python object as directed
by the typecode typecode object.
If typecode is omitted, then pyobj should be a Python
object instance of a class that has a typecode attribute.
It returns self, so that serializations can be chained together, or
so that the close() method can be invoked.
The root parameter may be used to explicitly indicate the root
(main element) of a SOAP encoding, or indicate that the item is not the
root.
If specified, it should have the numeric value of zero or one.
Any other keyword parameters are passed to the typecode's serialize
method.
Close off the SOAP message, finishing all the pending serializations.
If trailer is a string or list of elements, it is output after the
close-tag for the Body.
The close() method of the originally provided out object is NOT called.
(If it were, and the original out object were a StringIO
object, there would be no way to collect the data.)
This method will be invoked automatically if the object is deleted.
The following methods are primarily useful for those writing new typecodes.
Used by typecodes when serializing, allows them to add output after
the SOAP Body is written but before the SOAP Envelope is closed.
The function func()
will be called with the SoapWriter object and the specified arg
argument, which may be a tuple.
This is a convenience method that calls self.out.write()
on arg, with the addition that if arg is a sequence,
it iterates over the sequence, writing each item (that isn't None)
in turn.
The code parameter is a text string identifying the SOAP fault
code, a namespace-qualified name.
The class attribute Fault.Client can be used to indicate a problem with
an incoming message, Fault.Server can be used to
indicate a problem occurred while processing the request, or Fault.MU
can be used to indicate a problem with the SOAP mustUnderstand
attribute.
The string parameter is a human-readable text string describing the
fault.
The following keyword arguments may be used:
Keyword
Default
Description
actor
None
A string identifying the actor
attribute that caused the problem (usually because it is unknown).
detail
None
A sequence
of elements to output in the detail element; it may also
be a text string, in which case it is output as-is, and should
therefore be XML text.
headerdetail
None
Data, treated the same as
the detail keyword, to be output in the SOAP header. See
the following paragraph.
If the fault occurred in the SOAP Header, the specification
requires that the detail be sent back as an element within
the SOAP Header element.
Unfortunately, the SOAP specification does not describe how to encode
this; ZSI defines and uses a
ZSI:detail element, which is analogous to the SOAP detail
element.
This method serializes the Fault object into a SOAP message.
If the output parameter is not specified, the message is returned
as a string.
Any other keyword arguments are passed to the SoapWriter constructor.
Otherwise AsSOAP() will call output.write() as needed
to output the message.
New in version 1.1; the old AsSoap method is still available.
If other data is going to be sent with the fault, the following
two methods can be used.
Because some data might need to be output in the SOAP Header,
serializing a fault is a two-step process.
This function could be used when an application receives a message
that has a SOAP Header element directed to an actor that
cannot be processed.
The uri parameter identifies the actor.
The actor parameter can be used to specify a URI that identifies the
application, if it is not the ultimate recipient of the SOAP message.
This function creates a Fault from a general Python exception.
A SOAP ``server'' fault is created.
The ex parameter should be the Python exception.
The inheader parameter should be true if the error was
found on a SOAP Header element.
The optional tb parameter may be a Python traceback
object, as returned by "sys.exc_info()[2]".
The actor parameter can be used to specify a URI that identifies the
application, if it is not the ultimate recipient of the SOAP message.
This function could be used when an application receives a message with
the SOAP mustUnderstand attribute that it does not understand.
The uri and localname parameters should identify
the unknown element.
The actor parameter can be used to specify a URI that identifies the
application, if it is not the ultimate recipient of the SOAP message.
This function creates a Fault object from a ZSI exception,
ParseException or EvaluateException.
A SOAP ``client'' fault is created.
The actor parameter can be used to specify a URI that identifies the
application, if it is not the ultimate recipient of the SOAP message.
The resolvers module provides some functions and classes
that can be used as the resolver attribute for TC.String
or TC.XML typecodes.
They process an absolute URL, as described above, and return the
content.
Because the resolvers module can import a number of other
large modules, it must be imported directly, as in
"from ZSI import resolvers".
These first two functions pass the URI directly to the urlopen
function in the urllib module.
Therefore, if used directly as resolvers, a client could direct the
SOAP application to fetch any file on the network or local disk.
Needless to say, this could pose a security risks.
This function returns the data contained at the specified uri
as a Python string.
Base-64 decoding will be done if necessary.
The tc and ps parameters are ignored; the keywords
are passed to the urlopen method.
This function returns a list of the child element nodes of the XML
document at the specified uri.
The tc and ps parameters are ignored; the keywords
are passed to the urlopen method.
The NetworkResolver class provides a simple-minded way to limit
the URI's that will be resolved.
The prefixes parameter is a list of strings defining the allowed
prefixes of any URI's.
If asked to fetch the content for a URI that does start with one of
the prefixes, it will raise an exception.
In addition to Opaque and XML methods, this class
provides a Resolve method that examines the typecode to determine
what type of data is desired.
If the SOAP application is given a multi-part MIME document, the
MIMEResolver class can be used to process SOAP with Attachments.
The MIMEResolver class will read the entire multipart MIME document,
noting any Content-ID or Content-Location headers that appear
on the headers of any of the message parts, and use them to resolve
any href attributes that appear in the SOAP message.
The ct parameter is a string that contains the value of the
MIME Content-Type header.
The f parameter is the input stream, which should be positioned just
after the message headers.
The following keyword arguments may be used:
Keyword
Default
Description
seekable
0
Whether or not the input stream is
seekable; passed to the constructor for the internal multifile
object.
Changed in version 2.0:
default had been 1.
next
None
A resolver object that will be
asked to resolve the URI if it is not found in the MIME document.
New in version 1.1.
uribase
None
The base URI to be used when
resolving relative URI's; this will typically be the value of the
Content-Location header, if present.
New in version 1.1.
In addition to to the Opaque, Resolve, and XML methods
as described above, the following method is available:
An array of tuples, one for each MIME bodypart found.
Each tuple has two elements, a mimetools.Message object
which contains the headers for the bodypart, and a
StringIO object containing the data.
ZSI is focused on parsing and generating SOAP messages, and provides
limited facilities for dispatching to the appropriate message handler.
This is because ZSI works within many client and server environments,
and the dispatching styles for these different environments can be
very different.
Nevertheless, ZSI includes some dispatch and invocation functions.
To use them, they must be explicitly imported, as shown in the example
at the start of this document.
The implementation (and names) of the these classes reflects the orientation
of using SOAP for remote procedure calls (RPC).
Both client and server share a class that defines the mechanism a
client uses to authenticate itself.
This class defines constants used to identify how the client
authenticated: none if no authentication was provided;
httpbasic if HTTP basic authentication was used, or
zsibasic if ZSI basic authentication (see below)) was used.
The ZSI schema (see the last chapter of this manual)
defines a SOAP header element, BasicAuth, that
contains a name and password.
This is similar to the HTTP basic authentication header, except
that it can be used independently from an HTTP transport.
The ZSI.dispatch module allows you to expose Python functions as a
web service.
The module provides the infrastructure to parse the request, dispatch
to the appropriate handler, and then serialize any return value
back to the client.
The value returned by the function will be serialized back to the client.
To return multiple values, return a list.
If an exception occurs, a SOAP fault will be sent back to the client.
Two dispatch mechanisms are provided: one supports standard CGI
scripts, and the other runs a dedicated server based on the
BaseHTTPServer module.
This method parses the CGI input and invokes a function that has the
same name as the top-level SOAP request element.
The optional module_list parameter can specify a list of modules
(already imported) to search for functions.
If no modules are specified, only the __main__ module will be searched.
This creates a HTTPServer object with a request handler that only
supports the ``POST'' method.
Dispatch is based solely on the name of the root element in the
incoming SOAP request;
the request URL is ignored.
The following keyword arguments may be used:
Keyword
Default
Description
docstyle
0
If true, then all methods are
invoked with a single argument, the unparsed body of the SOAP message.
modules
(__main__,)
List of modules containing
functions that can be invoked.
More sophisticated scripts may want to use access the client binding object,
which encapsulates all information about the client invoking the script.
This function returns None or the binding information, an
object of type ClientBinding, described below.
This returns a tuple containing information about the client identity.
The first element will be one of the constants from the AUTH class
described above.
For HTTP or ZSI basic authentication, the next two elements will be
the name and password provided by the client.
ZSI includes a module to connect to a SOAP server over HTTP, send requests,
and parse the response.
It is built on the standard Python httplib module.
It must be explicitly imported, as in
"from ZSI.client import AUTH,Binding".
This class encapsulates a connection to a server, known as a binding.
A single binding may be used for multiple RPC calls.
Between calls, modifiers may be used to change the URL being posted to,
etc.
The following keyword arguments may be used:
Keyword
Default
Description
auth
(AUTH.none,)
A tuple with authentication
information; the first value should be one of the constants
from the AUTH class.
host
'localhost'
Host to connect to.
ns
n/a
Default namespace for the request.
nsdict
{}
Namespace dictionary to send in the
SOAP Envelope
port
80 or 443
Port to connect on.
soapaction
http://www.zolera.com
Value for the
SOAPAction HTTP header.
readerclass
None
Class used to create DOM-creating
New in version 1.2.
ssl
0
Use SSL if non-zero.
tracefile
None
An object with a write
method, where packet traces will be recorded.
url
n/a
URL to post to.
If using SSL, the cert_file and key_file keyword parameters may
also be used.
For details see the documentation for the httplib module.
Once a Binding object has been created, the following modifiers are
available.
All of them return the binding object, so that multiple modifiers can
be chained together.
The style should be one of the constants from the AUTH
class described above.
The remaining parameters will vary depending on the style.
Currently only basic authentication data of name and password are
supported.
If this attribute is not None, it should be an object with a
write method, where packet traces will be recorded.
Once the necessary parameters have been specified (at a minimum, the URL
must have been given in the constructor are through SetURL),
invocations can be made.
This is the highest-level invocation method.
It calls Send() to send pyobj to the specified url
to perform the opname operation,
and calls Receive() expecting to get a reply of the specified
replytype.
This method will raise a TypeError if the response does not
appear to be a SOAP message, or if is valid SOAP but contains a fault.
This sends the specified pyobj to the specified url, invoking
the opname method.
The url can be None if it was specified in the Binding
constructor or if SetURL has been called.
See below for a shortcut version of this method.
The following keyword arguments may be used:
Keyword
Default
Description
nsdict
{}
Namespace dictionary to send in the
SOAP Envelope
requestclass
n/a
Python class object with a
typecode attribute specifying how to serialize the data.
requesttypecode
n/a
Typecode specifying how to serialize
the data.
soapaction
Obtained from the Binding
Value for the
SOAPAction HTTP header.
Methods are available to determine the type of response that came back:
Having determined the type of the message (or, more likely, assuming
it was good and catching an exception if not), the following methods
are available to actually parse the data.
They will continue to return the same value until
another message is sent.
Parses a SOAP message.
The replytype specifies how to parse the data.
If it s None, dynamic parsing will be used, usually resulting
in a Python list.
If replytype is a Python class, then the class's typecode
attribute will be used, otherwise replytype is taken to be
the typecode to use for parsing the data.
Once a reply has been parsed (or its type examined), the following
read-only attributes are available.
Their values will remain unchanged until another reply is parsed.
Finally, if an attribute is fetched other than one of those described
above, it is taken to be the opname of a remote procedure,
and a callable object is returned.
This object dynamically parses its arguments, receives the reply, and
parses that.
The ZSI schema defines two sets of elements. One is used to enhance
the SOAP Fault detail element, and to report header errors.
The other is used to define a header element containing a name and
password, for a class of basic authentication.
targetNamespace="http://www.zolera.com/schemas/ZSI/">
<!-- Soap doesn't define a fault element to use when we want
to fault because of header problems. -->
<element name="detail" type="SOAPFAULT:detail"/>
<!-- A URIFaultDetail element typically reports an unknown
mustUnderstand element. -->
<element name="URIFaultDetail" type="tns:URIFaultDetail"/>
<complexType name="URIFaultDetail">
<sequence>
<element name="URI" type="anyURI" minOccurs="1"/>
<element name="localname" type="NCName" minOccurs="1"/>
<any minOccurs="0" maxOccurs="unbounded"/>
</sequence>
</complexType>
<!-- An ActorFaultDetail element typically reports an actor
attribute was found that cannot be processed. -->
<element name="ActorFaultDetail" type="tns:ActorFaultDetail"/>
<complexType name="ActorFaultDetail">
<sequence>
<element name="URI" type="anyURI" minOccurs="1"/>
<any minOccurs="0" maxOccurs="unbounded"/>
</sequence>
</complexType>
<!-- A ParseFaultDetail or a FaultDetail element are typically
used when there was parsing or "business-logic" errors.
The TracedFault type is intended to provide a human-readable
string that describes the error (in more detail then the
SOAP faultstring element, which is becoming codified),
and a human-readable "trace" (optional) that shows where
within the application that the fault happened. -->
<element name="ParseFaultDetail" type="tns:TracedFault"/>
<element name="FaultDetail" type="tns:TracedFault"/>
<complexType name="TracedFault">
<sequence>
<element name="string" type="string" minOccurs="1"/>
<element name="trace" type="string" minOccurs="0"/>
<!-- <any minOccurs="0" maxOccurs="unbounded"/> -->
</sequence>
</complexType>
<!-- An element to hold a name and password, for doing basic-auth. -->
<complexType name="BasicAuth">
<sequence>
<element name="Name" type="string" minOccurs="1"/>
<element name="Password" type="string" minOccurs="1"/>
</sequence>
</complexType>
</schema>
The application of LaTeX2HTML to the Python
documentation has been heavily tailored by Fred L. Drake,
Jr. Original navigation icons were contributed by Christopher
Petrilli.
ZSI: The Zolera Soap Infrastructure
Release 1.2.6, documentation updated on May 14, 2002.