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
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
|
Network Working Group D. Cromwell
Request for Comments: 2897 Nortel Networks
Category: Informational August 2000
Proposal for an MGCP Advanced Audio Package
Status of this Memo
This memo provides information for the Internet community. It does
not specify an Internet standard of any kind. Distribution of this
memo is unlimited.
Copyright Notice
Copyright (C) The Internet Society (2000). All Rights Reserved.
Abstract
This document is a proposal to add a new event/signal package to the
MGCP (Media Gateway Control Protocol) protocol to control an ARF
(Audio Resource Function) which may reside on a Media Gateway or
specialized Audio Server.
This event package provides support for the standard IVR (Interactive
Voice Response) operations of PlayAnnouncement, PlayCollect, and
PlayRecord. It supports direct references to simple audio as well as
indirect references to simple and complex audio. It provides audio
variables, control of audio interruptibility, digit buffer control,
special key sequences, and support for reprompting during data
collection. It also provides an arbitrary number of user defined
qualifiers to be used in resolving complex audio structures. For
example, the user could define qualifiers for any or all of the
following: language, accent, audio file format, gender, speaker, or
customer.
Cromwell Informational [Page 1]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
Table of Contents
1. Introduction ................................................ 2
1.1. Audio Segments ............................................ 3
1.1.1. Sequences And Sets ...................................... 3
1.1.2. Segment Types ........................................... 4
2. Advanced Audio Package ...................................... 5
3. Events ...................................................... 5
4. Event Parameters ............................................ 7
5. Return Parameters ........................................... 7
6. Variables ................................................... 14
7. Selectors ................................................... 17
8. Aliases ..................................................... 18
9. Examples .................................................... 21
10. Formal Syntax Description .................................. 22
11. References ................................................. 22
12. Formal Syntax Description .................................. 25
13. References ................................................. 32
14. Author's Address ........................................... 33
15. Full Copyright Statement ................................... 34
1. Introduction
The following syntax supports both simple and complex audio
structures. A simple audio structure might be a single announcement
such as "Welcome to Bell South's Automated Directory Assistance
Service". A more complex audio structure might consist of an
announcement followed by voice variable followed by another
announcement, for example "There are thirty seven minutes remaining
on your prepaid calling card," where "There are" is a prompt, the
number of minutes is a voice variable, and "minutes remaining on your
prepaid calling card" is another prompt.
It is also possible to define complex audio structures that are
qualified by user defined selectors such as language, audio file
format, gender, accent, customer, or voice talent. For instance, if
the above example were qualified by language and accent selectors, it
would be possible to play "There are thirty seven minutes remaining
on your prepaid calling card" in English spoken with a southern
accent or in English spoken with a mid-western accent, providing that
the audio to support this had been provisioned.
There are two methods of specifying complex audio. The first is to
directly reference the individual components. This requires a
complete description of each component to be specified via the
protocol. The second method is to provision the components on the
Audio Server as a single entity and to export a reference to that
entity to the call agent. In this case, only the reference (plus any
Cromwell Informational [Page 2]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
dynamic data required, such as a variable data) is passed via the
protocol, and no specification of individual components is necessary.
The Audio Server Package provides significant functionality most of
which is controlled via protocol parameters. Most parameters are
optional, and where ever possible default to reasonable values. An
audio application that references to provisioned, complex audio
structures, and which takes advantage of parameter optionality and
defaults, can specify audio events using a minimum of syntax.
1.1. Background
The next two sections contain background information which may be
helpful in understanding the syntax.
1.1.1. Sequence And Sets
The syntax supports abstractions of set and sequence for storing and
referencing audio data.
A sequence is a provisioned sequence of one or more audio segments.
Component segments are not necessarily all of the same type. Every
sequence is assigned a unique segment id. On playback, a sequence id
reference is deconstructed into its individual parts, each of which
is played in order.
A set is a provisioned collection of audio segments with an
associated selector. On playback, the selector value is resolved to
a particular set element. Selector types are supported by the
syntax, but individual selector types are not defined in the syntax
except for the pre-defined language selector; they are instead
defined by the user (i.e. provisioner). A user could define one or
more of the following selector types: language, accent, audio file
format, gender, accent, customer, or day of the week. For each
selector type, the user must define a range of valid values. The
user may also choose to define a default value. At runtime if a
selector value is not supplied the default value is used.
For example, to support an application which plays a particular piece
of audio in either English, French, or Russian, a provisioner would
define a set with the pre-defined selector, "Lang", and would define
three possible values for that selector, "eng", "fra", and "rus".
The provisioner would then provision three recordings of the prompt,
one in each language, and would associate the French recording with
the "fra" selector value, etc. The provisioner also could define a
default value of the selector when no selector value is supplied,
"eng" for instance. The entire set would be assigned a unique
segment id.
Cromwell Informational [Page 3]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
At runtime a reference to the set with the selector set to "rus"
would result in the Russian version of the prompt being played. A
reference to the set with no selector would result in the English
version of the prompt being played since English has been set as the
default selector value.
Nested definition of both sets and sequences is allowed, i.e. it
legal to define a set of sets or a sequence of sequences. In
addition, audio structures may also be specified by intermixing sets
and sequences, and it is possible to specify a set of sequences or a
sequence containing one or more set elements. Direct or transitive
definition of a set or segment in terms of itself is not allowed.
1.1.2. Segment Types
The syntax supports the following segment types:
RECORDING: A reference by unique id to a single piece of recorded
audio.
RECORDINGs may be provisioned or they may be made during the
course of a call. A RECORDING made during the course of a call
can be temporary or persistent. A temporary RECORDING lasts only
for the life of the call during which it was recorded. A
persistent RECORDING lasts beyond the live of the call during
which it was recorded.
A provisioned RECORDING may be replaced (or overridden) by a
persistent RECORDING. A reference to the id of the provisioned
RECORDING will then resolve to the persistent RECORDING. The
overriding persistent audio can subsequently be deleted and the
original provisioned audio can be restored.
A provisioned RECORDING may be overridden more than once. In this
case, the id of the provisioned RECORDING refers to the latest
overriding RECORDING. When the overriding RECORDING is deleted,
the original provisioned RECORDING is restored, even if the
segment has been overridden multiple times.
TEXT: A reference to a block of text to be converted to speech or
to be displayed on a device. Reference may be by unique id to a
block of provisioned text or by direct specification of text in a
parameter.
SILENCE: A specification of a length of silence to be played in
units of 100 milliseconds.
Cromwell Informational [Page 4]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
TONE: The specification of a tone to be played by algorithmic
generation. Most tones however will probably be recorded, not
generated. Exact specification of this segment type is tbd.
VARIABLE: The specification of a voice variable by the parameters
of type, subtype, and value. Specification of variables is
considered in more detail in a subsequent section of this
document.
SEQUENCE: A reference by unique id to a provisioned sequence of
mixed RECORDING, TEXT, SILENCE, TONE, VARIABLE, SET, or SEQUENCE
segments. Nested definition of SEQUENCE segments is allowed.
Direct or transitive definition of a SEQUENCE segment in terms of
itself is not allowed.
SET: A reference by unique id to a provisioned set of segments.
The intended and recommended use of the SET type is that all
segments in the set should be semantically equivalent, however
there is no real way of enforcing this restriction either in the
protocol or in provisioning. Every set has an associated selector
which is used at runtime to resolve the set reference to a
specific element of the set. The elements of a set may one of the
following segment types: RECORDING, TEXT, TONE, SILENCE,
SEQUENCE, or SET. Specific selector types are not specified by
the protocol and must be defined by the user. Nested definition
of SET segments is allowed. Direct or transitive definition of a
SET segment in terms of itself is not allowed.
2. Advanced Audio Package
Package Name: AU
This package defines events and signals for an ARF package for an
Audio Server Media Gateway.
3. Events
______________________________________________________________________
| Symbol | Definition | R | S Duration |
|______________|________________________|______|______________________|
| pa(parms) | PlayAnnouncement | | TO variable |
| pc(parms) | PlayCollect | | TO variable |
| pr(parms) | PlayRecord | | TO variable |
| es(parm) | EndSignal | | BR |
| oc(parms) | OperationComplete | x | |
| of(parms) | OperationFailed | x | |
|______________|________________________|______|______________________|
Cromwell Informational [Page 5]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
The events provided by the AS Package are defined as follows:
PlayAnnouncement:
Plays an announcement in situations where there is no need for
interaction with the user. Because there is no need to monitor
the incoming media stream this event is an efficient mechanism for
treatments, informational announcements, etc.
PlayCollect:
Plays a prompt and collects DTMF digits entered by a user. If no
digits are entered or an invalid digit pattern is entered, the
user may be reprompted and given another chance to enter a correct
pattern of digits. The following digits are supported: 0-9, *,
#, A, B, C, D. By default PlayCollect does not play an initial
prompt, makes only one attempt to collect digits, and therefore
functions as a simple Collect operation. Various special purpose
keys, key sequences, and key sets can be defined for use during
the PlayCollect operation.
PlayRecord:
Plays a prompt and records user speech. If the user does not
speak, the user may be reprompted and given another chance to
record. By default PlayRecord does not play an initial prompt,
makes only one attempt to record, and therefore functions as a
simple Record operation.
OperationComplete:
Detected upon the successful completion of a Play, PlayRecord, or
Play Collect signal.
OperationFailed:
Detected upon the failure of a Play, PlayRecord, or PlayCollect
signal.
EndSignal:
Gracefully terminates a Play, PlayCollect, or PlayRecord signal.
For each of these signals, if the signal is terminated with the
EndSignal signal the resulting OperationComplete event or
OperationFailed event will contain all the parameters it would
normally, including any collected digits or the recording id of
the recording that was in progress when the EndSignal signal was
received.
Cromwell Informational [Page 6]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
4. Signal Interactions
If an Advanced Audio Package signal is active on an endpoint and
another signal of the same type is applied, the two signals including
parameters and parameter values will compared If the signals are
identical, the signal in progress will be allowed to continue and the
new signal will be discarded. Because of this behavior the Advanced
Audio Package may not interoperate well with some other packages such
as the Line and Trunk packages.
5. Parameters
The PlayAnnouncement, PlayRecord, and PlayCollect events may each be
qualified by a string of parameters, most of which are optional.
Where appropriate, parameters default to reasonable values. The
only event with a required parameter is PlayAnnouncement. If a
Play-Announcement event is not provided with a parameter specifying
some form of playable audio an error is returned to the application.
Cromwell Informational [Page 7]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
These parameters are shown in the following table:
_______________________________________________________________________
| Parameters |
|______________________________________________________________________|
| Symbol | Definition | pl | pc | pr |
|___________|_________________________________|________|________|______|
| an | announcement | x | | |
| ip | initial prompt | | x | x |
| rp | reprompt | | x | x |
| nd | no digits reprompt | | x | |
| ns | no speech reprompt | | | x |
| fa | failure announcement | | x | x |
| sa | success announcement | | x | x |
| ni | non-interruptible play | | x | x |
| it | iterations | x | | |
| iv | interval | x | | |
| du | duration | x | | |
| sp | speed | x | x | x |
| vl | volume | x | x | x |
| cb | clear digit buffer | | x | x |
| mx | maximum # of digits | | x | |
| mn | minimum # of digits | | x | |
| dp | digit pattern | | x | |
| fdt | first digit timer | | x | |
| idt | inter digit timer | | x | |
| edt | extra digit timer | | x | |
| prt | pre-speech timer | | | x |
| pst | post-speech timer | | | x |
| rlt | total recording length timer | | | x |
| rsk | restart key | | x | x |
| rik | reinput key | | x | x |
| rtk | return key | | x | x |
| psk | position key | | x | x |
| stk | stop key | | x | x |
| sik | start input key | | x | |
| eik | end input key | | x | x |
| iek | include end input key | | x | |
| na | number of attempts | | x | x |
|___________|_________________________________|________|________|______|
Parameters to the Advanced Audio Package events are defined as
follows:
Announcement:
An announcement to be played. Consists of one or more audio
segments.
Cromwell Informational [Page 8]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
Initial Prompt:
The initial announcement prompting the user to either enter DTMF
digits or to speak. Consists of one or more audio segments. If
not specified (the default), the event immediately begins digit
collection or recording.
Reprompt:
Played after the user has made an error such as entering an
invalid digit pattern or not speaking. Consists of one or more
audio segments. Defaults to the Initial Prompt.
No Digits Reprompt:
Played after the user has failed to enter a valid digit pattern
during a PlayCollect event. Consists of one or more audio
segments. Defaults to the Reprompt.
No Speech Reprompt:
Played after the user has failed to speak during a PlayRecord
event. Consists of one or more audio segments. Defaults to the
Reprompt.
Failure Announcement:
Played when all data entry attempts have failed. Consists of one
or more audio segments. No default.
Success Announcement:
Played when data collection has succeeded. Consists of one or
more audio segments. No default.
Non-Interruptible Play:
If set to true, initial prompt is not interruptible by either
voice or digits. Defaults to false. Valid values are the text
strings "true" and "false".
Iterations:
The maximum number of times an announcement is to be played. A
value of minus one (-1) indicates the announcement is to be
repeated forever. Defaults to one (1).
Cromwell Informational [Page 9]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
Interval:
The interval of silence to be inserted between iterative plays.
Specified in units of 100 milliseconds. Defaults to 10 (1
second).
Duration:
The maximum amount of time to play and possibly replay an
announcement. Takes precedence over iteration and interval.
Specified in units of 100 milliseconds. No default.
Speed:
The relative playback speed of announcement specifiable as a
positive or negative percentage of the original playback speed.
Volume:
The relative playback volume of announcement specifiable as a
positive or negative decibel variation from the original play-back
volume.
Clear Digit Buffer:
If set to true, clears the digit buffer before playing the initial
prompt. Defaults to false. Valid values are the text strings
"true" and "false".
Maximum # Of Digits:
The maximum number of digits to collect. Defaults to one. This
parameter should not be specified if the Digit Pattern parameter
is present.
Minimum # Of Digits:
The minimum number of digits to collect. Defaults to one. This
parameter should not be specified if the Digit Pattern parameter
is present.
Digit Pattern:
A legal digit map as described in section 7.1.14 of the Megaco
protocol [6] using the DTMF mappings associated with the Megaco
DTMF Detection Package described in the Megaco protocol document
Cromwell Informational [Page 10]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
[6]. This parameter should not be specified if one or both of the
Minimum # Of Digits parameter and the Maximum Number Of Digits
parameter is present.
First Digit Timer:
The amount of time allowed for the user to enter the first digit.
Specified in units of 100 milliseconds. 50 (5 seconds).
Inter Digit Timer:
The amount of time allowed for the user to enter each subsequent
digit. Specified units of 100 milliseconds seconds. Defaults to
30 (3 seconds).
Extra Digit Timer:
The amount of time to wait for a user to enter a final digit once
the maximum expected amount of digits have been entered.
Typically this timer is used to wait for a terminating key in
applications where a specific key has been defined to terminate
input. Specified in units of 100 milliseconds. If not specified,
this timer is not activated.
Pre-speech Timer:
The amount of time to wait for the user to initially speak.
Specified in units of 100 milliseconds. Defaults to 30 (3
seconds).
Post-speech Timer:
The amount of silence necessary after the end of the last speech
segment for the recording to be considered complete. Specified in
units of 100 milliseconds. Defaults to 20 (2 seconds).
Recording Length Timer:
The maximum allowable length of the recording, not including pre
or post speech silence. Specified in units of 100 milliseconds.
This parameter is mandatory.
Restart Key:
Defines a key sequence consisting of a command key optionally
followed by zero or more keys. This key sequence has the
following action: discard any digits collected or recording in
progress, replay the prompt, and resume digit collection or
Cromwell Informational [Page 11]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
recording. No default. An application that defines more than one
command key sequence, will typically use the same command key for
all command key sequences. If more than one command key sequence
is defined, then all key sequences must consist of a command key
plus at least one other key.
Reinput Key:
Defines a key sequence consisting of a command key optionally
followed by zero or more keys. This key sequence has the
following action: discard any digits collected or recordings in
progress and resume digit collection or recording. No default. An
application that defines more than one command key sequence, will
typically use the same command key for all command key sequences.
If more than one command key sequence is defined, then all key
sequences must consist of a command key plus at least one other
key.
Return Key:
Defines a key sequence consisting of a command key optionally
followed by zero or more keys. This key sequence has the
following action: terminate the current event and any queued
event and return the terminating key sequence to the call
processing agent. No default. An application that defines more
than one command key sequence, will typically use the same command
key for all command key sequences. If more than one command key
sequence is defined, then all key sequences must consist of a
command key plus at least one other key.
Position Key:
Defines a key with the following action. Stop playing the current
announcement and resume playing at the beginning of the first,
last, previous, next, or the current segment of the announcement.
No default. The actions for the position key are fst, lst, prv,
nxt, and cur.
Stop Key:
Defines a key with the following action. Terminate playback of
the announcement. No default.
Start Input Keys:
Defines a set of keys that are acceptable as the first digit
collected. This set of keys can be specified to interrupt a
playing announcement or to not interrupt a playing announcement.
Cromwell Informational [Page 12]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
The default key set is 0-9. The default behavior is to interrupt a
playing announcement when a Start Input Key is pressed. This
behavior can be overidden for the initial prompt only by using the
ni (Non-Interruptible Play) parameter. Specification is a list of
keys with no separators, e.g. 123456789#.
End Input Key:
Specifies a key that signals the end of digit collection or voice
recording. The default end input key is the # key. To specify that
no End Input Key be used the parameter is set to the string
"null". The default behavior not to return the End Input Key in
the digits returned to the call agent. This behavior can be
overidden by the Include End Input Key (eik) parameter.
Include End Input Key:
By default the End Input Key is not included in the collected
digits returned to the call agent. If this parameter is set to
"true" then the End Input Key will be returned with the collected
digits returned to the call agent. Default is "false".
Number Of Attempts:
The number of attempts the user needed to enter a valid digit
pattern or to make a recording. Defaults to 1. Also used as a
return parameter to indicate the number of attempts the user made.
Record Persistent Audio:
If set to true, the recording that is made is persistent instead
of temporary. Defaults to false. Valid values are the text
strings "true" and "false".
Delete Persistent Audio
Indicates that the specified persistent audio segment is to be
deleted. This parameter is carried by the PlayRecord event,
although nothing is either played or recorded in this case.
Override Audio:
Indicates that the specified provisioned audio segment is to be
overridden with a persistent audio segment to be recorded in the
PlayRecord operation that carries this parameter.
Cromwell Informational [Page 13]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
Restore Audio:
Indicates that the provisioned audio segment originally associated
with the specified segment id is to be restored and that the
overriding persistent audio is to be deleted. This parameter is
carried by the PlayRecord event, although nothing is either played
or recorded in this case.
6. Return Parameters
Each event has an associated set of possible return parameters which
are listed in the following tables.
________________________________________________________________________
| Return Parameters |
|_______________________________________________________________________|
| Symbol | Definition | pl | pc | pr |
|___________|________________________________|________|_________|_______|
| vi | voice interrupt | | | x |
| ik | interrupting key sequence | | x | |
| ap | amount played | | x | x |
| na | number of attempts | | x | x |
| dc | digits collected | | x | |
| ri | recording id | | | x |
| rc | return code | x | x | x |
|___________|________________________________|________|_________|_______|
Voice Interrupted:
Set to "true" if the initial prompt of a PlayRecord operation was
interrupted by voice. Defaults to "false".
Interrupting Key Sequence:
The key or key sequence that interrupted the initial prompt of a
PlayCollect specified using the digit map characters "0" through
"9" and "A" through "F" as defined in the DTMF Detection Package
in the Megaco protocol document [6].
Amount Played:
The length played of an initial prompt if the prompt was
interrupted, in 100 ms units.
Cromwell Informational [Page 14]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
Number Of Attempts:
The number of attempts the user needed to enter a valid digit
pattern or to make a recording. Defaults to 1. Also used as an
input parameter to specify the number of attempts the user will be
allowed to enter a valid digit pattern or make a recording.
Digits Collected:
The DTMF digits that were collected during a PlayCollect operation
specified using the digit map characters "0" through "9" and "A"
through "F" as defined in the DTMF Detection Package in the Megaco
protocol document [6].
Recording ID:
A 32 bit binary integer assigned to audio recorded during the Play
Record operation.
Return Code:
A return code giving the final status of the operation. Two
ranges are defined:
_________________________________
| Range | Meaning |
|________|_______________________|
|100-199 | successful completion |
|300-399 | error |
|________|_______________________|
Cromwell Informational [Page 15]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
The following return codes are define:
________________________________________________________________________
|Return Code | Meaning |
|____________|__________________________________________________________|
| 100 | Success |
| 300 | Unspecified failure |
| 301 | Bad audio ID |
| 302 | Bad selector type |
| 303 | Bad selector value |
| 304 | Variable type not supported |
| 305 | Variable subtype not supported |
| 306 | Invalid variable name |
| 307 | Variable value out of range |
| 308 | Inconsistent variable specification |
| 309 | Alias not found |
| 310 | Extra sequence data |
| 311 | Missing sequence data |
| 312 | Mismatch between play specification and provisioned data |
| 313 | Language not set |
| 314 | Remove override error |
| 315 | Override error |
| 316 | Delete audio error |
| 317 | Unable to record temporary audio |
| 318 | Unable to delete temporary audio |
| 319 | Unable to record persistent audio |
| 320 | Unable to delete persistent audio |
| 321 | Unable to override non-existent segment id |
| 322 | Unable to remove override from non-existent segment id |
| 323 | Provisioning error |
| 324 | Unspecified hardware failure |
| 325 | Syntax error |
| 326 | No digits |
| 327 | No speech |
| 328 | Spoke too long |
| 329 | Digit pattern not matched |
| 330 | Max attempts exceeded |
|____________|__________________________________________________________|
Here are some examples of how the return parameters are used:
The PlayAnnouncement event completed successfully:
O: AU/oc(rc=100)
The PlayAnnouncement event failed because an alias was not found:
O: AU/of(rc=309)
Cromwell Informational [Page 16]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
The PlayCollect event completed successfully on the user's second
attempt when the user entered the digits 04375182:
O: AU/oc(rc=100 na=2 dc=04375182)
The PlayRecord event was successful on the user's first attempt; the
id of the recording made by the user is 983:
O: AU/oc(rc=100 na=1 ri=983)
7. Segment Descriptors
Segment descriptors are used with the an, ip, rp, nd, ns, fa, and sa
parameters to define the segments that make up an announcement.
________________________________________________________________________
| Segment Descriptors |
|_______________________________________________________________________|
| Symbol | Definition |
|____________________________________|__________________________________|
| 32 bit binary number | segment identifier |
| ts | text to speech |
| dt | display text |
| si | silence |
| to | tone |
| vb | variable |
|____________________________________|__________________________________|
Segment Identifier:
A 32 bit binary integer identifying a provisioned entity such as a
recording, set, sequence, etc.
Text To Speech:
Specifies a text string to be converted to speech.
Display Text:
Specifies a text string to be displayed on a device.
Silence:
Specifies a length of silence to be played in units of 100
milliseconds.
Cromwell Informational [Page 17]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
Tone:
Specifies a tone to be played by algorithmic generation. Exact
specification of this parameter is tbd. Most tones will likely be
recorded, not generated.
Variable:
Specifies a voice variable by type, subtype, and value. Variables
are more completely defined in a subsequent section of the
document.
8. Variables
The syntax supports two kinds of variables. Embedded embedded
variables are variables that have been provisioned as part of a
segment. Standalone variables are completely specified in the
protocol message.
Typically embedded variables are provisioned along with recorded
speech, e.g. "A representative will be with you in approximately 5
minutes. If you would prefer to leave a voice message, press 1 now".
where the variable is the number of minutes. This kind of variable is
often referred to as an embedded variable.
Variables are specified by the following parameters: type, subtype,
and value. Variable types include Date, Money, Number, Time, etc.
Subtype is a refinement of type. For example the variable type Money
might have an associated range of subtypes such as Dollar, Rupee,
Dinar, etc. Not all variables require a subtype, and for these
variables the subtype parameter should be set to null.
For embedded variables, the type and subtype must be provisioned.
The value may be provisioned. If it is not provisioned it must be
specified as part of the variable reference. In a list of segments,
an embedded variable value specification applies only to the segment
that directly precedes it. If a segment has multiple embedded
variables, the values must be given in the order in which the
variables are encountered when the segment is played.
Some examples follow below:
A standalone variable:
S: pa(an=vb(mny,usd,1153))
Cromwell Informational [Page 18]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
An embedded variable:
S: pa(an=37<1153>)
Not all variables, such as the date variable shown in the next
example, require a subtype. In that case, the subtype is encoded
with the value "null":
S: pa(an=vb(dat,null,101598))
In some cases it may be desirable to play an announcement that
contains an embedded variable without playing the variable itself.
To do this a single "null" is provided for the value:
S: pa(an=37<null>)
________________________________________________________________________
| Variables Qualifiers |
|_______________________________________________________________________|
| Symbol | Definition | Type | Subtype | Subtype Of |
|_________|__________________________|________|___________|_____________|
| dat | date | x | | |
| dig | digits | x | | |
| gen | generic | | x | dig |
| ndn | North American DN | | x | dig |
| dur | duration | x | | |
| mth | month | x | | |
| mny | money | x | | |
| num | number | x | | |
| crd | cardinal | | x | nm |
| ord | ordinal | | x | nm |
| sil | silence | x | | |
| str | string | x | | |
| txt | text | x | | |
| dsp | display text | | x | txt |
| spk | text to speech | | x | txt |
| tme | time | x | | |
| t12 | twelve hour format | | x | tme |
| t24 | twenty four hour format | | x | tme |
| ton | tone | x | | |
| wkd | weekday | x | | |
|_________|__________________________|________|___________|_____________|
Date:
Speaks a date specified as YYYYMMDD (per ISO 8601, International
Date and Time Notation [7]). For example "19981015" is spoken as
"October fifteenth nineteen ninety eight".
Cromwell Informational [Page 19]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
Digits:
Speaks a string of digits one at a time. If the subtype is North
American DN, the format of which is NPA-NXX-XXXX, the digits are
spoken with appropriate pauses between the NPA and NXX and between
the NXX and XXXX. If the subtype is generic, the digits are
spoken no pauses.
Duration:
Duration is specified in seconds and is spoken in one or more
units of time as appropriate, e.g. "3661" is spoken as "One hour,
one minute, and one second".
Money:
Money is specified in the smallest units of a given currency and
is spoken in one or more units of currency as appropriate, e.g.
"110" in U.S. Dollars would be spoken "one dollar and ten cents".
The three letter codes defined in ISO 4217, Currency And Funds
Code List [5] are used to specify the currency subtype. A small
excerpt from ISO 4217 follows:
__________________________________________________________
|Alpha-code | Numeric-code | Currency | Entity |
|___________|______________|__________|___________________|
|GQE | 226 | Ekwele | Equatorial Guinea |
|GRD | 300 | Drachma | Greece |
|GTQ | 320 | Quetzal | Guatemala |
|___________|______________|__________|___________________|
Money can be specified in negative or positive units of currency.
In the above example "-110" would be spoken as "minus one dollar
and ten cents".
Month:
Speaks the specified month, e.g. "10" is spoken as "October".
Specification is in MM format with "01" denoting January, "02"
denoting February, etc.
Number:
Speaks a number in cardinal form or in ordinal form. For example,
"100" is spoken as "one hundred" in cardinal form and "one
hundredth" in ordinal form. Cardinal numbers can be specified as
negative or positive.
Cromwell Informational [Page 20]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
Silence:
Plays a specified period of silence. Specification is in 100
millisecond units.
String:
Speaks each character of a string, e.g. "a34bc" is spoken "A,
three, four, b, c". Valid characters are a-z, A-Z, 0-9, #, and *.
Text:
Produces the specified text as speech or displays it on a device.
Time:
Speaks a time in either twelve hour format or twenty four hour
format depending on the specified subtype. For example "1700" is
spoken as "Five pm" in twelve hour format or as "Seventeen hundred
hours" in twenty four hour format. Specification is in HHMM
format per ISO 8601, International Data and Time Notation [7].
Tone:
Plays an algorithmically generated tone, specification of which is
tbd. Probably most applications will use prerecorded tones.
Weekday:
Speaks the day of the week, e.g. "Monday". Weekdays are specified
as single digits, with "1" denoting Sunday, "2" denoting Monday,
etc.
9. Selectors
Selector types, except for the pre-defined "Lang" (language)
selector, are definable by the user and may be applied to an
individual segment within an operation or to all the segments in an
operation. For each selector type, the user must also define a range
of values that the selector can assume.
For example, if the user defines a selector of type "phase-of-the-
moon", he might also define the legal values for that selector to be
"new", "half", "full", "harvest", and "blue". For the selector to
actually work at runtime, audio associated with each of the selector
values must be provisioned.
Cromwell Informational [Page 21]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
Although not required, it is suggested that the three letter codes
defined in ISO standard 639-2, Code For The Representation Of Names
Of Languages [4] be used as values for user defined language
selectors. A small excerpt from ISO 639-2 follows:
_________________
|Code | Language |
|_____|__________|
|cze | Czech |
|cym | Welsh |
|dan | Danish |
|_____|__________|
Selectors can apply to entire operations or to a segment within an
operation. If an operation contains multiple segments, each segment
may have its own set of selectors. If selectors for an individual
segment and selectors for the entire operation are present, the
selector for the individual segment takes precedence for that
segment. The selectors for the operation apply to all segments
within that operation that do not have individual segment selectors.
If a selector set is not specified, provisioned defaults are used.
Selectors are applied to variables only after the variable has been
resolved. For instance if a date variable resolved to "October 15th,
1998" the voice with which the variable is spoken could resolve to
either male or female if a gender selector had been defined.
10. Aliases
Aliasing of audio segments is supported. The alias to segment id
mapping is provisioned and at runtime the alias is resolved to its
associated segment id. The syntax for an alias is inclusion of the
alias between two forward slashes, e.g.:
S: pa(an=/not-in-service/)
11. Examples
This section presents a number of examples of how the syntax is used.
Note that arguments to an event are separated by a one or more
whitespace characters, which can be either an ASCII space character
or an ASCII tabulation character.
Play an announcement that consists of a single segment:
S: pa(an=39)
Cromwell Informational [Page 22]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
Play an announcement that consists of multiple segments:
S: pa(an=39,40,47)
Play an announcement that consists of a recording followed by silence
followed by text to speech followed by a standalone voice variable:
S: pa(an=39 si(30) ts(hello) vb(my,usd,3999))
Play an announcement with an embedded variable. If the first three
segments of the previous announcement were provisioned as segment 40,
the following would be exactly equivalent to the play in the
preceding example:
S: pa(an=40<3999>)
Play an announcement with two embedded variables:
S: pa(an=113<3999,10151998>)
Play a prompt and collect a single digit. If need be, play a
reprompt, a no digits prompt, and a success or failure announcement.
Give the user three attempts to enter a digit:
S: pc(ip=21 rp=109 nd=102 fa=81 sa=72 na=3)
Play a prompt and collect a single digit. If the user does not enter
a digit replay the initial prompt. Give the user three attempts to
enter a digit:
S: pc(ip=21 na=3)
Play a prompt and record voice. If the user does not speak play a no
speech prompt. Give the user two attempts to record:
S: pr(ip=22 ns=42 na=2)
Play an announcement at ninety percent of its original speed and five
decibels softer than its original volume. Play the announcement
three times with two seconds of silence between plays.
S: pa(an=27 sp=90 vl=-5 it=3 iv=20)
Give the user two attempts to enter a three digit pattern. Clear the
digit buffer before playing the prompt. The user can signal end of
input using the # key, which is not returned to the call agent with
the collected digits.
Cromwell Informational [Page 23]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
S: pc(ip=43 cb=true mn=3 mx=3 na=2)
Give the user three attempts to enter a three digit pattern. If the
user enters one digits or two digits on the first or second attempts
a reprompt is played. If the user enters no digits on the first or
second attempts a no digits reprompt is played. If all three
attempts fail, a failure announcement is played. If one of the
attempts is successful, a success announcement is played and the
collected digits are returned to the call agent. The user can signal
end of input using the # key. If the # key terminates a successful
input attempt, the collected digits, but not the # key, are returned
to the call agent.
S: pc(ip=87 rp=5 nd=409 fa=9 sa=18 mx=3 na=3)
Give the user a single attempt to enter a a 1 to 4 digit pattern,
allow 8 seconds for the user to enter the first digit, and allow 6
seconds for the user to enter each subsequent digit. If the
subsequent digit timer expires after the user has less than four
digits, the digits collected are returned to the call agent. The
user can signal end of input using the # key which is not returned to
the call agent with the collected digits.
S: pc(ip=4 fdt=80 idt=60 mx=4)
Give the user three chances to enter an 11 digit number that begins
with 0 or 1. If the user makes a mistake while entering digits, he
can press the * key to discard any digits already collected, replay
the prompt, and resume collection.
S: pc(ip=33 mn=11 mx=11 sik=01 rsk=* na=3)
Give the user three chances to enter an 11 digit number that begins
with 0 or 1. If the user makes a mistake while entering digits, he
can press the key sequence *11 to discard any digits already
collected, replay the prompt, and resume collection. If the user
enters the key sequence *12 the play collect is terminated along with
any queued events, and the terminating key sequence is returned to
the call agent for processing.
S: pc(ip=33 mn=11 mx=11 sik=01 rsk=*11 rtk=*12 na=3)
Give the user two chances to make a recording. After playing the
prompt, wait 5 seconds for the user to speak, otherwise replay the
initial prompt and try again. If the user does speak, wait for seven
seconds after speech stops to make sure the user is finished. If the
recording is successful, return a reference to the recording to the
call agent.
Cromwell Informational [Page 24]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
S: pr(ip=6 prt=50 pst=70 na=2)
Play an announcement in the default language:
S: pa(an=5)
Play the same announcement the English. In the first example, the
selector applies to the an segment; in the second it applies to the
pa operation. For these particular examples, the net effect is the
same.
S: pa(an=5[Lang=eng]) or S: pa(an=5)[Lang=eng]
Play an announcement in Danish using a female voice with a Cajun
accent.
S: pa(an=6)[Lang=dan,gender=female,accent=cajun]
Play the first part of an announcement in English, the second part in
the default language, and the third part in French.
S: pa(an=5[Lang=eng],6,7[Language=fra])
Play an announcement with an embedded variable in English:
S: pa(an=5<101599>)[Lang=eng]
12. Formal Syntax Description
AudPkgEvent = PlayAnnouncement / PlayCollect / PlayRecord /
OperationComplete / OperationFailed / EndSignal
PlayAnnouncement = [ AdvAudioPkgToken SLASH ] PlayAnnToken
LPAREN PlayAnnParmList RPAREN [ OpSelectorList ]
PlayCollect = [ AdvAudioPkgToken SLASH ] PlayColToken
LPAREN [ PlayColParmList ] RPAREN [ OpSelectorList ]
PlayRecord = [ AdvAudioPkgToken SLASH ] PlayRecToken
LPAREN [ PlayRecParmList ] RPAREN [ OpSelectorList ]
OperationComplete = [ AdvAudioPkgToken SLASH ] OpCompleteToken
LPAREN OpCompleteParmList RPAREN
OperationFailed = [ AdvAudioPkgToken SLASH ] OpFailedToken
LPAREN ReturnCodeParm RPAREN
Cromwell Informational [Page 25]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
EndSignal = [ AdvAudioPkgToken SLASH ] EndSignalToken
LPAREN SignalParm RPAREN
OpSelectorList = LSQUARE OpSelector *( COMMA OpSelector ) RSQUARE
OpSelector = NAME EQUALS NAME
PlayAnnParmList = PlayAnnParm *( WSP PlayAnnParm )
PlayColParmList = PlayColParm *( WSP PlayColParm )
PlayRecParmList = PlayRecParm *( WSP PlayRecParm )
OpCompleteParmList = OpCompleteParm *( WSP OpCompleteParm )
PlayAnnParm = ( AnnouncementParm / IterationsParm / IntervalParm /
DurationParm / SpeedParm / VolumeParm )
PlayColParm = ( InitPromptParm / RepromptParm / NoDigitsParm /
FailAnnParm / SuccessAnnParm / NoInterruptParm /
SpeedParm / VolumeParm / ClearBufferParm /
MaxDigitsParm / MinDigitsParm / DigitPatternParm /
FirstDigitParm / InterDigitParm / ExtraDigitParm /
RestartKeyParm / ReinputKeyParm / ReturnKeyParm /
PosKeyParm / StopKeyParm / StartInputKeyParm /
EndInputKeyParm / IncludeEndInputKey /
NumAttemptsParm )
PlayRecParm = ( InitPromptParm / RepromptParm / NoSpeechParm /
FailAnnParm / SuccessAnnParm / NoInterruptParm /
SpeedParm / VolumeParm / ClearBufferParm /
PreSpeechParm / PostSpeechParm / RecordLenParm /
RestartKeyParm / ReinputKeyParm / ReturnKeyParm /
PosKeyParm / StopKeyParm / EndInputKeyParm /
RecPersistParm / OverrideAudioParm /
RestoreAudioParm / DeletePersistParm /
NumAttemptsParm )
OpCompleteParm = ( VoiceInterruptParm / IntKeySeqParm /
NumAttemptsParm / AmtPlayedParm / DigitsColParm /
RecordingIdParm / ReturnCodeParm )
AnnouncementParm = AnParmToken EQUALS Segmentlist
InitPromptParm = IpParmToken EQUALS Segmentlist
RepromptParm = RpParmToken EQUALS Segmentlist
Cromwell Informational [Page 26]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
NoDigitsParm = NdParmToken EQUALS Segmentlist
NoSpeechParm = NsParmToken EQUALS Segmentlist
FailAnnParm = FaParmToken EQUALS Segmentlist
SuccessAnnParm = SaParmToken EQUALS Segmentlist
DurationParm = DuParmToken EQUALS NUMBER
IterationsParm = ItParmToken EQUALS ( NUMBER / "-1" )
IntervalParm = IvParmToken EQUALS NUMBER
SpeedParm = SpParmToken EQUALS SIGNEDINT
VolumeParm = VlParmToken EQUALS SIGNEDINT
NoInterruptParm = NiParmToken EQUALS BOOLSTR
ClearBufferParm = CbParmToken EQUALS BOOLSTR
MaxDigitsParm = MxParmToken EQUALS NUMBER
MinDigitsParm = MnParmToken EQUALS NUMBER
DigitPatternParm = DpParmToken EQUALS DIGITPATTERN
FirstDigitParm = FdtParmToken EQUALS NUMBER
InterDigitParm = IdtParmToken EQUALS NUMBER
ExtraDigitParm = EdtParmToken EQUALS NUMBER
PreSpeechParm = PrtParmToken EQUALS NUMBER
PostSpeechParm = PstParmToken EQUALS NUMBER
RecordLenParm = RltParmToken EQUALS NUMBER
RestartKeyParm = RskParmToken EQUALS CommandKeySequence
ReinputKeyParm = RikParmToken EQUALS CommandKeySequence
ReturnKeyParm = RtkParmToken EQUALS CommandKeySequence
PosKeyParm = PskParmToken EQUALS KeyPadKey COMMA PosKeyAction
Cromwell Informational [Page 27]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
PosKeyAction = FirstSegmentToken / LastSegmentToken /
PreviousSegmentToken / NextSegmentToken /
CurrentSegmentToken
StopKeyParm = StkParmToken EQUALS KeyPadKey
StartInputKeyParm = SikParmToken EQUALS KeySet
EndInputKeyParm = EikParmToken EQUALS KeyPadKey
IncludeEndinputKey = IekParmToken EQUALS BOOLSTR
RecPersistParm = RpaParmToken EQUALS BOOLSTR
OverrideAudioParm = OaParmToken EQUALS SEGID
RestoreAudioParm = RaParmToken EQUALS SEGID
DeletePersistParm = DpaParmToken EQUALS SEGID
NumAttemptsParm = NaParmToken EQUALS NUMBER
VoiceInterruptParm = ViParmToken EQUALS BOOLSTR
IntKeySeqParm = IkParmToken EQUALS CommandKeySequence
AmtPlayedParm = ApParmToken EQUALS NUMBER
DigitsColParm = DcParmToken EQUALS KeySequence
RecordingIdParm = RiParmToken EQUALS NUMBER
ReturnCodeParm = RcParmToken EQUALS 3*3(DIGIT)
KeyPadKey = "1" / "2" / "3" / "4" / "5" / "6" / "7" / "8" / "9" /
"*" / "#"
CommandKeySequence = 1*3(KeyPadKey)
KeySequence = 1*64(KeyPadKey)
KeySet = 1*11(KeyPadKey)
SignalParm = SgParmToken EQUALS ( PlayAnnToken / PlayColToken /
PlayRecToken ) RPAREN
Segmentlist = SegmentDescriptor *( COMMA SegmentDescriptor )
Cromwell Informational [Page 28]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
SegmentDescriptor = ( ( SegmentId [ EmbedVarList ]
[ SegSelectorList ] ) /
( TextToSpeechSeg [ SegSelectorList ] ) /
( DisplayTextSeg [ SegSelectorList ] ) /
( VariableSeg [ SegSelectorList ] ) /
SilenceSeg )
SegmentId = ( Segid / Alias )
TextToSpeechSeg = TextToSpeechSegToken LPAREN NAME RPAREN
DisplayTextSeg = DisplayTextSegToken LPAREN NAME RPAREN
SilenceSeg = SilenceSegToken LPAREN NAME RPAREN
VariableSeg = VariableSegToken LPAREN FullSpecVar RPAREN
Segid = NUMBER
Alias = SLASH NAME SLASH
EmbedVarList = LANGLE NAME *( COMMA NAME ) RANGLE
SegSelectorList = LSQUARE SegSelector *( COMMA SegSelector ) RSQUARE
SegSelector = NAME EQUALS NAME
FullSpecVar = ( DateVariable / DigitsVariable / DurationVariable /
MonthVariable / MoneyVariable / NumberVariable /
SilenceVariable / StringVariable / TextVariable /
TimeVariable / WeekdayVariable )
DateVariable = DateVarToken COMMA NullStrToken COMMA Date
Date = 8*8(DIGIT)
DigitsVariable = DigitsVarToken COMMA (NorthAmericanDnToken /
GenericDigitsToken) COMMA NUMBER
DurationVariable = DurationVarToken COMMA NullStrToken COMMA NUMBER
MoneyVariable = MoneyVarToken COMMA 3*3(ALPHA) COMMA OPTSIGNEDINT
MonthVariable = MonthVarToken COMMA NullStrToken COMMA Month
Month = "01" / "02" / "03" / "04" / "05" / "06" / "07" / "08" / "09" /
"10" / "11" / "12"
Cromwell Informational [Page 29]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
NumberVariable = (NumberVarToken COMMA CardinalNumberToken COMMA
OPTSIGNEDINT) / (NumberVarToken COMMA
OrdinalNumberToken COMMA NUMBER)
SilenceVariable = SilenceVarToken COMMA NullStrToken COMMA NUMBER
StringVariable = StringVarToken COMMA NullStrToken COMMA *(KeyPadKey)
OrdinalNumberToken) COMMA NUMBER
SilenceVariable = SilenceVarToken COMMA NullStrToken COMMA NUMBER
StringVariable = StringVarToken COMMA NullStrToken COMMA
*(KeyPadKey)
TextVariable = TextVarToken COMMA (DisplayTextToken /
TextToSpeechToken) COMMA NAME
TimeVariable = TimeVarToken COMMA (TwelveHourFormatToken /
TwentyFourHourFormatToken) COMMA 4*4(DIGIT)
WeekdayVariable = WeekdayVarToken COMMA NullStrToken COMMA NAME
AdvAudioPkgToken = "A"
PlayAnnToken = "pa"
PlayColToken = "pc"
PlayRecToken = "pr"
OpCompleteToken = "oc"
OpFailedToken = "of"
EndSignalToken = "es"
TextToSpeechSegToken = "ts"
DisplayTextSegToken = "dt"
SilenceSegToken = "si"
VariableSegToken = "vb"
AnParmToken = "an"
IpParmToken = "ip"
RpParmToken = "rp"
NdParmToken = "nd"
NsParmToken = "ns"
FaParmToken = "fa"
SaParmToken = "sa"
NiParmToken = "ni"
ItParmToken = "it"
IvParmToken = "iv"
DuParmToken = "du"
SpParmToken = "sp"
VlParmToken = "vl"
CbParmToken = "cb"
MxParmToken = "mx"
Cromwell Informational [Page 30]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
MnParmToken = "mn"
DpParmToken = "dp"
FdtParmToken = "fdt"
IdtParmToken = "idt"
EdtParmToken = "edt"
PrtParmToken = "prt"
PstParmToken = "pst"
RltParmToken = "rlt"
RskParmToken = "rsk"
RikParmToken = "rik"
RtkParmToken = "rtk"
PskParmToken = "psk"
StkParmToken = "stk"
SikParmToken = "sik"
EikParmToken = "eik"
IekParmToken = "iek"
RpaParmToken = "rpa"
DpaParmToken = "dpa"
OaParmToken = "oa"
RaParmToken = "ra"
NaParmToken = "na"
RidParmToken = "rid"
ViParmToken = "vi"
IkParmToken = "ik"
ApParmToken = "ap"
DcParmToken = "dc"
RiParmToken = "ri"
RcParmToken = "rc"
SgParmToken = "sg"
DateVarToken = "dat"
DigitsVarToken = "dig"
DuratioNVarToken = "dur"
MoneyVarToken = "mny"
MonthVarToken = "mth"
NumberVarToken = "num"
SilenceVarToken = "sil"
StringVarToken = "str"
TextVarToken = "txt"
TimeVarToken = "tme"
WeekdayVarToken = "wkd"
GenericDigitsToken = "gen"
NorthAmericanDnSToken = "ndn"
CardinalNumberToken = "crd"
OrdinalNumberToken = "ord"
DisplayTextToken = "dsp"
TextToSpeechToken = "spk"
TwelveHourFormatToken = "t12"
TwentyFourHourFormatToken = "t24"
Cromwell Informational [Page 31]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
NullStrToken = "null"
FirstSegmentToken = "fst"
LastSegmentToken = "lst"
PreviousSegmentToken = "prv"
NextSegmentToken = "nxt"
CurrentSegmentToken = "cur"
BOOLSTR = "true" / "false"
NAMECHAR = ALPHA / DIGIT / "_" / "-"
NAME = 1*64(NAMECHAR)
NUMBER = DIGIT *31(DIGIT)
SIGNEDINT = ("+" / "-") DIGIT *31(DIGIT)
OPTSIGNEDINT = ["+" / "-"] DIGIT *31(DIGIT)
EQUALS = "="
COMMA = ","
LSQUARE = "["
RSQUARE = "]"
LANGLE = "<"
RANGLE = ">"
LPAREN = "("
RPAREN = ")"
SLASH = "/"
WSP = SP / HTAB
13. References
[1] Bradner, S., "Key words for use in RFCs to Indicate Requirement
Levels", BCP 14, RFC 2119, March 1997.
[2] Arango, M., Dugan, A., Elliott, I., Huitema, C. and S. Pickett,
"Media Gateway Control Protocol (MGCP) Version 0.1", RFC 2705,
October 1999.
[3] Cromwell, D. and M. Durling, "Requirements For Control Of A Media
Services Function", Version 0.0, Work in Progres..
[4] ISO 639-2, "Code For The Representation Of Names Of Languages",
1998.
[5] ISO 4217, "Currency And Funds Code List", 1981.
[6] Cuervo, F., Hill, B., Greene, N., Huitema, C., Rayhan, A., Rosen,
B. and J. Segers, "Megaco Protocol", RFC 2885, August 2000.
[7] ISO 8601, "International Date and Time Notation", 1998.
Cromwell Informational [Page 32]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
14. Author's Address
David Cromwell
Nortel Networks
Box 13478
35 Davis Drive
Research Triangle Park, NC 27709
Phone: 919-991-8870
EMail: cromwell@nortelnetworks.com
Cromwell Informational [Page 33]
^L
RFC 2897 MGCP Advanced Audio Package August 2000
15. Full Copyright Statement
Copyright (C) The Internet Society (2000). All Rights Reserved.
This document and translations of it may be copied and furnished to
others, and derivative works that comment on or otherwise explain it
or assist in its implementation may be prepared, copied, published
and distributed, in whole or in part, without restriction of any
kind, provided that the above copyright notice and this paragraph are
included on all such copies and derivative works. However, this
document itself may not be modified in any way, such as by removing
the copyright notice or references to the Internet Society or other
Internet organizations, except as needed for the purpose of
developing Internet standards in which case the procedures for
copyrights defined in the Internet Standards process must be
followed, or as required to translate it into languages other than
English.
The limited permissions granted above are perpetual and will not be
revoked by the Internet Society or its successors or assigns.
This document and the information contained herein is provided on an
"AS IS" basis and THE INTERNET SOCIETY AND THE INTERNET ENGINEERING
TASK FORCE DISCLAIMS ALL WARRANTIES, EXPRESS OR IMPLIED, INCLUDING
BUT NOT LIMITED TO ANY WARRANTY THAT THE USE OF THE INFORMATION
HEREIN WILL NOT INFRINGE ANY RIGHTS OR ANY IMPLIED WARRANTIES OF
MERCHANTABILITY OR FITNESS FOR A PARTICULAR PURPOSE.
Acknowledgement
Funding for the RFC Editor function is currently provided by the
Internet Society.
Cromwell Informational [Page 34]
^L
|