Hello all,

I have been trying out OWSLib (and Shapely) over the past couple weeks and 
would like to say good work to everyone involved in creating/maintaining it.

I am using OWSLib to simplify making WMS requests in a wxpython app. I was just 
curious if there is a way I am overlooking to have WebMapService return the raw 
capabilities XML and raw exception XML? 

From what I can see the "getcapabilities" method will return XML as a file 
object but makes a new http request for the data even when it already exists. 
As far as getting the raw exception XML; once an exception is raised the 
capabilites XML (or image if using "getmap") will always be None, so the 
exception XML can't be accessed this way (which really makes sense anyway).

I want to have this info so I can let the user view it if they want to so I 
modified wms.py (rev. 1539) a bit (attached). My question is if anyone can 
think of a reason not to do this? And if something like this can be added to 
OWSLib as a patch? 

There is probably a better way to do this but I just added a method to return 
the raw xml if WebMapService has it, and a method to return the last 
"application/vnd.ogc.se_xml" exception.

Anyway,

Thanks for any insight.

~Angus


      __________________________________________________________________
The new Internet Explorer® 8 - Faster, safer, easier.  Optimized for Yahoo!  
Get it Now for Free! at http://downloads.yahoo.com/ca/internetexplorer/
# -*- coding: ISO-8859-15 -*-
# =============================================================================
# Copyright (c) 2004, 2006 Sean C. Gillies
# Copyright (c) 2005 Nuxeo SARL <http://nuxeo.com>
#
# Authors : Sean Gillies <[email protected]>
#           Julien Anguenot <[email protected]>
#
# Contact email: [email protected]
# =============================================================================

"""
API for Web Map Service (WMS) methods and metadata.

Currently supports only version 1.1.1 of the WMS protocol.
"""

import cgi
from urllib import urlencode
from etree import etree
from .util import openURL


class ServiceException(Exception):
    pass


class CapabilitiesError(Exception):
    pass


