/usr/share/pyshared/shapely/topology.py is in python-shapely 1.2.14-1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 | """
Intermediaries supporting GEOS topological operations
These methods all take Shapely geometries and other Python objects and delegate
to GEOS functions via ctypes.
These methods return ctypes objects that should be recast by the caller.
"""
from ctypes import byref, c_double
from shapely.geos import TopologicalError, lgeos
class Validating(object):
def _validate(self, ob, stop_prepared=False):
if ob is None or ob._geom is None:
raise ValueError("Null geometry supports no operations")
if stop_prepared and not hasattr(ob, 'type'):
raise ValueError("Prepared geometries cannot be operated on")
class Delegating(Validating):
def __init__(self, name):
self.fn = lgeos.methods[name]
class BinaryRealProperty(Delegating):
def __call__(self, this, other):
self._validate(this)
self._validate(other, stop_prepared=True)
d = c_double()
retval = self.fn(this._geom, other._geom, byref(d))
return d.value
class UnaryRealProperty(Delegating):
def __call__(self, this):
self._validate(this)
d = c_double()
retval = self.fn(this._geom, byref(d))
return d.value
class BinaryTopologicalOp(Delegating):
def __call__(self, this, other, *args):
self._validate(this)
self._validate(other, stop_prepared=True)
product = self.fn(this._geom, other._geom, *args)
if product is None:
if not this.is_valid:
raise TopologicalError(
"The operation '%s' produced a null geometry. Likely cause is invalidity of the geometry %s" % (self.fn.__name__, repr(this)))
elif not other.is_valid:
raise TopologicalError(
"The operation '%s' produced a null geometry. Likely cause is invalidity of the 'other' geometry %s" % (self.fn.__name__, repr(other)))
else:
raise TopologicalError(
"This operation produced a null geometry. Reason: unknown")
return product
class UnaryTopologicalOp(Delegating):
def __call__(self, this, *args):
self._validate(this)
return self.fn(this._geom, *args)
|