/usr/lib/python3/dist-packages/pynmea2/nmea.py is in python3-nmea2 1.5.1-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 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 | import re
import operator
from functools import reduce
class ChecksumError(ValueError):
'''
Inherits from ValueError for distinct Checksum Exception
'''
class ParseError(ValueError):
'''
Inherits from ValueError for distinct Parse Exception
'''
class SentenceTypeError(ValueError):
'''
Inherits from ValueError for distinct Sentence Type Exception
'''
class NMEASentenceType(type):
sentence_types = {}
def __init__(cls, name, bases, dct):
type.__init__(cls, name, bases, dct)
base = bases[0]
if base is object:
return
base.sentence_types[name] = cls
cls.name_to_idx = {f[1]:i for i, f in enumerate(cls.fields)}
# http://mikewatkins.ca/2008/11/29/python-2-and-3-metaclasses/
NMEASentenceBase = NMEASentenceType('NMEASentenceBase', (object,), {})
class NMEASentence(NMEASentenceBase):
'''
Base NMEA Sentence
Parses and generates NMEA strings
Examples:
>>> s = NMEASentence.parse("$GPGGA,184353.07,1929.045,S,02410.506,E,1,04,2.6,100.00,M,-33.9,M,,0000*6D")
>>> print(s)
'''
sentence_re = re.compile(r'''
# start of string, optional whitespace, optional '$'
^\s*\$?
# message (from '$' or start to checksum or end, non-inclusve)
(?P<nmea_str>
# sentence type identifier
(?P<sentence_type>
# proprietary sentence
(P\w{3})|
# query sentence, ie: 'CCGPQ,GGA'
# NOTE: this should have no data
(\w{2}\w{2}Q,\w{3})|
# taker sentence, ie: 'GPGGA'
(\w{2}\w{3},)
)
# rest of message
(?P<data>[^*]*)
)
# checksum: *HH
(?:[*](?P<checksum>[A-F0-9]{2}))?
# optional trailing whitespace
\s*[\r\n]*$
''', re.X | re.IGNORECASE)
talker_re = \
re.compile(r'^(?P<talker>\w{2})(?P<sentence>\w{3}),$')
query_re = \
re.compile(r'^(?P<talker>\w{2})(?P<listener>\w{2})Q,(?P<sentence>\w{3})$')
proprietary_re = \
re.compile(r'^P(?P<manufacturer>\w{3})$')
name_to_idx = {}
fields = ()
@staticmethod
def checksum(nmea_str):
return reduce(operator.xor, map(ord, nmea_str), 0)
@staticmethod
def parse(line):
'''
parse(line)
Parses a string representing a NMEA 0183 sentence, and returns a
NMEASentence object
Raises ValueError if the string could not be parsed, or if the checksum
did not match.
'''
match = NMEASentence.sentence_re.match(line)
if not match:
raise ParseError('could not parse data: %r' % line)
# pylint: disable=bad-whitespace
nmea_str = match.group('nmea_str')
data_str = match.group('data')
checksum = match.group('checksum')
sentence_type = match.group('sentence_type').upper()
data = data_str.split(',')
if checksum:
cs1 = int(checksum, 16)
cs2 = NMEASentence.checksum(nmea_str)
if cs1 != cs2:
raise ChecksumError(
'checksum does not match: %02X != %02X' % (cs1, cs2))
talker_match = NMEASentence.talker_re.match(sentence_type)
if talker_match:
talker = talker_match.group('talker')
sentence = talker_match.group('sentence')
cls = TalkerSentence.sentence_types.get(sentence)
if not cls:
# TODO instantiate base type instead of fail
raise SentenceTypeError('Unknown sentence type %s' % sentence_type)
return cls(talker, sentence, data)
query_match = NMEASentence.query_re.match(sentence_type)
if query_match and not data_str:
talker = query_match.group('talker')
listener = query_match.group('listener')
sentence = query_match.group('sentence')
return QuerySentence(talker, listener, sentence)
proprietary_match = NMEASentence.proprietary_re.match(sentence_type)
if proprietary_match:
manufacturer = proprietary_match.group('manufacturer')
cls = ProprietarySentence.sentence_types.get(manufacturer, ProprietarySentence)
return cls(manufacturer, data)
raise ParseError('could not parse sentence type: %r' % sentence_type)
def __getattr__(self, name):
#pylint: disable=invalid-name
t = type(self)
try:
i = t.name_to_idx[name]
except KeyError:
raise AttributeError(name)
f = t.fields[i]
if i < len(self.data):
v = self.data[i]
else:
v = ''
if len(f) >= 3:
if v == '':
return None
return f[2](v)
else:
return v
def __setattr__(self, name, value):
#pylint: disable=invalid-name
t = type(self)
if name not in t.name_to_idx:
return object.__setattr__(self, name, value)
i = t.name_to_idx[name]
self.data[i] = str(value)
def __repr__(self):
#pylint: disable=invalid-name
r = []
d = []
t = type(self)
for i, v in enumerate(self.data):
if i >= len(t.fields):
d.append(v)
continue
name = t.fields[i][1]
r.append('%s=%r' % (name, getattr(self, name)))
return '<%s(%s)%s>' % (
type(self).__name__,
', '.join(r),
d and ' data=%r' % d or ''
)
def identifier(self):
raise NotImplementedError
def render(self, checksum=True, dollar=True, newline=False):
res = self.identifier() + ','.join(self.data)
if checksum:
res += '*%02X' % NMEASentence.checksum(res)
if dollar:
res = '$' + res
if newline:
res += (newline is True) and '\r\n' or newline
return res
def __str__(self):
return self.render()
class TalkerSentence(NMEASentence):
sentence_types = {}
def __init__(self, talker, sentence_type, data):
self.talker = talker
self.sentence_type = sentence_type
self.data = list(data)
def identifier(self):
return '%s%s,' % (self.talker, self.sentence_type)
class QuerySentence(NMEASentence):
sentence_types = {}
def __init__(self, talker, listener, sentence_type):
self.talker = talker
self.listener = listener
self.sentence_type = sentence_type
self.data = []
def identifier(self):
return '%s%sQ,%s,' % (self.talker, self.listener, self.sentence_type)
class ProprietarySentence(NMEASentence):
sentence_types = {}
def __init__(self, manufacturer, data):
self.manufacturer = manufacturer
self.data = list(data)
def identifier(self):
return 'P%s' % (self.manufacturer)
|