class WebMapService(object):
    """Abstraction for OGC Web Map Service (WMS).

    Implements IWebMapService.
    """
    
    def __getitem__(self,name):
        ''' check contents dictionary to allow dict like access to service layers'''
        if name in self.__getattribute__('contents').keys():
            return self.__getattribute__('contents')[name]
        else:
            raise KeyError, "No content named %s" % name

    
    def __init__(self, url, version='1.1.1', xml=None, 
                username=None, password=None
                ):
        """Initialize."""
        self.url = url
        self.username = username
        self.password = password
        self.version = version
        self._capabilities = None
        self._exception = None #AD 25/02/10
        
        # Authentication handled by Reader
        reader = WMSCapabilitiesReader(
                self.version, url=self.url, un=self.username, pw=self.password
                )
        if xml:
            #read from stored xml
            self._capabilities = reader.readString(xml)
        else:
            #read from server
            self._capabilities = reader.read(self.url)

        #build metadata objects
        self._buildMetadata()

    def _getcapproperty(self):
        if not self._capabilities:
            reader = WMSCapabilitiesReader(
                self.version, url=self.url, un=self.username, pw=self.password
                )
            self._capabilities = ServiceMetadata(reader.read(self.url))
        return self._capabilities
    capabilities = property(_getcapproperty, None)

    def _buildMetadata(self):         
        ''' set up capabilities metadata objects '''
        
        #serviceIdentification metadata
        serviceelem=self._capabilities.find('Service')
        self.identification=ServiceIdentification(serviceelem, self.version)   
        
        #serviceProvider metadata
        self.provider=ServiceProvider(serviceelem)   
            
        #serviceOperations metadata 
        self.operations=[]
        for elem in self._capabilities.find('Capability/Request')[:]:
            self.operations.append(OperationMetadata(elem))
          
        #serviceContents metadata: our assumption is that services use a top-level 
        #layer as a metadata organizer, nothing more.
        self.contents={}
        caps = self._capabilities.find('Capability')
        for elem in caps.findall('Layer'):
            cm=ContentMetadata(elem)
            self.contents[cm.id]=cm       
            for subelem in elem.findall('Layer'):
                subcm=ContentMetadata(subelem, cm)
                self.contents[subcm.id]=subcm 
        
        #exceptions
        self.exceptions = [f.text for f \
                in self._capabilities.findall('Capability/Exception/Format')]
            
            
    def items(self):
        '''supports dict-like items() access'''
        items=[]
        for item in self.contents:
            items.append((item,self.contents[item]))
        return items
    
    def getcapabilities(self):
        """Request and return capabilities document from the WMS as a 
        file-like object.
        NOTE: this is effectively redundant now"""
        
        reader = WMSCapabilitiesReader(
            self.version, url=self.url, un=self.username, pw=self.password
            )
        u = self._open(reader.capabilities_url(self.url))
        
        # check for service exceptions, and return
        if u.info().gettype() == 'application/vnd.ogc.se_xml':
            se_xml = u.read()
            self._exception = se_xml #AD 25/02/10
            se_tree = etree.fromstring(se_xml)
            raise ServiceException, \
                str(se_tree.find('ServiceException').text).strip()
        return u

    def getmap(self, layers=None, styles=None, srs=None, bbox=None,
               format=None, size=None, time=None, transparent=False,
               bgcolor='#FFFFFF',
               exceptions='application/vnd.ogc.se_xml',
               method='Get'
               ):
        """Request and return an image from the WMS as a file-like object.
        
        Parameters
        ----------
        layers : list
            List of content layer names.
        styles : list
            Optional list of named styles, must be the same length as the
            layers list.
        srs : string
            A spatial reference system identifier.
        bbox : tuple
            (left, bottom, right, top) in srs units.
        format : string
            Output image format such as 'image/jpeg'.
        size : tuple
            (width, height) in pixels.
        transparent : bool
            Optional. Transparent background if True.
        bgcolor : string
            Optional. Image background color.
        method : string
            Optional. HTTP DCP method name: Get or Post.
        
        Example
        -------
            >>> img = wms.getmap(layers=['global_mosaic'],
            ...                  styles=['visual'],
            ...                  srs='EPSG:4326', 
            ...                  bbox=(-112,36,-106,41),
            ...                  format='image/jpeg',
            ...                  size=(300,250),
            ...                  transparent=True,
            ...                  )
            >>> out = open('example.jpg', 'wb')
            >>> out.write(img.read())
            >>> out.close()

        """        
        base_url = self.getOperationByName('GetMap').methods[method]['url']
        request = {'version': self.version, 'request': 'GetMap'}
        
        # check layers and styles
        assert len(layers) > 0
        request['layers'] = ','.join(layers)
        if styles:
            assert len(styles) == len(layers)
            request['styles'] = ','.join(styles)
        else:
            request['styles'] = ''

        # size
        request['width'] = str(size[0])
        request['height'] = str(size[1])
        
        request['srs'] = str(srs)
        request['bbox'] = ','.join([str(x) for x in bbox])
        request['format'] = str(format)
        request['transparent'] = str(transparent).upper()
        request['bgcolor'] = '0x' + bgcolor[1:7]
        request['exceptions'] = str(exceptions)
        
        if time is not None:
            request['time'] = str(time)
        
        data = urlencode(request)
        
        u = openURL(base_url, data, method, username = self.username, password = self.password)
        
        # check for service exceptions, and return
        if u.info()['Content-Type'] == 'application/vnd.ogc.se_xml':
            se_xml = u.read()
            self._exception = se_xml #AD 25/02/10
            se_tree = etree.fromstring(se_xml)
            raise ServiceException, \
                str(se_tree.find('ServiceException').text).strip()
        return u
    
    #AD 25/02/10
    def getExceptionXML(self):
        xml = None
        if self._exception:
            xml = self._exception
        return xml
        
    #AD 25/02/10    
    def getServiceXML(self):
        xml = None
        if self._capabilities:
            xml = etree.tostring(self._capabilities)
        return xml

    def getfeatureinfo(self):
        raise NotImplementedError
    
    def getOperationByName(self, name): 
        """Return a named content item."""
        for item in self.operations:
            if item.name == name:
                return item
        raise KeyError, "No operation named %s" % name
    
class ServiceIdentification(object):
    ''' Implements IServiceIdentificationMetadata '''
    
    def __init__(self, infoset, version):
        self._root=infoset
        self.type = self._root.find('Name').text
        self.version = version
        self.title = self._root.find('Title').text
        abstract = self._root.find('Abstract')
	if abstract is not None:
	        self.abstract = abstract.text
	else:
		self.abstract = None
        self.keywords = [f.text for f in self._root.findall('KeywordList/Keyword')]
        accessconstraints=self._root.find('AccessConstraints')
        if accessconstraints is not None:
            self.accessconstraints = accessconstraints.text
        fees = self._root.find('Fees')
        if fees is not None:
            self.fees = fees.text
             
