Skip to content

Commit af08d21

Browse files
author
abickell
committed
Initial import soaplib project, a python library for writing SOAP clients and web services.
git-svn-id: https://svn.optio.webfactional.com/soaplib/trunk@6 a22a5828-bd28-0410-b187-c4590219e950
0 parents  commit af08d21

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

46 files changed

+4798
-0
lines changed

.project

+11
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,11 @@
1+
<?xml version="1.0" encoding="UTF-8"?>
2+
<projectDescription>
3+
<name>soaplib</name>
4+
<comment></comment>
5+
<projects>
6+
</projects>
7+
<buildSpec>
8+
</buildSpec>
9+
<natures>
10+
</natures>
11+
</projectDescription>

LICENSE

+458
Large diffs are not rendered by default.

examples/._helloworld.py

225 Bytes
Binary file not shown.

examples/__init__.py

Whitespace-only changes.

examples/__init__.pyc

100 Bytes
Binary file not shown.

examples/async.py

+41
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,41 @@
1+
from soaplib.wsgi_soap import SimpleWSGISoapApp
2+
from soaplib.service import soapmethod
3+
from soaplib.serializers.primitive import String, Integer, Array
4+
from soaplib.serializers.binary import Attachment
5+
from soaplib.util import get_callback_info
6+
7+
from threading import Thread
8+
from tempfile import mkstemp
9+
import time
10+
11+
'''
12+
This is a very simple async service that sleeps for a specified
13+
number of seconds and then call back the caller with a message.
14+
This kicks off a new Thread for each request, which is not recommended
15+
for a real-world application. Soaplib does not provide any thread
16+
management or scheduling mechanism, the service is responsible for the
17+
execution of the async. process.
18+
'''
19+
20+
class SleepingService(SimpleWSGISoapApp):
21+
22+
@soapmethod(Integer,_isAsync=True)
23+
def sleep(self,seconds):
24+
msgid, replyto = get_callback_info()
25+
26+
def run():
27+
time.sleep(seconds)
28+
29+
client = create_service_client(replyto, self)
30+
client.woke_up('good morning',msgid=msgid)
31+
32+
Thread(target=run).start()
33+
34+
@soapmethod(String,_isCallback=True)
35+
def woke_up(self,message):
36+
pass
37+
38+
if __name__=='__main__':
39+
from cherrypy._cpwsgiserver import CherryPyWSGIServer
40+
server = CherryPyWSGIServer(('192.168.1.101',7789),SleepingService())
41+
server.start()

examples/binary.py

+51
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,51 @@
1+
from soaplib.wsgi_soap import SimpleWSGISoapApp
2+
from soaplib.service import soapmethod
3+
from soaplib.serializers.primitive import String, Integer, Array
4+
from soaplib.serializers.binary import Attachment
5+
6+
from tempfile import mkstemp
7+
import os
8+
9+
class DocumentArchiver(SimpleWSGISoapApp):
10+
11+
@soapmethod(Attachment,_returns=String)
12+
def archive_document(self,document):
13+
'''
14+
This method accepts an Attachment object, and returns the filename of the
15+
archived file
16+
'''
17+
fd,fname = mkstemp()
18+
os.close(fd)
19+
20+
document.fileName = fname
21+
document.save_to_file()
22+
23+
return fname
24+
25+
@soapmethod(String,_returns=Attachment)
26+
def get_archived_document(self,file_path):
27+
'''
28+
This method loads a document from the specified file path
29+
and returns it. If the path isn't found, an exception is
30+
raised.
31+
'''
32+
if not os.path.exists(file_path):
33+
raise Exception("File [%s] not found"%file_path)
34+
35+
document = Attachment(fileName=file_path)
36+
# the service automatically loads the data from the file.
37+
# alternatively, The data could be manually loaded into memory
38+
# and loaded into the Attachment like:
39+
# document = Attachment(data=data_from_file)
40+
return document
41+
42+
43+
def make_client():
44+
from soaplib.client import make_service_client
45+
client = make_service_client('http://localhost:7889/',DocumentArchiver())
46+
return client
47+
48+
if __name__=='__main__':
49+
from cherrypy._cpwsgiserver import CherryPyWSGIServer
50+
server = CherryPyWSGIServer(('localhost',7889),DocumentArchiver())
51+
server.start()

examples/binary.pyc

2.07 KB
Binary file not shown.

examples/classserializer.py

