-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathMessage.py
228 lines (198 loc) · 7.02 KB
/
Message.py
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
"""
MIT License
Copyright (c) 2021 Seniru Pasan
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
"""
import re
from typing import Any, Optional, Union
from enum import Enum
class Message:
"""The base class to handle all types of messages / responses.
"""
class types(Enum):
"""An enum class containing the types of all the messages.
"""
EXECUTE = ""
BASIC_RESPONSE = "<"
RESPONSE = ":"
SET = "="
READ = "?"
TEST = "=?"
def __init__(self, prefix: str, command: str, type: types, outbound: bool = True, parameters: Any = None):
"""Creates a Message instance
Args:
prefix (str): The prefix of the command (AT for example).
command (str): The commamd. Useful to identify the function of the command.
type (types): The type. Check #types class for more information.
outbound (bool optional): True if the message is an outbound message, False if it's
an inbound message. Defaults to True.
parameters (Any, optional): The parameter body. Defaults to None.
"""
self.prefix = prefix
self.command = command
self.type = type
self.outbound = outbound
self.parameters = parameters or []
def __str__(self):
"""`__str__` magicmethod to be used in str().
Returns:
str: A stringified version of the message.
"""
return "{}{}{}{}".format(
self.prefix or "",
self.command,
"" if self.type.value == "<" else self.type.value,
(" " if self.type == __class__.types.RESPONSE else "") + self._stringify_params(self.parameters)
)
def __repr__(self):
"""`__repr__` magicmethod to be used in repr().
Returns:
str: Representation of the object.
"""
return f"< Message prefix={self.prefix}, command={self.command}, type={self.type}, outbound={self.outbound}, parameters={self.parameters}, body='{str(self)}'>"
@classmethod
def from_payload(cls, payload: Union[bytes, str]):
"""A class method to instantiate a Message from the payload.
Args:
payload (Union[bytes, str]): The payload. Usually comes from "message" or "response" events.
Returns:
Message: The Message object
"""
payload = (payload.decode("utf-8") if type(payload) == bytes else payload)
if payload in (
"OK",
"CONNECT",
"RING",
"NO CARRIER",
"ERROR",
"NO DIALTONE",
"BUSY",
"NO ANSWER "
): # basic responses
return Message(None, payload, cls.types.BASIC_RESPONSE, False, None)
elif payload.startswith("AT"):
match = re.match(r"([+\\\^$@#&%]?\w+)(:|=\?|=|\?|\s)?(.*)", payload[2:])
resp_type = cls.types(match[2]) if match[2] else cls.types.EXECUTE
return Message("AT", match[1], resp_type, True, cls._parse_parameters(match[3]))
elif match := re.match(r"([+\\\^$@#&%]?[\w\s]+):(.*)", payload):
return Message(None, match[1], cls.types.RESPONSE, False, cls._parse_parameters(match[2]))
@classmethod
def _parse_parameters(cls, parambody: Union[str, list] = None, skip_tokenization: bool = False):
"""Helper method to parse parameters from the payload.
Args:
parambody (Union[str, list], optional): Parameter body. Defaults to None.
skip_tokenization (bool, optional): If it should skip the tokenization part (if
the parambody is already tokenized). Defaults to False.
Returns:
list: Parameters
"""
# tokenization
parambody = parambody or ""
tokens = None
if skip_tokenization:
tokens = parambody
else:
parambody = parambody.strip()
tokens = []
literal: Union[str, None] = None
for c in parambody:
if c == "(":
# content = True for open brackets
tokens.append({ "type": "bracket", "content": True })
elif c == ")":
# content = True for closed brackets
if literal:
tokens.append({ "type": "literal", "content": literal })
literal = None
tokens.append({ "type": "bracket", "content": False})
elif c == ",":
if literal:
tokens.append({ "type": "literal", "content": literal })
literal = None
tokens.append({ "type": "separator", "content": None })
else:
if not literal:
literal = ""
literal += c
if literal:
tokens.append({ "type": "literal", "content": literal })
# parse the tokens and prepare the params
#print(tokens)
i = 0
params = []
open_list, cont = False, None
while i < len(tokens):
if open_list:
open_brackets, cont = 0, []
# check until a closed bracket is found
while (not (tokens[i]["type"] == "bracket" and not tokens[i]["content"])) or open_brackets != 0:
if tokens[i]["type"] == "bracket":
if tokens[i]["content"]: # found open bracket
open_brackets += 1
else:
open_brackets -= 1
# check if we have came to and end of this list
if open_brackets == 0:
break
else:
cont.append(tokens[i])
i += 1
# recursively parse the list content and return it
cont = cls._parse_parameters(cont, True)
params.append(cont)
open_list, cont = False, None
else:
if tokens[i]["type"] == "bracket":
# ignore close brackets since they are handled above
if tokens[i]["content"]:
open_list, cont = True, []
elif tokens[i]["type"] == "separator":
if len(tokens) <= i and tokens[i+1]["type"] == "separator": params.append(None)
elif m := re.match("(\d+)-(\d+)", tokens[i]["content"]):
upper, lower = int(m[1]), int(m[2])
params.append(range(upper, lower))
else:
val = tokens[i]["content"]
try:
num = int(val)
params.append(num)
except:
params.append(val.strip("\""))
i += 1
return params
@classmethod
def _stringify_params(cls, params: Optional[list] = None):
"""Helper method to stringify parameters
Args:
params (Optional[list], optional): Parameters list. Defaults to None.
Returns:
str: Stringified message.
"""
if len(params) == 1 and type(params[0]) == str: return params[0]
res = ""
for param in params or []:
if type(param) == list:
res += "(" + cls._stringify_params(param) + "),"
elif type(param) == str:
res += "\"" + param + "\","
elif type(param) == range:
res += f"({param.start}-{param.stop}),"
elif param == None:
res += ","
else:
res += str(param) + ","
return res[:-1]