class ServiceProvider(object):
    ''' Implements IServiceProviderMetatdata '''
    def __init__(self, infoset):
        self._root=infoset
        name=self._root.find('ContactInformation/ContactPersonPrimary/ContactOrganization')
        if name is not None:
            self.name=name.text
        else:
            self.name=None
        self.url=self._root.find('OnlineResource').attrib.get('{http://www.w3.org/1999/xlink}href', '')
        #contact metadata
	contact = self._root.find('ContactInformation')
	## sometimes there is a contact block that is empty, so make
	## sure there are children to parse
	if contact is not None and contact[:] != []:
            self.contact = ContactMetadata(contact)
        else:
            self.contact = None
            
    def getContentByName(self, name):
        """Return a named content item."""
        for item in self.contents:
            if item.name == name:
                return item
        raise KeyError, "No content named %s" % name

    def getOperationByName(self, name):
        """Return a named content item."""
        for item in self.operations:
            if item.name == name:
                return item
        raise KeyError, "No operation named %s" % name

class ContentMetadata:
	"""
	Abstraction for WMS layer metadata.

	Implements IContentMetadata.
	"""
	def __init__(self, elem, parent=None):
		self.parent = parent
		if elem.tag != 'Layer':
			raise ValueError('%s should be a Layer' % (elem,))
		for key in ('Name', 'Title'):
			val = elem.find(key)
			if val is not None:
				setattr(self, key.lower(), val.text.strip())
			else:
				setattr(self, key.lower(), None)
                self.id=self.name #conform to new interface
		# bboxes
		b = elem.find('BoundingBox')
		self.boundingBox = None
                if b is not None:
                    try: #sometimes the SRS attribute is (wrongly) not provided
                        srs=b.attrib['SRS']
                    except KeyError:
                        srs=None
                    self.boundingBox = (
                            float(b.attrib['minx']),
                            float(b.attrib['miny']),
                            float(b.attrib['maxx']),
                            float(b.attrib['maxy']),
                            srs,
                    )
		elif self.parent:
                    if hasattr(self.parent, 'boundingBox'):
			self.boundingBox = self.parent.boundingBox

		attribution = elem.find('Attribution')
		if attribution is not None:
			self.attribution = dict()
			title = attribution.find('Title')
			url = attribution.find('OnlineResource')
			logo = attribution.find('LogoURL')
			if title is not None: 
			    self.attribution['title'] = title.text
			if url is not None:
			    self.attribution['url'] = url.attrib['{http://www.w3.org/1999/xlink}href']
			if logo is not None: 
				self.attribution['logo_size'] = (int(logo.attrib['width']), int(logo.attrib['height']))
				self.attribution['logo_url'] = logo.find('OnlineResource').attrib['{http://www.w3.org/1999/xlink}href']



		b = elem.find('LatLonBoundingBox')
		if b is not None:
			self.boundingBoxWGS84 = (
				float(b.attrib['minx']),
				float(b.attrib['miny']),
				float(b.attrib['maxx']),
				float(b.attrib['maxy']),
			)
		elif self.parent:
			self.boundingBoxWGS84 = self.parent.boundingBoxWGS84
		else:
			self.boundingBoxWGS84 = None
		# crs options
		self.crsOptions = []
		if elem.find('SRS') is not None:
			## some servers found in the wild use a single SRS
			## tag containing a whitespace separated list of SRIDs
			## instead of several SRS tags. hence the inner loop
			for srslist in map(lambda x: x.text, elem.findall('SRS')):
                            if srslist:
				for srs in srslist.split():
					self.crsOptions.append(srs)
		elif self.parent:
                        self.crsOptions = self.parent.crsOptions
		else:
			#raise ValueError('%s no SRS available!?' % (elem,))
                        #Comment by D Lowe.
                        #Do not raise ValueError as it is possible that a layer is purely a parent layer and does not have SRS specified. Instead set crsOptions to None
                        self.crsOptions=None
		# styles
		self.styles = {}
		for s in elem.findall('Style'):
			name = s.find('Name')
			title = s.find('Title')
			if name is None or title is None:
				raise ValueError('%s missing name or title' % (s,))
			style = { 'title' : title.text }
			# legend url
			legend = s.find('LegendURL/OnlineResource')
			if legend is not None:
				style['legend'] = legend.attrib['{http://www.w3.org/1999/xlink}href']
			self.styles[name.text] = style

		# keywords
		self.keywords = [f.text for f in elem.findall('KeywordList/Keyword')]

                # timepositions - times for which data is available.
                self.timepositions=None
                for extent in elem.findall('Extent'):
                    if extent.attrib.get("name").lower() =='time':
                        self.timepositions=extent.text.split(',')
                        break
                
		self.layers = []
		for child in elem.findall('Layer'):
			self.layers.append(ContentMetadata(child, self))

	def __str__(self):
		return 'Layer Name: %s Title: %s' % (self.name, self.title)


