modem.py
64.4 KB
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
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
#!/usr/bin/env python
""" High-level API classes for an attached GSM modem """
import sys, re, logging, weakref, time, threading, abc, codecs
from datetime import datetime
from .serial_comms import SerialComms
from .exceptions import CommandError, InvalidStateException, CmeError, CmsError, InterruptedException, TimeoutException, PinRequiredError, IncorrectPinError, SmscNumberUnknownError
from .pdu import encodeSmsSubmitPdu, decodeSmsPdu
from .util import SimpleOffsetTzInfo, lineStartingWith, allLinesMatchingPattern, parseTextModeTimeStr
from . import compat # For Python 2.6 compatibility
from gsmmodem.util import lineMatching
from gsmmodem.exceptions import EncodingError
PYTHON_VERSION = sys.version_info[0]
if PYTHON_VERSION >= 3:
xrange = range
dictValuesIter = dict.values
dictItemsIter = dict.items
else: #pragma: no cover
dictValuesIter = dict.itervalues
dictItemsIter = dict.iteritems
class Sms(object):
""" Abstract SMS message base class """
__metaclass__ = abc.ABCMeta
# Some constants to ease handling SMS statuses
STATUS_RECEIVED_UNREAD = 0
STATUS_RECEIVED_READ = 1
STATUS_STORED_UNSENT = 2
STATUS_STORED_SENT = 3
STATUS_ALL = 4
# ...and a handy converter for text mode statuses
TEXT_MODE_STATUS_MAP = {'REC UNREAD': STATUS_RECEIVED_UNREAD,
'REC READ': STATUS_RECEIVED_READ,
'STO UNSENT': STATUS_STORED_UNSENT,
'STO SENT': STATUS_STORED_SENT,
'ALL': STATUS_ALL}
def __init__(self, number, text, smsc=None):
self.number = number
self.text = text
self.smsc = smsc
class ReceivedSms(Sms):
""" An SMS message that has been received (MT) """
def __init__(self, gsmModem, status, number, time, text, smsc=None):
super(ReceivedSms, self).__init__(number, text, smsc)
self._gsmModem = weakref.proxy(gsmModem)
self.status = status
self.time = time
def reply(self, message):
""" Convenience method that sends a reply SMS to the sender of this message """
return self._gsmModem.sendSms(self.number, message)
class SentSms(Sms):
""" An SMS message that has been sent (MO) """
ENROUTE = 0 # Status indicating message is still enroute to destination
DELIVERED = 1 # Status indicating message has been received by destination handset
FAILED = 2 # Status indicating message delivery has failed
def __init__(self, number, text, reference, smsc=None):
super(SentSms, self).__init__(number, text, smsc)
self.report = None # Status report for this SMS (StatusReport object)
self.reference = reference
@property
def status(self):
""" Status of this SMS. Can be ENROUTE, DELIVERED or FAILED
The actual status report object may be accessed via the 'report' attribute
if status is 'DELIVERED' or 'FAILED'
"""
if self.report == None:
return SentSms.ENROUTE
else:
return SentSms.DELIVERED if self.report.deliveryStatus == StatusReport.DELIVERED else SentSms.FAILED
class StatusReport(Sms):
""" An SMS status/delivery report
Note: the 'status' attribute of this class refers to this status report SM's status (whether
it has been read, etc). To find the status of the message that caused this status report,
use the 'deliveryStatus' attribute.
"""
DELIVERED = 0 # SMS delivery status: delivery successful
FAILED = 68 # SMS delivery status: delivery failed
def __init__(self, gsmModem, status, reference, number, timeSent, timeFinalized, deliveryStatus, smsc=None):
super(StatusReport, self).__init__(number, None, smsc)
self._gsmModem = weakref.proxy(gsmModem)
self.status = status
self.reference = reference
self.timeSent = timeSent
self.timeFinalized = timeFinalized
self.deliveryStatus = deliveryStatus
class GsmModem(SerialComms):
""" Main class for interacting with an attached GSM modem """
log = logging.getLogger('gsmmodem.modem.GsmModem')
# Used for parsing AT command errors
CM_ERROR_REGEX = re.compile(r'^\+(CM[ES]) ERROR: (\d+)$')
# Used for parsing signal strength query responses
CSQ_REGEX = re.compile(r'^\+CSQ:\s*(\d+),')
# Used for parsing caller ID announcements for incoming calls. Group 1 is the number
CLIP_REGEX = re.compile(r'^\+CLIP:\s*"(\+{0,1}\d+)",(\d+).*$')
# Used for parsing new SMS message indications
CMTI_REGEX = re.compile(r'^\+CMTI:\s*"([^"]+)",(\d+)$')
# Used for parsing SMS message reads (text mode)
CMGR_SM_DELIVER_REGEX_TEXT = None
# Used for parsing SMS status report message reads (text mode)
CMGR_SM_REPORT_REGEXT_TEXT = None
# Used for parsing SMS message reads (PDU mode)
CMGR_REGEX_PDU = None
# Used for parsing USSD event notifications
CUSD_REGEX = re.compile(r'\+CUSD:\s*(\d),"(.*?)",(\d+)', re.DOTALL)
# Used for parsing SMS status reports
CDSI_REGEX = re.compile(r'\+CDSI:\s*"([^"]+)",(\d+)$')
def __init__(self, port, baudrate=115200, incomingCallCallbackFunc=None, smsReceivedCallbackFunc=None, smsStatusReportCallback=None):
super(GsmModem, self).__init__(port, baudrate, notifyCallbackFunc=self._handleModemNotification)
self.incomingCallCallback = incomingCallCallbackFunc or self._placeholderCallback
self.smsReceivedCallback = smsReceivedCallbackFunc or self._placeholderCallback
self.smsStatusReportCallback = smsStatusReportCallback or self._placeholderCallback
# Flag indicating whether caller ID for incoming call notification has been set up
self._callingLineIdentification = False
# Flag indicating whether incoming call notifications have extended information
self._extendedIncomingCallIndication = False
# Current active calls (ringing and/or answered), key is the unique call ID (not the remote number)
self.activeCalls = {}
# Dict containing sent SMS messages (for auto-tracking their delivery status)
self.sentSms = weakref.WeakValueDictionary()
self._ussdSessionEvent = None # threading.Event
self._ussdResponse = None # gsmmodem.modem.Ussd
self._smsStatusReportEvent = None # threading.Event
self._dialEvent = None # threading.Event
self._dialResponse = None # gsmmodem.modem.Call
self._waitForAtdResponse = True # Flag that controls if we should wait for an immediate response to ATD, or not
self._waitForCallInitUpdate = True # Flag that controls if we should wait for a ATD "call initiated" message
self._callStatusUpdates = [] # populated during connect() - contains regexes and handlers for detecting/handling call status updates
self._mustPollCallStatus = False # whether or not the modem must be polled for outgoing call status updates
self._pollCallStatusRegex = None # Regular expression used when polling outgoing call status
self._writeWait = 0 # Time (in seconds to wait after writing a command (adjusted when 515 errors are detected)
self._smsTextMode = False # Storage variable for the smsTextMode property
self._smscNumber = None # Default SMSC number
self._smsRef = 0 # Sent SMS reference counter
self._smsMemReadDelete = None # Preferred message storage memory for reads/deletes (<mem1> parameter used for +CPMS)
self._smsMemWrite = None # Preferred message storage memory for writes (<mem2> parameter used for +CPMS)
self._smsReadSupported = True # Whether or not reading SMS messages is supported via AT commands
def connect(self, pin=None):
""" Opens the port and initializes the modem and SIM card
:param pin: The SIM card PIN code, if any
:type pin: str
:raise PinRequiredError: if the SIM card requires a PIN but none was provided
:raise IncorrectPinError: if the specified PIN is incorrect
"""
self.log.info('Connecting to modem on port %s at %dbps', self.port, self.baudrate)
super(GsmModem, self).connect()
# Send some initialization commands to the modem
try:
self.write('ATZ') # reset configuration
except CommandError:
# Some modems require a SIM PIN at this stage already; unlock it now
# Attempt to enable detailed error messages (to catch incorrect PIN error)
# but ignore if it fails
self.write('AT+CMEE=1', parseError=False)
self._unlockSim(pin)
pinCheckComplete = True
self.write('ATZ') # reset configuration
else:
pinCheckComplete = False
self.write('ATE0') # echo off
try:
cfun = int(lineStartingWith('+CFUN:', self.write('AT+CFUN?'))[7:]) # example response: +CFUN: 1
if cfun != 1:
self.write('AT+CFUN=1')
except CommandError:
pass # just ignore if the +CFUN command isn't supported
self.write('AT+CMEE=1') # enable detailed error messages (even if it has already been set - ATZ may reset this)
if not pinCheckComplete:
self._unlockSim(pin)
# Get list of supported commands from modem
commands = self.supportedCommands
# Device-specific settings
callUpdateTableHint = 0 # unknown modem
enableWind = False
if commands != None:
if '^CVOICE' in commands:
self.write('AT^CVOICE=0', parseError=False) # Enable voice calls
if '+VTS' in commands: # Check for DTMF sending support
Call.dtmfSupport = True
elif '^DTMF' in commands:
# Huawei modems use ^DTMF to send DTMF tones
callUpdateTableHint = 1 # Huawei
if '^USSDMODE' in commands:
# Enable Huawei text-mode USSD
self.write('AT^USSDMODE=0', parseError=False)
if '+WIND' in commands:
callUpdateTableHint = 2 # Wavecom
enableWind = True
elif '+ZPAS' in commands:
callUpdateTableHint = 3 # ZTE
else:
# Try to enable general notifications on Wavecom-like device
enableWind = True
if enableWind:
try:
wind = lineStartingWith('+WIND:', self.write('AT+WIND?')) # Check current WIND value; example response: +WIND: 63
except CommandError:
# Modem does not support +WIND notifications. See if we can detect other known call update notifications
pass
else:
# Enable notifications for call setup, hangup, etc
if int(wind[7:]) != 50:
self.write('AT+WIND=50')
callUpdateTableHint = 2 # Wavecom
# Attempt to identify modem type directly (if not already) - for outgoing call status updates
if callUpdateTableHint == 0:
if self.manufacturer.lower() == 'huawei':
callUpdateTableHint = 1 # huawei
else:
# See if this is a ZTE modem that has not yet been identified based on supported commands
try:
self.write('AT+ZPAS?')
except CommandError:
pass # Not a ZTE modem
else:
callUpdateTableHint = 3 # ZTE
# Load outgoing call status updates based on identified modem features
if callUpdateTableHint == 1:
# Use Hauwei's ^NOTIFICATIONs
self.log.info('Loading Huawei call state update table')
self._callStatusUpdates = ((re.compile(r'^\^ORIG:(\d),(\d)$'), self._handleCallInitiated),
(re.compile(r'^\^CONN:(\d),(\d)$'), self._handleCallAnswered),
(re.compile(r'^\^CEND:(\d),(\d),(\d)+,(\d)+$'), self._handleCallEnded))
self._mustPollCallStatus = False
# Huawei modems use ^DTMF to send DTMF tones; use that instead
Call.DTMF_COMMAND_BASE = '^DTMF={cid},'
Call.dtmfSupport = True
elif callUpdateTableHint == 2:
# Wavecom modem: +WIND notifications supported
self.log.info('Loading Wavecom call state update table')
self._callStatusUpdates = ((re.compile(r'^\+WIND: 5,(\d)$'), self._handleCallInitiated),
(re.compile(r'^OK$'), self._handleCallAnswered),
(re.compile(r'^\+WIND: 6,(\d)$'), self._handleCallEnded))
self._waitForAtdResponse = False # Wavecom modems return OK only when the call is answered
self._mustPollCallStatus = False
if commands == None: # older modem, assume it has standard DTMF support
Call.dtmfSupport = True
elif callUpdateTableHint == 3: # ZTE
# Use ZTE notifications ("CONNECT"/"HANGUP", but no "call initiated" notification)
self.log.info('Loading ZTE call state update table')
self._callStatusUpdates = ((re.compile(r'^CONNECT$'), self._handleCallAnswered),
(re.compile(r'^HANGUP:\s*(\d+)$'), self._handleCallEnded),
(re.compile(r'^OK$'), self._handleCallRejected))
self._waitForAtdResponse = False # ZTE modems do not return an immediate OK only when the call is answered
self._mustPollCallStatus = False
self._waitForCallInitUpdate = False # ZTE modems do not provide "call initiated" updates
if commands == None: # ZTE uses standard +VTS for DTMF
Call.dtmfSupport = True
else:
# Unknown modem - we do not know what its call updates look like. Use polling instead
self.log.info('Unknown/generic modem type - will use polling for call state updates')
self._mustPollCallStatus = True
self._pollCallStatusRegex = re.compile('^\+CLCC:\s+(\d+),(\d),(\d),(\d),([^,]),"([^,]*)",(\d+)$')
self._waitForAtdResponse = True # Most modems return OK immediately after issuing ATD
# General meta-information setup
self.write('AT+COPS=3,0', parseError=False) # Use long alphanumeric name format
# SMS setup
self.write('AT+CMGF={0}'.format(1 if self._smsTextMode else 0)) # Switch to text or PDU mode for SMS messages
self._compileSmsRegexes()
if self._smscNumber != None:
self.write('AT+CSCA="{0}"'.format(self._smscNumber)) # Set default SMSC number
currentSmscNumber = self._smscNumber
else:
currentSmscNumber = self.smsc
# Some modems delete the SMSC number when setting text-mode SMS parameters; preserve it if needed
if currentSmscNumber != None:
self._smscNumber = None # clear cache
self.write('AT+CSMP=49,167,0,0', parseError=False) # Enable delivery reports
# ...check SMSC again to ensure it did not change
if currentSmscNumber != None and self.smsc != currentSmscNumber:
self.smsc = currentSmscNumber
# Set message storage, but first check what the modem supports - example response: +CPMS: (("SM","BM","SR"),("SM"))
try:
cpmsLine = lineStartingWith('+CPMS', self.write('AT+CPMS=?'))
except CommandError:
# Modem does not support AT+CPMS; SMS reading unavailable
self._smsReadSupported = False
self.log.warning('SMS preferred message storage query not supported by modem. SMS reading unavailable.')
else:
cpmsSupport = cpmsLine.split(' ', 1)[1].split('),(')
# Do a sanity check on the memory types returned - Nokia S60 devices return empty strings, for example
for memItem in cpmsSupport:
if len(memItem) == 0:
# No support for reading stored SMS via AT commands - probably a Nokia S60
self._smsReadSupported = False
self.log.warning('Invalid SMS message storage support returned by modem. SMS reading unavailable. Response was: "%s"', cpmsLine)
break
else:
# Suppported memory types look fine, continue
preferredMemoryTypes = ('"ME"', '"SM"', '"SR"')
cpmsItems = [''] * len(cpmsSupport)
for i in xrange(len(cpmsSupport)):
for memType in preferredMemoryTypes:
if memType in cpmsSupport[i]:
if i == 0:
self._smsMemReadDelete = memType
cpmsItems[i] = memType
break
self.write('AT+CPMS={0}'.format(','.join(cpmsItems))) # Set message storage
del cpmsSupport
del cpmsLine
if self._smsReadSupported:
try:
self.write('AT+CNMI=2,1,0,2') # Set message notifications
except CommandError:
# Message notifications not supported
self._smsReadSupported = False
self.log.warning('Incoming SMS notifications not supported by modem. SMS receiving unavailable.')
# Incoming call notification setup
try:
self.write('AT+CLIP=1') # Enable calling line identification presentation
except CommandError as clipError:
self._callingLineIdentification = False
self.log.warning('Incoming call calling line identification (caller ID) not supported by modem. Error: {0}'.format(clipError))
else:
self._callingLineIdentification = True
try:
self.write('AT+CRC=1') # Enable extended format of incoming indication (optional)
except CommandError as crcError:
self._extendedIncomingCallIndication = False
self.log.warning('Extended format incoming call indication not supported by modem. Error: {0}'.format(crcError))
else:
self._extendedIncomingCallIndication = True
# Call control setup
self.write('AT+CVHU=0', parseError=False) # Enable call hang-up with ATH command (ignore if command not supported)
def _unlockSim(self, pin):
""" Unlocks the SIM card using the specified PIN (if necessary, else does nothing) """
# Unlock the SIM card if needed
try:
cpinResponse = lineStartingWith('+CPIN', self.write('AT+CPIN?', timeout=0.25))
except TimeoutException as timeout:
# Wavecom modems do not end +CPIN responses with "OK" (github issue #19) - see if just the +CPIN response was returned
if timeout.data != None:
cpinResponse = lineStartingWith('+CPIN', timeout.data)
if cpinResponse == None:
# No useful response read
raise timeout
else:
# Nothing read (real timeout)
raise timeout
if cpinResponse != '+CPIN: READY':
if pin != None:
self.write('AT+CPIN="{0}"'.format(pin))
else:
raise PinRequiredError('AT+CPIN')
def write(self, data, waitForResponse=True, timeout=5, parseError=True, writeTerm='\r', expectedResponseTermSeq=None):
""" Write data to the modem.
This method adds the ``\\r\\n`` end-of-line sequence to the data parameter, and
writes it to the modem.
:param data: Command/data to be written to the modem
:type data: str
:param waitForResponse: Whether this method should block and return the response from the modem or not
:type waitForResponse: bool
:param timeout: Maximum amount of time in seconds to wait for a response from the modem
:type timeout: int
:param parseError: If True, a CommandError is raised if the modem responds with an error (otherwise the response is returned as-is)
:type parseError: bool
:param writeTerm: The terminating sequence to append to the written data
:type writeTerm: str
:param expectedResponseTermSeq: The expected terminating sequence that marks the end of the modem's response (defaults to ``\\r\\n``)
:type expectedResponseTermSeq: str
:raise CommandError: if the command returns an error (only if parseError parameter is True)
:raise TimeoutException: if no response to the command was received from the modem
:return: A list containing the response lines from the modem, or None if waitForResponse is False
:rtype: list
"""
self.log.debug('write: %s', data)
responseLines = super(GsmModem, self).write(data + writeTerm, waitForResponse=waitForResponse, timeout=timeout, expectedResponseTermSeq=expectedResponseTermSeq)
if self._writeWait > 0: # Sleep a bit if required (some older modems suffer under load)
time.sleep(self._writeWait)
if waitForResponse:
cmdStatusLine = responseLines[-1]
if parseError:
if 'ERROR' in cmdStatusLine:
cmErrorMatch = self.CM_ERROR_REGEX.match(cmdStatusLine)
if cmErrorMatch:
errorType = cmErrorMatch.group(1)
errorCode = int(cmErrorMatch.group(2))
if errorCode == 515 or errorCode == 14:
# 515 means: "Please wait, init or command processing in progress."
# 14 means "SIM busy"
self._writeWait += 0.2 # Increase waiting period temporarily
# Retry the command after waiting a bit
self.log.debug('Device/SIM busy error detected; self._writeWait adjusted to %fs', self._writeWait)
time.sleep(self._writeWait)
result = self.write(data, waitForResponse, timeout, parseError, writeTerm, expectedResponseTermSeq)
self.log.debug('self_writeWait set to 0.1 because of recovering from device busy (515) error')
if errorCode == 515:
self._writeWait = 0.1 # Set this to something sane for further commands (slow modem)
else:
self._writeWait = 0 # The modem was just waiting for the SIM card
return result
if errorType == 'CME':
raise CmeError(data, int(errorCode))
else: # CMS error
raise CmsError(data, int(errorCode))
else:
raise CommandError(data)
elif cmdStatusLine == 'COMMAND NOT SUPPORT': # Some Huawei modems respond with this for unknown commands
raise CommandError(data + '({0})'.format(cmdStatusLine))
return responseLines
@property
def signalStrength(self):
""" Checks the modem's cellular network signal strength
:raise CommandError: if an error occurs
:return: The network signal strength as an integer between 0 and 99, or -1 if it is unknown
:rtype: int
"""
csq = self.CSQ_REGEX.match(self.write('AT+CSQ')[0])
if csq:
ss = int(csq.group(1))
return ss if ss != 99 else -1
else:
raise CommandError()
@property
def manufacturer(self):
""" :return: The modem's manufacturer's name """
return self.write('AT+CGMI')[0]
@property
def model(self):
""" :return: The modem's model name """
return self.write('AT+CGMM')[0]
@property
def revision(self):
""" :return: The modem's software revision, or None if not known/supported """
try:
return self.write('AT+CGMR')[0]
except CommandError:
return None
@property
def imei(self):
""" :return: The modem's serial number (IMEI number) """
return self.write('AT+CGSN')[0]
@property
def imsi(self):
""" :return: The IMSI (International Mobile Subscriber Identity) of the SIM card. The PIN may need to be entered before reading the IMSI """
return self.write('AT+CIMI')[0]
@property
def networkName(self):
""" :return: the name of the GSM Network Operator to which the modem is connected """
copsMatch = lineMatching(r'^\+COPS: (\d),(\d),"(.+)",{0,1}\d*$', self.write('AT+COPS?')) # response format: +COPS: mode,format,"operator_name",x
if copsMatch:
return copsMatch.group(3)
@property
def supportedCommands(self):
""" :return: list of AT commands supported by this modem (without the AT prefix). Returns None if not known """
try:
# AT+CLAC responses differ between modems. Most respond with +CLAC: and then a comma-separated list of commands
# while others simply return each command on a new line, with no +CLAC: prefix
response = self.write('AT+CLAC')
if len(response) == 2: # Single-line response, comma separated
commands = response[0]
if commands.startswith('+CLAC'):
commands = commands[6:] # remove the +CLAC: prefix before splitting
return commands.split(',')
elif len(response) > 2: # Multi-line response
return [cmd.strip() for cmd in response[:-1]]
else:
self.log.debug('Unhandled +CLAC response: {0}'.format(response))
return None
except CommandError:
return None
@property
def smsTextMode(self):
""" :return: True if the modem is set to use text mode for SMS, False if it is set to use PDU mode """
return self._smsTextMode
@smsTextMode.setter
def smsTextMode(self, textMode):
""" Set to True for the modem to use text mode for SMS, or False for it to use PDU mode """
if textMode != self._smsTextMode:
if self.alive:
self.write('AT+CMGF={0}'.format(1 if textMode else 0))
self._smsTextMode = textMode
self._compileSmsRegexes()
def _setSmsMemory(self, readDelete=None, write=None):
""" Set the current SMS memory to use for read/delete/write operations """
# Switch to the correct memory type if required
if write != None and write != self._smsMemWrite:
self.write()
readDel = readDelete or self._smsMemReadDelete
self.write('AT+CPMS="{0}","{1}"'.format(readDel, write))
self._smsMemReadDelete = readDel
self._smsMemWrite = write
elif readDelete != None and readDelete != self._smsMemReadDelete:
self.write('AT+CPMS="{0}"'.format(readDelete))
self._smsMemReadDelete = readDelete
def _compileSmsRegexes(self):
""" Compiles regular expression used for parsing SMS messages based on current mode """
if self._smsTextMode:
if self.CMGR_SM_DELIVER_REGEX_TEXT == None:
self.CMGR_SM_DELIVER_REGEX_TEXT = re.compile(r'^\+CMGR: "([^"]+)","([^"]+)",[^,]*,"([^"]+)"$')
self.CMGR_SM_REPORT_REGEXT_TEXT = re.compile(r'^\+CMGR: ([^,]*),\d+,(\d+),"{0,1}([^"]*)"{0,1},\d*,"([^"]+)","([^"]+)",(\d+)$')
elif self.CMGR_REGEX_PDU == None:
self.CMGR_REGEX_PDU = re.compile(r'^\+CMGR: (\d*),"{0,1}([^"]*)"{0,1},(\d+)$')
@property
def smsc(self):
""" :return: The default SMSC number stored on the SIM card """
if self._smscNumber == None:
try:
readSmsc = self.write('AT+CSCA?')
except SmscNumberUnknownError:
pass # Some modems return a CMS 330 error if the value isn't set
else:
cscaMatch = lineMatching(r'\+CSCA:\s*"([^,]+)",(\d+)$', readSmsc)
if cscaMatch:
self._smscNumber = cscaMatch.group(1)
return self._smscNumber
@smsc.setter
def smsc(self, smscNumber):
""" Set the default SMSC number to use when sending SMS messages """
if smscNumber != self._smscNumber:
if self.alive:
self.write('AT+CSCA="{0}"'.format(smscNumber))
self._smscNumber = smscNumber
def waitForNetworkCoverage(self, timeout=None):
""" Block until the modem has GSM network coverage.
This method blocks until the modem is registered with the network
and the signal strength is greater than 0, optionally timing out
if a timeout was specified
:param timeout: Maximum time to wait for network coverage, in seconds
:type timeout: int or float
:raise TimeoutException: if a timeout was specified and reached
:raise InvalidStateException: if the modem is not going to receive network coverage (SIM blocked, etc)
:return: the current signal strength
:rtype: int
"""
block = [True]
if timeout != None:
# Set up a timeout mechanism
def _cancelBlock():
block[0] = False
t = threading.Timer(timeout, _cancelBlock)
t.start()
ss = -1
checkCreg = True
while block[0]:
if checkCreg:
cregResult = lineMatching(r'^\+CREG:\s*(\d),(\d)$', self.write('AT+CREG?', parseError=False)) # example result: +CREG: 0,1
if cregResult:
status = int(cregResult.group(2))
if status in (1, 5):
# 1: registered, home network, 5: registered, roaming
# Now simply check and return network signal strength
checkCreg = False
elif status == 3:
raise InvalidStateException('Network registration denied')
elif status == 0:
raise InvalidStateException('Device not searching for network operator')
else:
# Disable network registration check; only use signal strength
self.log.info('+CREG check disabled due to invalid response or unsupported command')
checkCreg = False
else:
# Check signal strength
ss = self.signalStrength
if ss > 0:
return ss
time.sleep(1)
else:
# If this is reached, the timer task has triggered
raise TimeoutException()
def sendSms(self, destination, text, waitForDeliveryReport=False, deliveryTimeout=15, sendFlash=False):
""" Send an SMS text message
:param destination: the recipient's phone number
:type destination: str
:param text: the message text
:type text: str
:param waitForDeliveryReport: if True, this method blocks until a delivery report is received for the sent message
:type waitForDeliveryReport: boolean
:param deliveryReport: the maximum time in seconds to wait for a delivery report (if "waitForDeliveryReport" is True)
:type deliveryTimeout: int or float
:raise CommandError: if an error occurs while attempting to send the message
:raise TimeoutException: if the operation times out
"""
if self._smsTextMode:
self.write('AT+CMGS="{0}"'.format(destination), timeout=3, expectedResponseTermSeq='> ')
result = lineStartingWith('+CMGS:', self.write(text, timeout=15, writeTerm=chr(26)))
else:
pdus = encodeSmsSubmitPdu(destination, text, reference=self._smsRef, sendFlash=sendFlash)
for pdu in pdus:
self.write('AT+CMGS={0}'.format(pdu.tpduLength), timeout=3, expectedResponseTermSeq='> ')
result = lineStartingWith('+CMGS:', self.write(str(pdu), timeout=15, writeTerm=chr(26))) # example: +CMGS: xx
if result == None:
raise CommandError('Modem did not respond with +CMGS response')
reference = int(result[7:])
self._smsRef = reference + 1
if self._smsRef > 255:
self._smsRef = 0
sms = SentSms(destination, text, reference)
# Add a weak-referenced entry for this SMS (allows us to update the SMS state if a status report is received)
self.sentSms[reference] = sms
if waitForDeliveryReport:
self._smsStatusReportEvent = threading.Event()
if self._smsStatusReportEvent.wait(deliveryTimeout):
self._smsStatusReportEvent = None
else: # Response timed out
self._smsStatusReportEvent = None
raise TimeoutException()
return sms
def sendUssd(self, ussdString, responseTimeout=15):
""" Starts a USSD session by dialing the the specified USSD string, or \
sends the specified string in the existing USSD session (if any)
:param ussdString: The USSD access number to dial
:param responseTimeout: Maximum time to wait a response, in seconds
:raise TimeoutException: if no response is received in time
:return: The USSD response message/session (as a Ussd object)
:rtype: gsmmodem.modem.Ussd
"""
self._ussdSessionEvent = threading.Event()
try:
cusdResponse = self.write('AT+CUSD=1,"{0}",15'.format(ussdString), timeout=responseTimeout) # Should respond with "OK"
except Exception:
self._ussdSessionEvent = None # Cancel the thread sync lock
raise
# Some modems issue the +CUSD response before the acknowledgment "OK" - check for that
if len(cusdResponse) > 1:
cusdResponseFound = lineStartingWith('+CUSD', cusdResponse) != None
if cusdResponseFound:
self._ussdSessionEvent = None # Cancel thread sync lock
return self._parseCusdResponse(cusdResponse)
# Wait for the +CUSD notification message
if self._ussdSessionEvent.wait(responseTimeout):
self._ussdSessionEvent = None
return self._ussdResponse
else: # Response timed out
self._ussdSessionEvent = None
raise TimeoutException()
def dial(self, number, timeout=5, callStatusUpdateCallbackFunc=None):
""" Calls the specified phone number using a voice phone call
:param number: The phone number to dial
:param timeout: Maximum time to wait for the call to be established
:param callStatusUpdateCallbackFunc: Callback function that is executed if the call's status changes due to
remote events (i.e. when it is answered, the call is ended by the remote party)
:return: The outgoing call
:rtype: gsmmodem.modem.Call
"""
if self._waitForCallInitUpdate:
# Wait for the "call originated" notification message
self._dialEvent = threading.Event()
try:
self.write('ATD{0};'.format(number), timeout=timeout, waitForResponse=self._waitForAtdResponse)
except Exception:
self._dialEvent = None # Cancel the thread sync lock
raise
else:
# Don't wait for a call init update - base the call ID on the number of active calls
self.write('ATD{0};'.format(number), timeout=timeout, waitForResponse=self._waitForAtdResponse)
self.log.debug("Not waiting for outgoing call init update message")
callId = len(self.activeCalls) + 1
callType = 0 # Assume voice
call = Call(self, callId, callType, number, callStatusUpdateCallbackFunc)
self.activeCalls[callId] = call
return call
if self._mustPollCallStatus:
# Fake a call notification by polling call status until the status indicates that the call is being dialed
threading.Thread(target=self._pollCallStatus, kwargs={'expectedState': 0, 'timeout': timeout}).start()
if self._dialEvent.wait(timeout):
self._dialEvent = None
callId, callType = self._dialResponse
call = Call(self, callId, callType, number, callStatusUpdateCallbackFunc)
self.activeCalls[callId] = call
return call
else: # Call establishing timed out
self._dialEvent = None
raise TimeoutException()
def processStoredSms(self, unreadOnly=False):
""" Process all SMS messages currently stored on the device/SIM card.
Reads all (or just unread) received SMS messages currently stored on the
device/SIM card, initiates "SMS received" events for them, and removes
them from the SIM card.
This is useful if SMS messages were received during a period that
python-gsmmodem was not running but the modem was powered on.
:param unreadOnly: If True, only process unread SMS messages
:type unreadOnly: boolean
"""
states = [Sms.STATUS_RECEIVED_UNREAD]
if not unreadOnly:
states.insert(0, Sms.STATUS_RECEIVED_READ)
for msgStatus in states:
messages = self.listStoredSms(status=msgStatus, delete=True)
for sms in messages:
self.smsReceivedCallback(sms)
def listStoredSms(self, status=Sms.STATUS_ALL, memory=None, delete=False):
""" Returns SMS messages currently stored on the device/SIM card.
The messages are read from the memory set by the "memory" parameter.
:param status: Filter messages based on this read status; must be 0-4 (see Sms class)
:type status: int
:param memory: The memory type to read from. If None, use the current default SMS read memory
:type memory: str or None
:param delete: If True, delete returned messages from the device/SIM card
:type delete: bool
:return: A list of Sms objects containing the messages read
:rtype: list
"""
self._setSmsMemory(readDelete=memory)
messages = []
delMessages = set()
if self._smsTextMode:
cmglRegex= re.compile(r'^\+CMGL: (\d+),"([^"]+)","([^"]+)",[^,]*,"([^"]+)"$')
for key, val in dictItemsIter(Sms.TEXT_MODE_STATUS_MAP):
if status == val:
statusStr = key
break
else:
raise ValueError('Invalid status value: {0}'.format(status))
result = self.write('AT+CMGL="{0}"'.format(statusStr))
msgLines = []
msgIndex = msgStatus = number = msgTime = None
for line in result:
cmglMatch = cmglRegex.match(line)
if cmglMatch:
# New message; save old one if applicable
if msgIndex != None and len(msgLines) > 0:
msgText = '\n'.join(msgLines)
msgLines = []
messages.append(ReceivedSms(self, Sms.TEXT_MODE_STATUS_MAP[msgStatus], number, parseTextModeTimeStr(msgTime), msgText))
delMessages.add(int(msgIndex))
msgIndex, msgStatus, number, msgTime = cmglMatch.groups()
msgLines = []
else:
if line != 'OK':
msgLines.append(line)
if msgIndex != None and len(msgLines) > 0:
msgText = '\n'.join(msgLines)
msgLines = []
messages.append(ReceivedSms(self, Sms.TEXT_MODE_STATUS_MAP[msgStatus], number, parseTextModeTimeStr(msgTime), msgText))
delMessages.add(int(msgIndex))
else:
cmglRegex = re.compile(r'^\+CMGL:\s*(\d+),\s*(\d+),.*$')
readPdu = False
result = self.write('AT+CMGL={0}'.format(status))
for line in result:
if not readPdu:
cmglMatch = cmglRegex.match(line)
if cmglMatch:
msgIndex = int(cmglMatch.group(1))
msgStat = int(cmglMatch.group(2))
readPdu = True
else:
try:
smsDict = decodeSmsPdu(line)
except EncodingError:
self.log.debug('Discarding line from +CMGL response: %s', line)
else:
if smsDict['type'] == 'SMS-DELIVER':
sms = ReceivedSms(self, int(msgStat), smsDict['number'], smsDict['time'], smsDict['text'], smsDict['smsc'])
elif smsDict['type'] == 'SMS-STATUS-REPORT':
sms = StatusReport(self, int(msgStat), smsDict['reference'], smsDict['number'], smsDict['time'], smsDict['discharge'], smsDict['status'])
else:
raise CommandError('Invalid PDU type for readStoredSms(): {0}'.format(smsDict['type']))
messages.append(sms)
delMessages.add(msgIndex)
readPdu = False
if delete:
if status == Sms.STATUS_ALL:
# Delete all messages
self.deleteMultipleStoredSms()
else:
for msgIndex in delMessages:
self.deleteStoredSms(msgIndex)
return messages
def _handleModemNotification(self, lines):
""" Handler for unsolicited notifications from the modem
This method simply spawns a separate thread to handle the actual notification
(in order to release the read thread so that the handlers are able to write back to the modem, etc)
:param lines The lines that were read
"""
threading.Thread(target=self.__threadedHandleModemNotification, kwargs={'lines': lines}).start()
def __threadedHandleModemNotification(self, lines):
""" Implementation of _handleModemNotification() to be run in a separate thread
:param lines The lines that were read
"""
for line in lines:
if 'RING' in line:
# Incoming call (or existing call is ringing)
self._handleIncomingCall(lines)
return
elif line.startswith('+CMTI'):
# New SMS message indication
self._handleSmsReceived(line)
return
elif line.startswith('+CUSD'):
# USSD notification - either a response or a MT-USSD ("push USSD") message
self._handleUssd(lines)
return
elif line.startswith('+CDSI'):
# SMS status report
self._handleSmsStatusReport(line)
return
else:
# Check for call status updates
for updateRegex, handlerFunc in self._callStatusUpdates:
match = updateRegex.match(line)
if match:
# Handle the update
handlerFunc(match)
return
# If this is reached, the notification wasn't handled
self.log.debug('Unhandled unsolicited modem notification: %s', lines)
def _handleIncomingCall(self, lines):
self.log.debug('Handling incoming call')
ringLine = lines.pop(0)
if self._extendedIncomingCallIndication:
try:
callType = ringLine.split(' ', 1)[1]
except IndexError:
# Some external 3G scripts modify incoming call indication settings (issue #18)
self.log.debug('Extended incoming call indication format changed externally; re-enabling...')
callType = None
try:
# Re-enable extended format of incoming indication (optional)
self.write('AT+CRC=1')
except CommandError:
self.log.warn('Extended incoming call indication format changed externally; unable to re-enable')
self._extendedIncomingCallIndication = False
else:
callType = None
if self._callingLineIdentification and len(lines) > 0:
clipLine = lines.pop(0)
clipMatch = self.CLIP_REGEX.match(clipLine)
if clipMatch:
callerNumber = clipMatch.group(1)
ton = clipMatch.group(2)
#TODO: re-add support for this
callerName = None
#callerName = clipMatch.group(3)
#if callerName != None and len(callerName) == 0:
# callerName = None
else:
callerNumber = ton = callerName = None
else:
callerNumber = ton = callerName = None
call = None
for activeCall in dictValuesIter(self.activeCalls):
if activeCall.number == callerNumber:
call = activeCall
call.ringCount += 1
if call == None:
callId = len(self.activeCalls) + 1;
call = IncomingCall(self, callerNumber, ton, callerName, callId, callType)
self.activeCalls[callId] = call
self.incomingCallCallback(call)
def _handleCallInitiated(self, regexMatch, callId=None, callType=1):
""" Handler for "outgoing call initiated" event notification line """
if self._dialEvent:
if regexMatch:
groups = regexMatch.groups()
# Set self._dialReponse to (callId, callType)
if len(groups) >= 2:
self._dialResponse = (int(groups[0]) , int(groups[1]))
else:
self._dialResponse = (int(groups[0]), 1) # assume call type: VOICE
else:
self._dialResponse = callId, callType
self._dialEvent.set()
def _handleCallAnswered(self, regexMatch, callId=None):
""" Handler for "outgoing call answered" event notification line """
if regexMatch:
groups = regexMatch.groups()
if len(groups) > 1:
callId = int(groups[0])
self.activeCalls[callId].answered = True
else:
# Call ID not available for this notificition - check for the first outgoing call that has not been answered
for call in dictValuesIter(self.activeCalls):
if call.answered == False and type(call) == Call:
call.answered = True
return
else:
# Use supplied values
self.activeCalls[callId].answered = True
def _handleCallEnded(self, regexMatch, callId=None, filterUnanswered=False):
if regexMatch:
groups = regexMatch.groups()
if len(groups) > 0:
callId = int(groups[0])
else:
# Call ID not available for this notification - check for the first outgoing call that is active
for call in dictValuesIter(self.activeCalls):
if type(call) == Call:
if not filterUnanswered or (filterUnanswered == True and call.answered == False):
callId = call.id
break
if callId and callId in self.activeCalls:
self.activeCalls[callId].answered = False
self.activeCalls[callId].active = False
del self.activeCalls[callId]
def _handleCallRejected(self, regexMatch, callId=None):
""" Handler for rejected (unanswered calls being ended)
Most modems use _handleCallEnded for handling both call rejections and remote hangups.
This method does the same, but filters for unanswered calls only.
"""
return self._handleCallEnded(regexMatch, callId, True)
def _handleSmsReceived(self, notificationLine):
""" Handler for "new SMS" unsolicited notification line """
self.log.debug('SMS message received')
cmtiMatch = self.CMTI_REGEX.match(notificationLine)
if cmtiMatch:
msgMemory = cmtiMatch.group(1)
msgIndex = cmtiMatch.group(2)
sms = self.readStoredSms(msgIndex, msgMemory)
self.deleteStoredSms(msgIndex)
self.smsReceivedCallback(sms)
def _handleSmsStatusReport(self, notificationLine):
""" Handler for SMS status reports """
self.log.debug('SMS status report received')
cdsiMatch = self.CDSI_REGEX.match(notificationLine)
if cdsiMatch:
msgMemory = cdsiMatch.group(1)
msgIndex = cdsiMatch.group(2)
report = self.readStoredSms(msgIndex, msgMemory)
self.deleteStoredSms(msgIndex)
# Update sent SMS status if possible
if report.reference in self.sentSms:
self.sentSms[report.reference].report = report
if self._smsStatusReportEvent:
# A sendSms() call is waiting for this response - notify waiting thread
self._smsStatusReportEvent.set()
else:
# Nothing is waiting for this report directly - use callback
self.smsStatusReportCallback(report)
def readStoredSms(self, index, memory=None):
""" Reads and returns the SMS message at the specified index
:param index: The index of the SMS message in the specified memory
:type index: int
:param memory: The memory type to read from. If None, use the current default SMS read memory
:type memory: str or None
:raise CommandError: if unable to read the stored message
:return: The SMS message
:rtype: subclass of gsmmodem.modem.Sms (either ReceivedSms or StatusReport)
"""
# Switch to the correct memory type if required
self._setSmsMemory(readDelete=memory)
msgData = self.write('AT+CMGR={0}'.format(index))
# Parse meta information
if self._smsTextMode:
cmgrMatch = self.CMGR_SM_DELIVER_REGEX_TEXT.match(msgData[0])
if cmgrMatch:
msgStatus, number, msgTime = cmgrMatch.groups()
msgText = '\n'.join(msgData[1:-1])
return ReceivedSms(self, Sms.TEXT_MODE_STATUS_MAP[msgStatus], number, parseTextModeTimeStr(msgTime), msgText)
else:
# Try parsing status report
cmgrMatch = self.CMGR_SM_REPORT_REGEXT_TEXT.match(msgData[0])
if cmgrMatch:
msgStatus, reference, number, sentTime, deliverTime, deliverStatus = cmgrMatch.groups()
if msgStatus.startswith('"'):
msgStatus = msgStatus[1:-1]
if len(msgStatus) == 0:
msgStatus = "REC UNREAD"
return StatusReport(self, Sms.TEXT_MODE_STATUS_MAP[msgStatus], int(reference), number, parseTextModeTimeStr(sentTime), parseTextModeTimeStr(deliverTime), int(deliverStatus))
else:
raise CommandError('Failed to parse text-mode SMS message +CMGR response: {0}'.format(msgData))
else:
cmgrMatch = self.CMGR_REGEX_PDU.match(msgData[0])
if not cmgrMatch:
raise CommandError('Failed to parse PDU-mode SMS message +CMGR response: {0}'.format(msgData))
stat, alpha, length = cmgrMatch.groups()
try:
stat = int(stat)
except Exception:
# Some modems (ZTE) do not always read return status - default to RECEIVED UNREAD
stat = Sms.STATUS_RECEIVED_UNREAD
pdu = msgData[1]
smsDict = decodeSmsPdu(pdu)
if smsDict['type'] == 'SMS-DELIVER':
return ReceivedSms(self, int(stat), smsDict['number'], smsDict['time'], smsDict['text'], smsDict['smsc'])
elif smsDict['type'] == 'SMS-STATUS-REPORT':
return StatusReport(self, int(stat), smsDict['reference'], smsDict['number'], smsDict['time'], smsDict['discharge'], smsDict['status'])
else:
raise CommandError('Invalid PDU type for readStoredSms(): {0}'.format(smsDict['type']))
def deleteStoredSms(self, index, memory=None):
""" Deletes the SMS message stored at the specified index in modem/SIM card memory
:param index: The index of the SMS message in the specified memory
:type index: int
:param memory: The memory type to delete from. If None, use the current default SMS read/delete memory
:type memory: str or None
:raise CommandError: if unable to delete the stored message
"""
self._setSmsMemory(readDelete=memory)
self.write('AT+CMGD={0},0'.format(index))
def deleteMultipleStoredSms(self, delFlag=4, memory=None):
""" Deletes all SMS messages that have the specified read status.
The messages are read from the memory set by the "memory" parameter.
The value of the "delFlag" paramater is the same as the "DelFlag" parameter of the +CMGD command:
1: Delete All READ messages
2: Delete All READ and SENT messages
3: Delete All READ, SENT and UNSENT messages
4: Delete All messages (this is the default)
:param delFlag: Controls what type of messages to delete; see description above.
:type delFlag: int
:param memory: The memory type to delete from. If None, use the current default SMS read/delete memory
:type memory: str or None
:param delete: If True, delete returned messages from the device/SIM card
:type delete: bool
:raise ValueErrror: if "delFlag" is not in range [1,4]
:raise CommandError: if unable to delete the stored messages
"""
if 0 < delFlag <= 4:
self._setSmsMemory(readDelete=memory)
self.write('AT+CMGD=1,{0}'.format(delFlag))
else:
raise ValueError('"delFlag" must be in range [1,4]')
def _handleUssd(self, lines):
""" Handler for USSD event notification line(s) """
if self._ussdSessionEvent:
# A sendUssd() call is waiting for this response - parse it
self._ussdResponse = self._parseCusdResponse(lines)
# Notify waiting thread
self._ussdSessionEvent.set()
def _parseCusdResponse(self, lines):
""" Parses one or more +CUSD notification lines (for USSD)
:return: USSD response object
:rtype: gsmmodem.modem.Ussd
"""
if len(lines) > 1:
# Issue #20: Some modem/network combinations use \r\n as in-message EOL indicators;
# - join lines to compensate for that (thanks to davidjb for the fix)
# Also, look for more than one +CUSD response because of certain modems' strange behaviour
cusdMatches = list(self.CUSD_REGEX.finditer('\r\n'.join(lines)))
else:
# Single standard +CUSD response
cusdMatches = [self.CUSD_REGEX.match(lines[0])]
message = None
sessionActive = True
if len(cusdMatches) > 1:
self.log.debug('Multiple +CUSD responses received; filtering...')
# Some modems issue a non-standard "extra" +CUSD notification for releasing the session
for cusdMatch in cusdMatches:
if cusdMatch.group(1) == '2':
# Set the session to inactive, but ignore the message
self.log.debug('Ignoring "session release" message: %s', cusdMatch.group(2))
sessionActive = False
else:
# Not a "session release" message
message = cusdMatch.group(2)
if sessionActive and cusdMatch.group(1) != '1':
sessionActive = False
else:
sessionActive = cusdMatches[0].group(1) == '1'
message = cusdMatches[0].group(2)
return Ussd(self, sessionActive, message)
def _placeHolderCallback(self, *args):
""" Does nothing """
self.log.debug('called with args: {0}'.format(args))
def _pollCallStatus(self, expectedState, callId=None, timeout=None):
""" Poll the status of outgoing calls.
This is used for modems that do not have a known set of call status update notifications.
:param expectedState: The internal state we are waiting for. 0 == initiated, 1 == answered, 2 = hangup
:type expectedState: int
:raise TimeoutException: If a timeout was specified, and has occurred
"""
callDone = False
timeLeft = timeout or 999999
while self.alive and not callDone and timeLeft > 0:
time.sleep(0.5)
if expectedState == 0: # Only call initializing can timeout
timeLeft -= 0.5
try:
clcc = self._pollCallStatusRegex.match(self.write('AT+CLCC')[0])
except TimeoutException as timeout:
# Can happend if the call was ended during our time.sleep() call
clcc = None
if clcc:
direction = int(clcc.group(2))
if direction == 0: # Outgoing call
# Determine call state
stat = int(clcc.group(3))
if expectedState == 0: # waiting for call initiated
if stat == 2 or stat == 3: # Dialing or ringing ("alerting")
callId = int(clcc.group(1))
callType = int(clcc.group(4))
self._handleCallInitiated(None, callId, callType) # if self_dialEvent is None, this does nothing
expectedState = 1 # Now wait for call answer
elif expectedState == 1: # waiting for call to be answered
if stat == 0: # Call active
callId = int(clcc.group(1))
self._handleCallAnswered(None, callId)
expectedState = 2 # Now wait for call hangup
elif expectedState == 2 : # waiting for remote hangup
# Since there was no +CLCC response, the call is no longer active
callDone = True
self._handleCallEnded(None, callId=callId)
elif expectedState == 1: # waiting for call to be answered
# Call was rejected
callDone = True
self._handleCallRejected(None, callId=callId)
if timeLeft <= 0:
raise TimeoutException()
class Call(object):
""" A voice call """
DTMF_COMMAND_BASE = '+VTS='
dtmfSupport = False # Indicates whether or not DTMF tones can be sent in calls
def __init__(self, gsmModem, callId, callType, number, callStatusUpdateCallbackFunc=None):
"""
:param gsmModem: GsmModem instance that created this object
:param number: The number that is being called
"""
self._gsmModem = weakref.proxy(gsmModem)
self._callStatusUpdateCallbackFunc = callStatusUpdateCallbackFunc
# Unique ID of this call
self.id = callId
# Call type (VOICE == 0, etc)
self.type = callType
# The remote number of this call (destination or origin)
self.number = number
# Flag indicating whether the call has been answered or not (backing field for "answered" property)
self._answered = False
# Flag indicating whether or not the call is active
# (meaning it may be ringing or answered, but not ended because of a hangup event)
self.active = True
@property
def answered(self):
return self._answered
@answered.setter
def answered(self, answered):
self._answered = answered
if self._callStatusUpdateCallbackFunc:
self._callStatusUpdateCallbackFunc(self)
def sendDtmfTone(self, tones):
""" Send one or more DTMF tones to the remote party (only allowed for an answered call)
Note: this is highly device-dependent, and might not work
:param digits: A str containining one or more DTMF tones to play, e.g. "3" or "\*123#"
:raise CommandError: if the command failed/is not supported
:raise InvalidStateException: if the call has not been answered, or is ended while the command is still executing
"""
if self.answered:
dtmfCommandBase = self.DTMF_COMMAND_BASE.format(cid=self.id)
toneLen = len(tones)
if len(tones) > 1:
cmd = ('AT{0}{1};{0}' + ';{0}'.join(tones[1:])).format(dtmfCommandBase, tones[0])
else:
cmd = 'AT{0}{1}'.format(dtmfCommandBase, tones)
try:
self._gsmModem.write(cmd, timeout=(5 + toneLen))
except CmeError as e:
if e.code == 30:
# No network service - can happen if call is ended during DTMF transmission (but also if DTMF is sent immediately after call is answered)
raise InterruptedException('No network service', e)
elif e.code == 3:
# Operation not allowed - can happen if call is ended during DTMF transmission
raise InterruptedException('Operation not allowed', e)
else:
raise e
else:
raise InvalidStateException('Call is not active (it has not yet been answered, or it has ended).')
def hangup(self):
""" End the phone call.
Does nothing if the call is already inactive.
"""
if self.active:
self._gsmModem.write('ATH')
self.answered = False
self.active = False
if self.id in self._gsmModem.activeCalls:
del self._gsmModem.activeCalls[self.id]
class IncomingCall(Call):
CALL_TYPE_MAP = {'VOICE': 0}
""" Represents an incoming call, conveniently allowing access to call meta information and -control """
def __init__(self, gsmModem, number, ton, callerName, callId, callType):
"""
:param gsmModem: GsmModem instance that created this object
:param number: Caller number
:param ton: TON (type of number/address) in integer format
:param callType: Type of the incoming call (VOICE, FAX, DATA, etc)
"""
if type(callType) == str:
callType = self.CALL_TYPE_MAP[callType]
super(IncomingCall, self).__init__(gsmModem, callId, callType, number)
# Type attribute of the incoming call
self.ton = ton
self.callerName = callerName
# Flag indicating whether the call is ringing or not
self.ringing = True
# Amount of times this call has rung (before answer/hangup)
self.ringCount = 1
def answer(self):
""" Answer the phone call.
:return: self (for chaining method calls)
"""
if self.ringing:
self._gsmModem.write('ATA')
self.ringing = False
self.answered = True
return self
def hangup(self):
""" End the phone call. """
self.ringing = False
super(IncomingCall, self).hangup()
class Ussd(object):
""" Unstructured Supplementary Service Data (USSD) message.
This class contains convenient methods for replying to a USSD prompt
and to cancel the USSD session
"""
def __init__(self, gsmModem, sessionActive, message):
self._gsmModem = weakref.proxy(gsmModem)
# Indicates if the session is active (True) or has been closed (False)
self.sessionActive = sessionActive
self.message = message
def reply(self, message):
""" Sends a reply to this USSD message in the same USSD session
:raise InvalidStateException: if the USSD session is not active (i.e. it has ended)
:return: The USSD response message/session (as a Ussd object)
"""
if self.sessionActive:
return self._gsmModem.sendUssd(message)
else:
raise InvalidStateException('USSD session is inactive')
def cancel(self):
""" Terminates/cancels the USSD session (without sending a reply)
Does nothing if the USSD session is inactive.
"""
if self.sessionActive:
self._gsmModem.write('AT+CUSD=2')