Coverage for pygeodesy/basics.py: 91%
222 statements
« prev ^ index » next coverage.py v7.2.2, created at 2023-09-01 13:41 -0400
« prev ^ index » next coverage.py v7.2.2, created at 2023-09-01 13:41 -0400
2# -*- coding: utf-8 -*-
4u'''Some, basic definitions, functions and dependencies.
6Use env variable C{PYGEODESY_XPACKAGES} to avoid import of dependencies
7C{geographiclib}, C{numpy} and/or C{scipy}. Set C{PYGEODESY_XPACKAGES}
8to a comma-separated list of package names to be excluded from import.
9'''
10# make sure int/int division yields float quotient
11from __future__ import division
12division = 1 / 2 # .albers, .azimuthal, .constants, etc., .utily
13if not division:
14 raise ImportError('%s 1/2 == %s' % ('division', division))
15del division
17from pygeodesy.errors import _AssertionError, _AttributeError, _ImportError, \
18 _TypeError, _TypesError, _ValueError, _xkwds_get
19from pygeodesy.interns import MISSING, NN, _by_, _COMMA_, _DOT_, _ELLIPSIS4_, \
20 _enquote, _EQUAL_, _in_, _invalid_, _N_A_, _SPACE_, \
21 _UNDER_, _version_ # _utf_8_
22from pygeodesy.lazily import _ALL_LAZY, _ALL_MODS as _MODS, _FOR_DOCS, \
23 _getenv, _sys, _sys_version_info2
25from copy import copy as _copy, deepcopy as _deepcopy
26from math import copysign as _copysign
27import inspect as _inspect
29__all__ = _ALL_LAZY.basics
30__version__ = '23.08.24'
32_0_0 = 0.0 # in .constants
33_below_ = 'below'
34_cannot_ = 'cannot'
35_list_tuple_types = (list, tuple)
36_list_tuple_set_types = (list, tuple, set)
37_odd_ = 'odd'
38_required_ = 'required'
39_PYGEODESY_XPACKAGES_ = 'PYGEODESY_XPACKAGES'
41try: # Luciano Ramalho, "Fluent Python", O'Reilly, 2016 p. 395, 2022 p. 577+
42 from numbers import Integral as _Ints, Real as _Scalars
43except ImportError:
44 try:
45 _Ints = int, long # int objects (C{tuple})
46 except NameError: # Python 3+
47 _Ints = int, # int objects (C{tuple})
48 _Scalars = _Ints + (float,)
50try:
51 try: # use C{from collections.abc import ...} in Python 3.9+
52 from collections.abc import Sequence as _Sequence # in .points
53 except ImportError: # no .abc in Python 3.8- and 2.7-
54 from collections import Sequence as _Sequence # in .points
55 if isinstance([], _Sequence) and isinstance((), _Sequence):
56 # and isinstance(range(1), _Sequence):
57 _Seqs = _Sequence
58 else:
59 raise ImportError # _AssertionError
60except ImportError:
61 _Sequence = tuple # immutable for .points._Basequence
62 _Seqs = list, _Sequence # , range for function len2 below
64try:
65 _Bytes = unicode, bytearray # PYCHOK expected
66 _Strs = basestring, str # XXX , bytes
68 def _NOP(x):
69 '''NOP, pass thru.'''
70 return x
72 str2ub = ub2str = _NOP # avoids UnicodeDecodeError
74 def _Xstr(exc): # PYCHOK no cover
75 '''I{Invoke only with caught ImportError} B{C{exc}}.
77 C{... "cannot import name _distributor_init" ...}
79 only for C{numpy}, C{scipy} import errors occurring
80 on arm64 Apple Silicon running macOS' Python 2.7.16?
81 '''
82 t = str(exc)
83 if '_distributor_init' in t:
84 from sys import exc_info
85 from traceback import extract_tb
86 tb = exc_info()[2] # 3-tuple (type, value, traceback)
87 t4 = extract_tb(tb, 1)[0] # 4-tuple (file, line, name, 'import ...')
88 t = _SPACE_(_cannot_, t4[3] or _N_A_)
89 del tb, t4
90 return t
92except NameError: # Python 3+
93 from pygeodesy.interns import _utf_8_
95 _Bytes = bytes, bytearray
96 _Strs = str, # tuple
97 _Xstr = str
99 def str2ub(sb):
100 '''Convert C{str} to C{unicode bytes}.
101 '''
102 if isinstance(sb, _Strs):
103 sb = sb.encode(_utf_8_)
104 return sb
106 def ub2str(ub):
107 '''Convert C{unicode bytes} to C{str}.
108 '''
109 if isinstance(ub, _Bytes):
110 ub = str(ub.decode(_utf_8_))
111 return ub
114def clips(sb, limit=50, white=NN):
115 '''Clip a string to the given length limit.
117 @arg sb: String (C{str} or C{bytes}).
118 @kwarg limit: Length limit (C{int}).
119 @kwarg white: Optionally, replace all whitespace (C{str}).
121 @return: The clipped or unclipped B{C{sb}}.
122 '''
123 T = type(sb)
124 if len(sb) > limit > 8:
125 h = limit // 2
126 sb = T(_ELLIPSIS4_).join((sb[:h], sb[-h:]))
127 if white: # replace whitespace
128 sb = T(white).join(sb.split())
129 return sb
132def copysign0(x, y):
133 '''Like C{math.copysign(x, y)} except C{zero}, I{unsigned}.
135 @return: C{math.copysign(B{x}, B{y})} if B{C{x}} else
136 C{type(B{x})(0)}.
137 '''
138 return _copysign(x, (y if y else 0)) if x else copytype(0, x)
141def copytype(x, y):
142 '''Return the value of B{x} as C{type} of C{y}.
144 @return: C{type(B{y})(B{x})}.
145 '''
146 return type(y)(x if x else _0_0)
149def halfs2(str2):
150 '''Split a string in 2 halfs.
152 @arg str2: String to split (C{str}).
154 @return: 2-Tuple C{(_1st, _2nd)} half (C{str}).
156 @raise ValueError: Zero or odd C{len(B{str2})}.
157 '''
158 h, r = divmod(len(str2), 2)
159 if r or not h:
160 raise _ValueError(str2=str2, txt=_odd_)
161 return str2[:h], str2[h:]
164def isbool(obj):
165 '''Check whether an object is C{bool}ean.
167 @arg obj: The object (any C{type}).
169 @return: C{True} if B{C{obj}} is C{bool}ean,
170 C{False} otherwise.
171 '''
172 return isinstance(obj, bool) # and (obj is False
173# or obj is True)
175if isbool(1) or isbool(0): # PYCHOK assert
176 raise _AssertionError(isbool=1)
178if _FOR_DOCS: # XXX avoid epidoc Python 2.7 error
180 def isclass(obj):
181 '''Return C{True} if B{C{obj}} is a C{class} or C{type}.
183 @see: Python's C{inspect.isclass}.
184 '''
185 return _inspect.isclass(obj)
186else:
187 isclass = _inspect.isclass
190def iscomplex(obj):
191 '''Check whether an object is a C{complex} or complex C{str}.
193 @arg obj: The object (any C{type}).
195 @return: C{True} if B{C{obj}} is C{complex}, otherwise
196 C{False}.
197 '''
198 try: # hasattr('conjugate'), hasattr('real') and hasattr('imag')
199 return isinstance(obj, complex) or (isstr(obj)
200 and isinstance(complex(obj), complex)) # numbers.Complex?
201 except (TypeError, ValueError):
202 return False
205def isfloat(obj):
206 '''Check whether an object is a C{float} or float C{str}.
208 @arg obj: The object (any C{type}).
210 @return: C{True} if B{C{obj}} is a C{float}, otherwise
211 C{False}.
212 '''
213 try:
214 return isinstance( obj, float) or (isstr(obj)
215 and isinstance(float(obj), float))
216 except (TypeError, ValueError):
217 return False
220try:
221 isidentifier = str.isidentifier # Python 3, must be str
222except AttributeError: # Python 2-
224 def isidentifier(obj):
225 '''Return C{True} if B{C{obj}} is a Python identifier.
226 '''
227 return bool(obj and isstr(obj)
228 and obj.replace(_UNDER_, NN).isalnum()
229 and not obj[:1].isdigit())
232def isinstanceof(obj, *classes):
233 '''Check an instance of one or several C{classes}.
235 @arg obj: The instance (C{any}).
236 @arg classes: One or more classes (C{class}).
238 @return: C{True} if B{C{obj}} is in instance of
239 one of the B{C{classes}}.
240 '''
241 return isinstance(obj, classes)
244def isint(obj, both=False):
245 '''Check for C{int} type or an integer C{float} value.
247 @arg obj: The object (any C{type}).
248 @kwarg both: If C{true}, check C{float} and L{Fsum}
249 type and value (C{bool}).
251 @return: C{True} if B{C{obj}} is C{int} or I{integer}
252 C{float} or L{Fsum}, C{False} otherwise.
254 @note: Both C{isint(True)} and C{isint(False)} return
255 C{False} (and no longer C{True}).
256 '''
257 if isinstance(obj, _Ints) and not isbool(obj):
258 return True
259 elif both: # and isinstance(obj, (float, Fsum))
260 try: # NOT , _Scalars) to include Fsum!
261 return obj.is_integer()
262 except AttributeError:
263 pass # XXX float(int(obj)) == obj?
264 return False
267try:
268 from keyword import iskeyword # Python 2.7+
269except ImportError:
271 def iskeyword(unused):
272 '''Not Implemented, C{False} always.
273 '''
274 return False
277def islistuple(obj, minum=0):
278 '''Check for list or tuple C{type} with a minumal length.
280 @arg obj: The object (any C{type}).
281 @kwarg minum: Minimal C{len} required C({int}).
283 @return: C{True} if B{C{obj}} is C{list} or C{tuple} with
284 C{len} at least B{C{minum}}, C{False} otherwise.
285 '''
286 return type(obj) in _list_tuple_types and len(obj) >= (minum or 0)
289def isodd(x):
290 '''Is B{C{x}} odd?
292 @arg x: Value (C{scalar}).
294 @return: C{True} if B{C{x}} is odd,
295 C{False} otherwise.
296 '''
297 return bool(int(x) & 1) # == bool(int(x) % 2)
300def isscalar(obj):
301 '''Check for scalar types.
303 @arg obj: The object (any C{type}).
305 @return: C{True} if B{C{obj}} is C{scalar}, C{False} otherwise.
306 '''
307 return isinstance(obj, _Scalars) and not isbool(obj)
310def issequence(obj, *excls):
311 '''Check for sequence types.
313 @arg obj: The object (any C{type}).
314 @arg excls: Classes to exclude (C{type}), all positional.
316 @note: Excluding C{tuple} implies excluding C{namedtuple}.
318 @return: C{True} if B{C{obj}} is a sequence, C{False} otherwise.
319 '''
320 return isinstance(obj, _Seqs) and not (excls and isinstance(obj, excls))
323def isstr(obj):
324 '''Check for string types.
326 @arg obj: The object (any C{type}).
328 @return: C{True} if B{C{obj}} is C{str}, C{False} otherwise.
329 '''
330 return isinstance(obj, _Strs)
333def issubclassof(Sub, *Supers):
334 '''Check whether a class is a sub-class of some other class(es).
336 @arg Sub: The sub-class (C{class}).
337 @arg Supers: One or more C(super) classes (C{class}).
339 @return: C{True} if B{C{Sub}} is a sub-class of any B{C{Supers}},
340 C{False} if not (C{bool}) or C{None} if B{C{Sub}} is not
341 a class or if no B{C{Supers}} are given or none of those
342 are a class.
343 '''
344 if isclass(Sub):
345 t = tuple(S for S in Supers if isclass(S))
346 if t:
347 return bool(issubclass(Sub, t))
348 return None
351def len2(items):
352 '''Make built-in function L{len} work for generators, iterators,
353 etc. since those can only be started exactly once.
355 @arg items: Generator, iterator, list, range, tuple, etc.
357 @return: 2-Tuple C{(n, items)} of the number of items (C{int})
358 and the items (C{list} or C{tuple}).
359 '''
360 if not isinstance(items, _Seqs): # NOT hasattr(items, '__len__'):
361 items = list(items)
362 return len(items), items
365def map1(fun1, *xs): # XXX map_
366 '''Apply each B{C{xs}} to a single-argument function and
367 return a C{tuple} of results.
369 @arg fun1: 1-Arg function to apply (C{callable}).
370 @arg xs: Arguments to apply (C{any positional}).
372 @return: Function results (C{tuple}).
373 '''
374 return tuple(map(fun1, xs))
377def map2(func, *xs):
378 '''Apply arguments to a function and return a C{tuple} of results.
380 Unlike Python 2's built-in L{map}, Python 3+ L{map} returns a
381 L{map} object, an iterator-like object which generates the
382 results only once. Converting the L{map} object to a tuple
383 maintains the Python 2 behavior.
385 @arg func: Function to apply (C{callable}).
386 @arg xs: Arguments to apply (C{list, tuple, ...}).
388 @return: Function results (C{tuple}).
389 '''
390 return tuple(map(func, *xs))
393def neg(x):
394 '''Negate C{x} unless C{zero} or C{NEG0}.
396 @return: C{-B{x}} if B{C{x}} else C{0.0}.
397 '''
398 return (-x) if x else _0_0
401def neg_(*xs):
402 '''Negate all C{xs} with L{neg}.
404 @return: A C{map(neg, B{xs})}.
405 '''
406 return map(neg, xs)
409def _reverange(n):
410 '''(INTERNAL) Reversed range yielding (n-1, n-2, ..., 1, 0).
411 '''
412 return range(n - 1, -1, -1)
415def signBit(x):
416 '''Return C{signbit(B{x})}, like C++.
418 @return: C{True} if C{B{x} < 0} or C{NEG0} (C{bool}).
419 '''
420 return x < 0 or _MODS.constants.isneg0(x)
423def _signOf(x, ref): # in .fsums
424 '''(INTERNAL) Return the sign of B{C{x}} versus B{C{ref}}.
425 '''
426 return +1 if x > ref else (-1 if x < ref else 0)
429def signOf(x):
430 '''Return sign of C{x} as C{int}.
432 @return: -1, 0 or +1 (C{int}).
433 '''
434 try:
435 s = x.signOf() # Fsum instance?
436 except AttributeError:
437 s = _signOf(x, 0)
438 return s
441def _sizeof(inst):
442 '''(INTERNAL) Recursively size an C{inst}ance.
444 @return: Instance' size in bytes (C{int}),
445 ignoring class attributes and
446 counting duplicates only once or
447 C{None}.
449 @note: With C{PyPy}, the size is always C{None}.
450 '''
451 try:
452 _zB = _sys.getsizeof
453 _zD = _zB(None) # get some default
454 except TypeError: # PyPy3.10
455 return None
457 def _zR(s, iterable):
458 z, _s = 0, s.add
459 for o in iterable:
460 i = id(o)
461 if i not in s:
462 _s(i)
463 z += _zB(o, _zD)
464 if isinstance(o, dict):
465 z += _zR(s, o.keys())
466 z += _zR(s, o.values())
467 elif isinstance(o, _list_tuple_set_types):
468 z += _zR(s, o)
469 else:
470 try: # size instance' attr values only
471 z += _zR(s, o.__dict__.values())
472 except AttributeError: # None, int, etc.
473 pass
474 return z
476 return _zR(set(), (inst,))
479def splice(iterable, n=2, **fill):
480 '''Split an iterable into C{n} slices.
482 @arg iterable: Items to be spliced (C{list}, C{tuple}, ...).
483 @kwarg n: Number of slices to generate (C{int}).
484 @kwarg fill: Optional fill value for missing items.
486 @return: A generator for each of B{C{n}} slices,
487 M{iterable[i::n] for i=0..n}.
489 @raise TypeError: Invalid B{C{n}}.
491 @note: Each generated slice is a C{tuple} or a C{list},
492 the latter only if the B{C{iterable}} is a C{list}.
494 @example:
496 >>> from pygeodesy import splice
498 >>> a, b = splice(range(10))
499 >>> a, b
500 ((0, 2, 4, 6, 8), (1, 3, 5, 7, 9))
502 >>> a, b, c = splice(range(10), n=3)
503 >>> a, b, c
504 ((0, 3, 6, 9), (1, 4, 7), (2, 5, 8))
506 >>> a, b, c = splice(range(10), n=3, fill=-1)
507 >>> a, b, c
508 ((0, 3, 6, 9), (1, 4, 7, -1), (2, 5, 8, -1))
510 >>> tuple(splice(list(range(9)), n=5))
511 ([0, 5], [1, 6], [2, 7], [3, 8], [4])
513 >>> splice(range(9), n=1)
514 <generator object splice at 0x0...>
515 '''
516 if not isint(n):
517 raise _TypeError(n=n)
519 t = iterable
520 if not isinstance(t, _list_tuple_types):
521 t = tuple(t) # force tuple, also for PyPy3
523 if n > 1:
524 if fill:
525 fill = _xkwds_get(fill, fill=MISSING)
526 if fill is not MISSING:
527 m = len(t) % n
528 if m > 0: # same type fill
529 t += type(t)((fill,) * (n - m))
530 for i in range(n):
531 # XXX t[i::n] chokes PyChecker
532 yield t[slice(i, None, n)]
533 else:
534 yield t
537def _splituple(strs, *sep_splits): # in .mgrs, .osgr, .webmercator
538 '''(INTERNAL) Split a C{comma}- or C{whitespace}-separated
539 string into a C{tuple} of stripped strings.
540 '''
541 t = (strs.split(*sep_splits) if sep_splits else
542 strs.replace(_COMMA_, _SPACE_).split()) if strs else ()
543 return tuple(s.strip() for s in t if s)
546_XPACKAGES = _splituple(_getenv(_PYGEODESY_XPACKAGES_, NN))
549def unsigned0(x):
550 '''Unsign if C{0.0}.
552 @return: C{B{x}} if B{C{x}} else C{0.0}.
553 '''
554 return x if x else _0_0
557def _xargs_names(callabl):
558 '''(INTERNAL) Get the C{callabl}'s args names.
559 '''
560 try:
561 args_kwds = _inspect.signature(callabl).parameters.keys()
562 except AttributeError: # .signature new Python 3+
563 args_kwds = _inspect.getargspec(callabl).args
564 return tuple(args_kwds)
567def _xcopy(inst, deep=False):
568 '''(INTERNAL) Copy an object, shallow or deep.
570 @arg inst: The object to copy (any C{type}).
571 @kwarg deep: If C{True} make a deep, otherwise
572 a shallow copy (C{bool}).
574 @return: The copy of B{C{inst}}.
575 '''
576 return _deepcopy(inst) if deep else _copy(inst)
579def _xdup(inst, **items):
580 '''(INTERNAL) Duplicate an object, replacing some attributes.
582 @arg inst: The object to copy (any C{type}).
583 @kwarg items: Attributes to be changed (C{any}).
585 @return: Shallow duplicate of B{C{inst}} with modified
586 attributes, if any B{C{items}}.
588 @raise AttributeError: Some B{C{items}} invalid.
589 '''
590 d = _xcopy(inst, deep=False)
591 for n, v in items.items():
592 if not hasattr(d, n):
593 t = _MODS.named.classname(inst)
594 t = _SPACE_(_DOT_(t, n), _invalid_)
595 raise _AttributeError(txt=t, this=inst, **items)
596 setattr(d, n, v)
597 return d
600def _xgeographiclib(where, *required):
601 '''(INTERNAL) Import C{geographiclib} and check required version.
602 '''
603 try:
604 _xpackage(_xgeographiclib)
605 import geographiclib
606 except ImportError as x:
607 raise _xImportError(x, where)
608 return _xversion(geographiclib, where, *required)
611def _xImportError(x, where, **name):
612 '''(INTERNAL) Embellish an C{ImportError}.
613 '''
614 t = _SPACE_(_required_, _by_, _xwhere(where, **name))
615 return _ImportError(_Xstr(x), txt=t, cause=x)
618def _xinstanceof(*Types, **name_value_pairs):
619 '''(INTERNAL) Check C{Types} of all C{name=value} pairs.
621 @arg Types: One or more classes or types (C{class}),
622 all positional.
623 @kwarg name_value_pairs: One or more C{B{name}=value} pairs
624 with the C{value} to be checked.
626 @raise TypeError: One of the B{C{name_value_pairs}} is not
627 an instance of any of the B{C{Types}}.
628 '''
629 if Types and name_value_pairs:
630 for n, v in name_value_pairs.items():
631 if not isinstance(v, Types):
632 raise _TypesError(n, v, *Types)
633 else:
634 raise _AssertionError(Types=Types, name_value_pairs=name_value_pairs)
637def _xnumpy(where, *required):
638 '''(INTERNAL) Import C{numpy} and check required version.
639 '''
640 try:
641 _xpackage(_xnumpy)
642 import numpy
643 except ImportError as x:
644 raise _xImportError(x, where)
645 return _xversion(numpy, where, *required)
648def _xpackage(_xpkg):
649 '''(INTERNAL) Check dependency to be excluded.
650 '''
651 n = _xpkg.__name__[2:]
652 if n in _XPACKAGES:
653 x = _SPACE_(n, _in_, _PYGEODESY_XPACKAGES_)
654 e = _enquote(_getenv(_PYGEODESY_XPACKAGES_, NN))
655 raise ImportError(_EQUAL_(x, e))
658def _xor(x, *xs):
659 '''(INTERNAL) Exclusive-or C{x} and C{xs}.
660 '''
661 for x_ in xs:
662 x ^= x_
663 return x
666def _xscipy(where, *required):
667 '''(INTERNAL) Import C{scipy} and check required version.
668 '''
669 try:
670 _xpackage(_xscipy)
671 import scipy
672 except ImportError as x:
673 raise _xImportError(x, where)
674 return _xversion(scipy, where, *required)
677def _xsubclassof(*Classes, **name_value_pairs):
678 '''(INTERNAL) Check (super) class of all C{name=value} pairs.
680 @arg Classes: One or more classes or types (C{class}),
681 all positional.
682 @kwarg name_value_pairs: One or more C{B{name}=value} pairs
683 with the C{value} to be checked.
685 @raise TypeError: One of the B{C{name_value_pairs}} is not
686 a (sub-)class of any of the B{C{Classes}}.
687 '''
688 for n, v in name_value_pairs.items():
689 if not issubclassof(v, *Classes):
690 raise _TypesError(n, v, *Classes)
693def _xversion(package, where, *required, **name):
694 '''(INTERNAL) Check the C{package} version vs B{C{required}}.
695 '''
696 n = len(required)
697 if n:
698 t = _xversion_info(package)
699 if t[:n] < required:
700 t = _SPACE_(package.__name__, _version_, _DOT_(*t),
701 _below_, _DOT_(*required),
702 _required_, _by_, _xwhere(where, **name))
703 raise ImportError(t)
704 return package
707def _xversion_info(package): # in .karney
708 '''(INTERNAL) Get the C{package.__version_info__} as a 2- or
709 3-tuple C{(major, minor, revision)} if C{int}s.
710 '''
711 try:
712 t = package.__version_info__
713 except AttributeError:
714 t = package.__version__.strip()
715 t = t.replace(_DOT_, _SPACE_).split()[:3]
716 return map2(int, t)
719def _xwhere(where, **name):
720 '''(INTERNAL) Get the fully qualified name.
721 '''
722 m = _MODS.named.modulename(where, prefixed=True)
723 if name:
724 n = _xkwds_get(name, name=NN)
725 if n:
726 m = _DOT_(m, n)
727 return m
730if _sys_version_info2 < (3, 10): # see .errors
731 _zip = zip # PYCHOK exported
732else: # Python 3.10+
734 def _zip(*args):
735 return zip(*args, strict=True)
737# **) MIT License
738#
739# Copyright (C) 2016-2023 -- mrJean1 at Gmail -- All Rights Reserved.
740#
741# Permission is hereby granted, free of charge, to any person obtaining a
742# copy of this software and associated documentation files (the "Software"),
743# to deal in the Software without restriction, including without limitation
744# the rights to use, copy, modify, merge, publish, distribute, sublicense,
745# and/or sell copies of the Software, and to permit persons to whom the
746# Software is furnished to do so, subject to the following conditions:
747#
748# The above copyright notice and this permission notice shall be included
749# in all copies or substantial portions of the Software.
750#
751# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
752# OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
753# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL
754# THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR
755# OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE,
756# ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR
757# OTHER DEALINGS IN THE SOFTWARE.