class OperationMetadata:
    """Abstraction for WMS OperationMetadata.
    
    Implements IOperationMetadata.
    """
    def __init__(self, elem):
        """."""
        self.name = elem.tag
        # formatOptions
        self.formatOptions = [f.text for f in elem.findall('Format')]
        methods = []
        for verb in elem.findall('DCPType/HTTP/*'):
            url = verb.find('OnlineResource').attrib['{http://www.w3.org/1999/xlink}href']
            methods.append((verb.tag, {'url': url}))
        self.methods = dict(methods)

class ContactMetadata:
	"""Abstraction for contact details advertised in GetCapabilities.
	"""
	def __init__(self, elem):
		name = elem.find('ContactPersonPrimary/ContactPerson')
		if name is not None:
                    self.name=name.text
                else:
                    self.name=None
                email = elem.find('ContactElectronicMailAddress')
                if email is not None:
                    self.email=email.text
                else:
                    self.email=None
		self.address = self.city = self.region = None
		self.postcode = self.country = None

		address = elem.find('ContactAddress')
		if address is not None:
			street = address.find('Address')
			if street is not None: self.address = street.text

			city = address.find('City')
			if city is not None: self.city = city.text

			region = address.find('StateOrProvince')
			if region is not None: self.region = region.text

			postcode = address.find('PostCode')
			if postcode is not None: self.postcode = postcode.text

			country = address.find('Country')
			if country is not None: self.country = country.text

		organization = elem.find('ContactPersonPrimary/ContactOrganization')
		if organization is not None: self.organization = organization.text
		else:self.organization = None

		position = elem.find('ContactPosition')
		if position is not None: self.position = position.text
		else: self.position = None


        
class WMSCapabilitiesReader:
    """Read and parse capabilities document into a lxml.etree infoset
    """

    def __init__(self, version='1.1.1', url=None, un=None, pw=None):
        """Initialize"""
        self.version = version
        self._infoset = None
        self.url = url
        self.username = un
        self.password = pw

        #if self.username and self.password:
            ## Provide login information in order to use the WMS server
            ## Create an OpenerDirector with support for Basic HTTP 
            ## Authentication...
            #passman = HTTPPasswordMgrWithDefaultRealm()
            #passman.add_password(None, self.url, self.username, self.password)
            #auth_handler = HTTPBasicAuthHandler(passman)
            #opener = build_opener(auth_handler)
            #self._open = opener.open

    def capabilities_url(self, service_url):
        """Return a capabilities url
        """
        qs = []
        if service_url.find('?') != -1:
            qs = cgi.parse_qsl(service_url.split('?')[1])

        params = [x[0] for x in qs]

        if 'service' not in params:
            qs.append(('service', 'WMS'))
        if 'request' not in params:
            qs.append(('request', 'GetCapabilities'))
        if 'version' not in params:
            qs.append(('version', self.version))

        urlqs = urlencode(tuple(qs))
        return service_url.split('?')[0] + '?' + urlqs

    def read(self, service_url):
        """Get and parse a WMS capabilities document, returning an
        elementtree instance

        service_url is the base url, to which is appended the service,
        version, and request parameters
        """
        getcaprequest = self.capabilities_url(service_url)

        #now split it up again to use the generic openURL function...
        spliturl=getcaprequest.split('?')
        u = openURL(spliturl[0], spliturl[1], method='Get', username = self.username, password = self.password)
        return etree.fromstring(u.read())

    def readString(self, st):
        """Parse a WMS capabilities document, returning an elementtree instance

        string should be an XML capabilities document
        """
        if not isinstance(st, str):
            raise ValueError("String must be of type string, not %s" % type(st))
        return etree.fromstring(st)
_______________________________________________
Community mailing list
[email protected]
http://lists.gispython.org/mailman/listinfo/community

Reply via email to