+69
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,69 @@
1+
from soaplib.wsgi_soap import SimpleWSGISoapApp
2+
from soaplib.service import soapmethod
3+
from soaplib.serializers.primitive import String, Integer, Array
4+
from soaplib.serializers.clazz import ClassSerializer
5+
6+
'''
7+
This example shows how to define and use complex structures
8+
in soaplib. This example uses an extremely simple in-memory
9+
dictionary to store the User objects.
10+
'''
11+
12+
user_database = {}
13+
userid_seq = 1
14+
15+
from soaplib.serializers.primitive import String, Integer, Array
16+
from soaplib.serializers.clazz import ClassSerializer
17+
class Permission(ClassSerializer):
18+
class types:
19+
application = String
20+
feature = String
21+
22+
@classmethod
23+
def to_xml(cls,value,name):
24+
print 'hello'
25+
return 'asdf'
26+
27+
class User(ClassSerializer):
28+
class types:
29+
userid = Integer
30+
username = String
31+
firstname = String
32+
lastname = String
33+
permissions = Array(Permission)
34+
35+
class UserManager(SimpleWSGISoapApp):
36+
37+
@soapmethod(User,_returns=Integer)
38+
def add_user(self,user):
39+
global user_database
40+
global userid_seq
41+
user.userid = userid_seq
42+
userid_seq = userid_seq+1
43+
user_database[user.userid] = user
44+
return user.userid
45+
46+
@soapmethod(Integer,_returns=User)
47+
def get_user(self,userid):
48+
global user_database
49+
return user_database[userid]
50+
51+
@soapmethod(User)
52+
def modify_user(self,user):
53+
global user_database
54+
user_database[user.userid] = user
55+
56+
@soapmethod(Integer)
57+
def delete_user(self,userid):
58+
global user_database
59+
del user_database[userid]
60+
61+
@soapmethod(_returns=Array(User))
62+
def list_users(self):
63+
global user_database
64+
return [v for k,v in user_database.items()]
65+
66+
if __name__=='__main__':
67+
from cherrypy._cpwsgiserver import CherryPyWSGIServer
68+
server = CherryPyWSGIServer(('192.168.1.101',7789),UserManager())
69+
server.start()

examples/classserializer.pyc

2.47 KB
Binary file not shown.

examples/helloworld.py

+28
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,28 @@
1+
from soaplib.wsgi_soap import SimpleWSGISoapApp
2+
from soaplib.service import soapmethod
3+
from soaplib.serializers.primitive import String, Integer, Array
4+
5+
'''
6+
This is a simple HelloWorld example to show the basics of writing
7+
a webservice using soaplib, starting a server, and creating a service
8+
client.
9+
'''
10+
11+
class HelloWorldService(SimpleWSGISoapApp):
12+
13+
@soapmethod(String,Integer,_returns=Array(String))
14+
def say_hello(self,name,times):
15+
results = []
16+
for i in range(0,times):
17+
results.append('Hello, %s'%name)
18+
return results
19+
20+
def make_client():
21+
from soaplib.client import make_service_client
22+
client = make_service_client('http://localhost:7889/',HelloWorldService())
23+
return client
24+
25+
if __name__=='__main__':
26+
from cherrypy._cpwsgiserver import CherryPyWSGIServer
27+
server = CherryPyWSGIServer(('localhost',7889),HelloWorldService())
28+
server.start()

examples/helloworld.pyc

1.36 KB
Binary file not shown.

examples/hooks.py

+66
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,66 @@
1+
from soaplib.wsgi_soap import SimpleWSGISoapApp
2+
from soaplib.service import soapmethod
3+
from soaplib.serializers.primitive import String, Integer, Array
4+
5+
from soaplib.wsgi_soap import request
6+
from time import time
7+
8+
'''
9+
This example is an enhanced version of the HelloWorld example that
10+
uses service 'hooks' to apply cross-cutting behavior to the service.
11+
In this example, the service hooks are used to gather performance
12+
information on both the method execution as well as the duration
13+
of the entire call, including serialization and deserialization. The
14+
available hooks are:
15+
16+
* onCall
17+
* onWsdl
18+
* onWsdlException
19+
* onMethodExec
20+
* onResults
21+
* onException
22+
* onReturn
23+
24+
These method can be used to easily apply cross-cutting functionality
25+
accross all methods in the service to do things like database transaction
26+
management, logging and measuring performance. This example also
27+
employs the threadlocal request (soaplib.wsgi_soap.request) object
28+
to hold the data points for this request.
29+
'''
30+
31+
class HelloWorldService(SimpleWSGISoapApp):
32+
33+
@soapmethod(String,Integer,_returns=Array(String))
34+
def say_hello(self,name,times):
35+
results = []
36+
for i in range(0,times):
37+
results.append('Hello, %s'%name)
38+
return results
39+
40+
def onCall(self,environ):
41+
request.additional['call_start'] = time()
42+
43+
def onMethodExec(self,environ,body,py_params,soap_params):
44+
request.additional['method_start'] = time()
45+
46+
def onResults(self,environ,py_results,soap_results):
47+
request.additional['method_end'] = time()
48+
49+
def onReturn(self,environ,returnString):
50+
call_start = request.additional['call_start']
51+
call_end = time()
52+
method_start = request.additional['method_start']
53+
method_end = request.additional['method_end']
54+
55+
print 'Method took [%s] - total execution time[%s]'%(method_end-method_start,call_end-call_start)
56+
57+
58+
def make_client():
59+
from soaplib.client import make_service_client
60+
client = make_service_client('http://localhost:7889/',HelloWorldService())
61+
return client
62+
63+
if __name__=='__main__':
64+
from cherrypy._cpwsgiserver import CherryPyWSGIServer
65+
server = CherryPyWSGIServer(('localhost',7889),HelloWorldService())
66+
server.start()

