/usr/share/pyshared/rdflib/Literal.py is in python-rdflib 2.4.2-1ubuntu1.
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 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 | from rdflib.Identifier import Identifier
from rdflib.URIRef import URIRef
from rdflib.Namespace import Namespace
from rdflib.exceptions import Error
from datetime import date,time,datetime
from time import strptime
import base64
try:
from hashlib import md5
except ImportError:
from md5 import md5
import logging
_logger = logging.getLogger(__name__)
class Literal(Identifier):
"""
RDF Literal: http://www.w3.org/TR/rdf-concepts/#section-Graph-Literal
>>> Literal(1).toPython()
1L
>>> cmp(Literal("adsf"), 1)
1
>>> lit2006 = Literal('2006-01-01',datatype=_XSD_NS.date)
>>> lit2006.toPython()
datetime.date(2006, 1, 1)
>>> lit2006 < Literal('2007-01-01',datatype=_XSD_NS.date)
True
>>> Literal(datetime.utcnow()).datatype
rdflib.URIRef('http://www.w3.org/2001/XMLSchema#dateTime')
>>> oneInt = Literal(1)
>>> twoInt = Literal(2)
>>> twoInt < oneInt
False
>>> Literal('1') < Literal(1)
False
>>> Literal('1') < Literal('1')
False
>>> Literal(1) < Literal('1')
True
>>> Literal(1) < Literal(2.0)
True
>>> Literal(1) < URIRef('foo')
True
>>> Literal(1) < 2.0
True
>>> Literal(1) < object
True
>>> lit2006 < "2007"
True
>>> "2005" < lit2006
True
"""
__slots__ = ("language", "datatype", "_cmp_value")
def __new__(cls, value, lang=None, datatype=None):
if datatype:
lang = None
else:
value,datatype = _castPythonToLiteral(value)
if datatype:
lang = None
if datatype:
datatype = URIRef(datatype)
try:
inst = unicode.__new__(cls,value)
except UnicodeDecodeError:
inst = unicode.__new__(cls,value,'utf-8')
inst.language = lang
inst.datatype = datatype
inst._cmp_value = inst._toCompareValue()
return inst
def __reduce__(self):
return (Literal, (unicode(self), self.language, self.datatype),)
def __getstate__(self):
return (None, dict(language=self.language, datatype=self.datatype))
def __setstate__(self, arg):
_, d = arg
self.language = d["language"]
self.datatype = d["datatype"]
def __add__(self, val):
"""
>>> Literal(1) + 1
2L
>>> Literal("1") + "1"
rdflib.Literal(u'11')
"""
py = self.toPython()
if isinstance(py, Literal):
s = super(Literal, self).__add__(val)
return Literal(s, self.language, self.datatype)
else:
return py + val
def __lt__(self, other):
"""
>>> Literal("YXNkZg==", datatype=_XSD_NS[u'base64Binary']) < "foo"
True
>>> u"\xfe" < Literal(u"foo")
False
>>> Literal(base64.encodestring(u"\xfe".encode("utf-8")), datatype=URIRef("http://www.w3.org/2001/XMLSchema#base64Binary")) < u"foo"
False
"""
if other is None:
return False # Nothing is less than None
try:
return self._cmp_value < other
except TypeError, te:
return unicode(self._cmp_value) < other
except UnicodeDecodeError, ue:
if isinstance(self._cmp_value, str):
return self._cmp_value < other.encode("utf-8")
else:
raise ue
def __le__(self, other):
if other is None:
return False
if self==other:
return True
else:
return self < other
def __gt__(self, other):
if other is None:
return True # Everything is greater than None
try:
return self._cmp_value > other
except TypeError, te:
return unicode(self._cmp_value) > other
except UnicodeDecodeError, ue:
if isinstance(self._cmp_value, str):
return self._cmp_value > other.encode("utf-8")
else:
raise ue
def __ge__(self, other):
if other is None:
return False
if self==other:
return True
else:
return self > other
def __ne__(self, other):
"""
Overriden to ensure property result for comparisons with None via !=.
Routes all other such != and <> comparisons to __eq__
>>> Literal('') != None
True
>>> Literal('2') <> Literal('2')
False
"""
return not self.__eq__(other)
def __hash__(self):
"""
>>> a = {Literal('1',datatype=_XSD_NS.integer):'one'}
>>> Literal('1',datatype=_XSD_NS.double) in a
False
[[
Called for the key object for dictionary operations,
and by the built-in function hash(). Should return
a 32-bit integer usable as a hash value for
dictionary operations. The only required property
is that objects which compare equal have the same
hash value; it is advised to somehow mix together
(e.g., using exclusive or) the hash values for the
components of the object that also play a part in
comparison of objects.
]] -- 3.4.1 Basic customization (Python)
[[
Two literals are equal if and only if all of the following hold:
* The strings of the two lexical forms compare equal, character by character.
* Either both or neither have language tags.
* The language tags, if any, compare equal.
* Either both or neither have datatype URIs.
* The two datatype URIs, if any, compare equal, character by character.
]] -- 6.5.1 Literal Equality (RDF: Concepts and Abstract Syntax)
"""
return hash(str(self)) ^ hash(self.language) ^ hash(self.datatype)
def __eq__(self, other):
"""
>>> f = URIRef("foo")
>>> f is None or f == ''
False
>>> Literal("1", datatype=URIRef("foo")) == Literal("1", datatype=URIRef("foo"))
True
>>> Literal("1", datatype=URIRef("foo")) == Literal("2", datatype=URIRef("foo"))
False
>>> Literal("1", datatype=URIRef("foo")) == "asdf"
False
>>> Literal('2007-01-01', datatype=_XSD_NS.date) == Literal('2007-01-01', datatype=_XSD_NS.date)
True
>>> Literal('2007-01-01', datatype=_XSD_NS.date) == date(2007, 1, 1)
True
>>> oneInt = Literal(1)
>>> oneNoDtype = Literal('1')
>>> oneInt == oneNoDtype
False
>>> Literal("1",_XSD_NS[u'string']) == Literal("1",_XSD_NS[u'string'])
True
>>> Literal("one",lang="en") == Literal("one",lang="en")
True
>>> Literal("hast",lang='en') == Literal("hast",lang='de')
False
>>> oneInt == Literal(1)
True
>>> oneFloat = Literal(1.0)
>>> oneInt == oneFloat
True
>>> oneInt == 1
True
"""
if other is None:
return False
if isinstance(other, Literal):
return self._cmp_value == other._cmp_value
else:
return self._cmp_value == other
def n3(self):
language = self.language
datatype = self.datatype
# unfortunately this doesn't work: a newline gets encoded as \\n, which is ok in sourcecode, but we want \n
#encoded = self.encode('unicode-escape').replace('\\', '\\\\').replace('"','\\"')
#encoded = self.replace.replace('\\', '\\\\').replace('"','\\"')
# TODO: We could also chose quotes based on the quotes appearing in the string, i.e. '"' and "'" ...
# which is nicer?
#if self.find("\"")!=-1 or self.find("'")!=-1 or self.find("\n")!=-1:
if self.find("\n")!=-1:
# Triple quote this string.
encoded=self.replace('\\', '\\\\')
if self.find('"""')!=-1:
# is this ok?
encoded=encoded.replace('"""','\\"""')
if encoded.endswith('"'): encoded=encoded[:-1]+"\\\""
encoded='"""%s"""'%encoded
else:
encoded='"%s"'%self.replace('\n','\\n').replace('\\', '\\\\').replace('"','\\"')
if language:
if datatype:
return '%s@%s^^<%s>' % (encoded, language, datatype)
else:
return '%s@%s' % (encoded, language)
else:
if datatype:
return '%s^^<%s>' % (encoded, datatype)
else:
return '%s' % encoded
def __str__(self):
return self.encode("unicode-escape")
def __repr__(self):
args = [super(Literal, self).__repr__()]
if self.language is not None:
args.append("lang=%s" % repr(self.language))
if self.datatype is not None:
args.append("datatype=%s" % repr(self.datatype))
return """rdflib.Literal(%s)""" % ", ".join(args)
def toPython(self):
"""
Returns an appropriate python datatype derived from this RDF Literal
"""
convFunc = _toPythonMapping.get(self.datatype, None)
if convFunc:
rt = convFunc(self)
else:
rt = self
return rt
def _toCompareValue(self):
try:
rt = self.toPython()
except Exception, e:
_logger.warning("could not convert %s to a Python datatype" % repr(self))
rt = self
if rt is self:
if self.language is None and self.datatype is None:
return unicode(rt)
else:
return (unicode(rt), rt.datatype, rt.language)
return rt
def md5_term_hash(self):
d = md5(str(self))
d.update("L")
return d.hexdigest()
_XSD_NS = Namespace(u'http://www.w3.org/2001/XMLSchema#')
#Casts a python datatype to a tuple of the lexical value and a datatype URI (or None)
def _castPythonToLiteral(obj):
for pType,(castFunc,dType) in _PythonToXSD:
if isinstance(obj,pType):
if castFunc:
return castFunc(obj),dType
elif dType:
return obj,dType
else:
return obj,None
return obj, None # TODO: is this right for the fall through case?
# Mappings from Python types to XSD datatypes and back (burrowed from sparta)
# datetime instances are also instances of date... so we need to order these.
_PythonToXSD = [
(basestring, (None,None)),
(float , (None,_XSD_NS[u'float'])),
(int , (None,_XSD_NS[u'integer'])),
(long , (None,_XSD_NS[u'long'])),
(bool , (None,_XSD_NS[u'boolean'])),
(datetime , (lambda i:i.isoformat(),_XSD_NS[u'dateTime'])),
(date , (lambda i:i.isoformat(),_XSD_NS[u'date'])),
(time , (lambda i:i.isoformat(),_XSD_NS[u'time'])),
]
def _strToTime(v) :
return strptime(v,"%H:%M:%S")
def _strToDate(v) :
tstr = strptime(v,"%Y-%m-%d")
return date(tstr.tm_year,tstr.tm_mon,tstr.tm_mday)
def _strToDateTime(v) :
"""
Attempt to cast to datetime, or just return the string (otherwise)
"""
try:
tstr = strptime(v,"%Y-%m-%dT%H:%M:%S")
except:
try:
tstr = strptime(v,"%Y-%m-%dT%H:%M:%SZ")
except:
try:
tstr = strptime(v,"%Y-%m-%dT%H:%M:%S%Z")
except:
return v
return datetime(tstr.tm_year,tstr.tm_mon,tstr.tm_mday,tstr.tm_hour,tstr.tm_min,tstr.tm_sec)
XSDToPython = {
_XSD_NS[u'time'] : _strToTime,
_XSD_NS[u'date'] : _strToDate,
_XSD_NS[u'dateTime'] : _strToDateTime,
_XSD_NS[u'string'] : None,
_XSD_NS[u'normalizedString'] : None,
_XSD_NS[u'token'] : None,
_XSD_NS[u'language'] : None,
_XSD_NS[u'boolean'] : lambda i:i.lower() in ['1','true'],
_XSD_NS[u'decimal'] : float,
_XSD_NS[u'integer'] : long,
_XSD_NS[u'nonPositiveInteger'] : int,
_XSD_NS[u'long'] : long,
_XSD_NS[u'nonNegativeInteger'] : int,
_XSD_NS[u'negativeInteger'] : int,
_XSD_NS[u'int'] : long,
_XSD_NS[u'unsignedLong'] : long,
_XSD_NS[u'positiveInteger'] : int,
_XSD_NS[u'short'] : int,
_XSD_NS[u'unsignedInt'] : long,
_XSD_NS[u'byte'] : int,
_XSD_NS[u'unsignedShort'] : int,
_XSD_NS[u'unsignedByte'] : int,
_XSD_NS[u'float'] : float,
_XSD_NS[u'double'] : float,
_XSD_NS[u'base64Binary'] : base64.decodestring,
_XSD_NS[u'anyURI'] : None,
}
_toPythonMapping = {}
_toPythonMapping.update(XSDToPython)
def bind(datatype, conversion_function):
"""bind a datatype to a function for converting it into a Python instance."""
if datatype in _toPythonMapping:
_logger.warning("datatype '%s' was already bound. Rebinding." % datatype)
_toPythonMapping[datatype] = conversion_function
def test():
import doctest
doctest.testmod()
if __name__ == '__main__':
test()
|