examples/hooks.pyc

2.29 KB
Binary file not shown.

setup.cfg

+3
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,3 @@
1+
[egg_info]
2+
tag_build = dev
3+
tag_svn_revision = true

setup.py

+34
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,34 @@
1+
from setuptools import setup, find_packages
2+
version = '0.7.0'
3+
4+
setup(name='soaplib',
5+
version=version,
6+
description="A simple library for writing soap web services",
7+
long_description="""\
8+
This is a simple, easily extendible soap library that provides several useful tools for
9+
creating and publishing soap web services in python. This package features on-demand
10+
wsdl generation for the published services, a wsgi-compliant web application, support for
11+
complex class structures, binary attachments, simple framework for creating additional
12+
serialization mechanisms and a client library.
13+
""",
14+
classifier7s=[
15+
'Programming Language :: Python',
16+
'Operating System :: OS Independent',
17+
'Natural Language :: English',
18+
'Development Status :: 2 - Pre-Alpha',
19+
'Intended Audience :: Developers',
20+
'Topic :: Internet :: WWW/HTTP :: Dynamic Content'
21+
],
22+
keywords='soap',
23+
author='Aaron Bickell',
24+
author_email='[email protected]',
25+
url='http://trac.optio.webfactional.com',
26+
license='LGPL',
27+
packages=find_packages(exclude=['ez_setup', 'examples', 'tests']),
28+
zip_safe=False,
29+
install_requires=['cElementTree','pytz'],
30+
test_suite='tests.test_suite',
31+
entry_points="""
32+
""",
33+
)
34+

soaplib.egg-info/PKG-INFO

+16
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,16 @@
1+
Metadata-Version: 1.0
2+
Name: soaplib
3+
Version: 0.7.0dev-r21909
4+
Summary: A simple library for writing soap web services
5+
Home-page: http://trac.optio.webfactional.com
6+
Author: Aaron Bickell
7+
Author-email: [email protected]
8+
License: LGPL
9+
Description: This is a simple, easily extendible soap library that provides several useful tools for
10+
creating and publishing soap web services in python. This package features on-demand
11+
wsdl generation for the published services, a wsgi-compliant web application, support for
12+
complex class structures, binary attachments, simple framework for creating additional
13+
serialization mechanisms and a client library.
14+
15+
Keywords: soap
16+
Platform: UNKNOWN

soaplib.egg-info/SOURCES.txt

+44
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,44 @@
1+
.project
2+
setup.cfg
3+
setup.py
4+
soaplib_docs.markdown
5+
examples/._helloworld.py
6+
examples/__init__.py
7+
examples/__init__.pyc
8+
examples/async.py
9+
examples/binary.py
10+
examples/classserializer.py
11+
examples/classserializer.pyc
12+
examples/helloworld.py
13+
examples/helloworld.pyc
14+
examples/hooks.py
15+
soaplib/__init__.py
16+
soaplib/client.py
17+
soaplib/service.py
18+
soaplib/soap.py
19+
soaplib/util.py
20+
soaplib/wsgi_soap.py
21+
soaplib.egg-info/PKG-INFO
22+
soaplib.egg-info/SOURCES.txt
23+
soaplib.egg-info/dependency_links.txt
24+
soaplib.egg-info/entry_points.txt
25+
soaplib.egg-info/not-zip-safe
26+
soaplib.egg-info/requires.txt
27+
soaplib.egg-info/top_level.txt
28+
soaplib/ext/__init__.py
29+
soaplib/ext/comproxy.py
30+
soaplib/ext/wsdl2py.py
31+
soaplib/ext/wsgi_xml.py
32+
soaplib/serializers/__init__.py
33+
soaplib/serializers/binary.py
34+
soaplib/serializers/clazz.py
35+
soaplib/serializers/primitive.py
36+
tests/__init__.py
37+
tests/client_test.py
38+
tests/interop_service.py
39+
tests/service_test.py
40+
tests/soap_test.py
41+
tests/serializers/__init__.py
42+
tests/serializers/binary_test.py
43+
tests/serializers/clazz_test.py
44+
tests/serializers/primitive_test.py

soaplib.egg-info/dependency_links.txt

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+

soaplib.egg-info/entry_points.txt

+2
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,2 @@
1+
2+

soaplib.egg-info/not-zip-safe

Whitespace-only changes.

soaplib.egg-info/requires.txt

+2
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,2 @@
1+
cElementTree
2+
pytz

soaplib.egg-info/top_level.txt

+2
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,2 @@
1+
soaplib
2+
tests

soaplib/__init__.py

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
#

0 commit comments

Comments
 (0)