chenqiyang
2021-08-16 d98a16782ce455ebf4624c6d29e4311598b7eead
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
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
2167
2168
2169
2170
2171
2172
2173
2174
2175
2176
2177
2178
2179
2180
2181
2182
2183
2184
2185
2186
2187
2188
2189
2190
2191
2192
2193
2194
2195
2196
2197
2198
2199
2200
2201
2202
2203
2204
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
2220
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
2237
2238
2239
2240
2241
2242
2243
2244
2245
2246
2247
2248
2249
2250
2251
2252
2253
2254
2255
2256
2257
2258
2259
2260
2261
2262
2263
2264
2265
2266
2267
2268
2269
2270
2271
2272
2273
2274
2275
2276
2277
2278
2279
2280
2281
2282
2283
2284
2285
2286
2287
2288
2289
2290
2291
2292
2293
2294
2295
2296
2297
2298
2299
2300
2301
2302
2303
2304
2305
2306
2307
2308
2309
2310
2311
2312
2313
2314
2315
2316
2317
2318
2319
2320
2321
2322
2323
2324
2325
2326
2327
2328
2329
2330
2331
2332
2333
2334
2335
2336
2337
2338
2339
2340
2341
2342
2343
2344
2345
2346
2347
2348
2349
2350
2351
2352
2353
2354
2355
2356
2357
2358
2359
2360
2361
2362
2363
2364
2365
2366
2367
2368
2369
2370
2371
2372
2373
2374
2375
2376
2377
2378
2379
2380
2381
2382
2383
2384
2385
2386
2387
2388
2389
2390
2391
2392
2393
2394
2395
2396
2397
2398
2399
2400
2401
2402
2403
2404
2405
2406
2407
2408
2409
2410
2411
2412
2413
2414
2415
2416
2417
2418
2419
2420
2421
2422
2423
2424
2425
2426
2427
2428
2429
2430
2431
2432
2433
2434
2435
2436
2437
2438
2439
2440
2441
2442
2443
2444
2445
2446
2447
2448
2449
2450
2451
2452
2453
2454
2455
2456
2457
2458
2459
2460
2461
2462
2463
2464
2465
2466
2467
2468
2469
2470
2471
2472
2473
2474
2475
2476
2477
2478
2479
2480
2481
2482
2483
2484
2485
2486
2487
2488
2489
2490
2491
2492
2493
2494
2495
2496
2497
2498
2499
2500
2501
2502
2503
2504
2505
2506
2507
2508
2509
2510
2511
2512
2513
2514
2515
2516
2517
2518
2519
2520
2521
2522
2523
2524
2525
2526
2527
2528
2529
2530
2531
2532
2533
2534
2535
2536
2537
2538
2539
2540
2541
2542
2543
2544
2545
2546
2547
2548
2549
2550
2551
2552
2553
2554
2555
2556
2557
2558
2559
2560
2561
2562
2563
2564
2565
2566
2567
2568
2569
2570
2571
2572
2573
2574
2575
2576
2577
2578
2579
2580
2581
2582
2583
2584
2585
2586
2587
2588
2589
2590
2591
2592
2593
2594
2595
2596
2597
2598
2599
2600
2601
2602
2603
2604
2605
2606
2607
2608
2609
2610
2611
2612
2613
2614
2615
2616
2617
2618
2619
2620
2621
2622
2623
2624
2625
2626
2627
2628
2629
2630
2631
2632
2633
2634
2635
2636
2637
2638
2639
2640
2641
2642
2643
2644
2645
2646
2647
2648
2649
2650
2651
2652
2653
2654
2655
2656
2657
2658
2659
2660
2661
2662
2663
2664
2665
2666
2667
2668
2669
2670
2671
2672
2673
2674
2675
2676
2677
2678
2679
2680
2681
2682
2683
2684
2685
2686
2687
2688
2689
2690
2691
2692
2693
2694
2695
2696
2697
2698
2699
2700
2701
2702
2703
2704
2705
2706
2707
2708
2709
2710
2711
2712
2713
2714
2715
2716
2717
2718
2719
2720
2721
2722
2723
2724
2725
2726
2727
2728
2729
2730
2731
2732
2733
2734
2735
2736
2737
2738
2739
2740
2741
2742
2743
2744
2745
2746
2747
2748
2749
2750
2751
2752
2753
2754
2755
2756
2757
2758
2759
2760
2761
2762
2763
2764
2765
2766
2767
2768
2769
2770
2771
2772
2773
2774
2775
2776
2777
2778
2779
2780
2781
2782
2783
2784
2785
2786
2787
2788
2789
2790
2791
2792
2793
2794
2795
2796
2797
2798
2799
2800
2801
2802
2803
2804
2805
2806
2807
2808
2809
2810
2811
2812
2813
2814
2815
2816
2817
2818
2819
2820
2821
2822
2823
2824
2825
2826
2827
2828
2829
2830
2831
2832
2833
2834
2835
2836
2837
2838
2839
2840
2841
2842
2843
2844
2845
2846
2847
2848
2849
2850
2851
2852
2853
2854
2855
2856
2857
2858
2859
2860
2861
2862
2863
2864
2865
2866
2867
2868
2869
2870
2871
2872
2873
2874
2875
2876
2877
2878
2879
2880
2881
2882
2883
2884
2885
2886
2887
2888
2889
2890
2891
2892
2893
2894
2895
2896
2897
2898
2899
2900
2901
2902
2903
2904
2905
2906
2907
2908
2909
2910
2911
2912
2913
2914
2915
2916
2917
2918
2919
2920
2921
2922
2923
2924
2925
2926
2927
2928
2929
2930
2931
2932
2933
2934
2935
2936
2937
2938
2939
2940
2941
2942
2943
2944
2945
2946
2947
2948
2949
2950
2951
2952
2953
2954
2955
2956
2957
2958
2959
2960
2961
2962
2963
2964
2965
2966
2967
2968
2969
2970
2971
2972
2973
2974
2975
2976
2977
2978
2979
2980
2981
2982
2983
2984
2985
2986
2987
2988
2989
2990
2991
2992
2993
2994
2995
2996
2997
2998
2999
3000
3001
3002
3003
3004
3005
3006
3007
3008
3009
3010
3011
3012
3013
3014
3015
3016
3017
3018
3019
3020
3021
3022
3023
3024
3025
3026
3027
3028
3029
3030
3031
3032
3033
3034
3035
3036
3037
3038
3039
3040
3041
3042
3043
3044
3045
3046
3047
3048
3049
3050
3051
3052
3053
3054
3055
3056
3057
3058
3059
3060
3061
3062
3063
3064
3065
3066
3067
3068
3069
3070
3071
3072
3073
3074
3075
3076
3077
3078
3079
3080
3081
3082
3083
3084
3085
3086
3087
3088
3089
3090
3091
3092
3093
3094
3095
3096
3097
3098
3099
3100
3101
3102
3103
3104
3105
3106
3107
3108
3109
3110
3111
3112
3113
3114
3115
3116
3117
3118
3119
3120
3121
3122
3123
3124
3125
3126
3127
3128
3129
3130
3131
3132
3133
3134
3135
3136
3137
3138
3139
3140
3141
3142
3143
3144
3145
3146
3147
3148
3149
3150
3151
3152
3153
3154
3155
3156
3157
3158
3159
3160
3161
3162
3163
3164
3165
3166
3167
3168
3169
3170
3171
3172
3173
3174
3175
3176
3177
3178
3179
3180
3181
3182
3183
3184
3185
3186
3187
3188
3189
3190
3191
3192
3193
3194
3195
3196
3197
3198
3199
3200
3201
3202
3203
3204
3205
3206
3207
3208
3209
3210
3211
3212
3213
3214
3215
3216
3217
3218
3219
3220
3221
3222
3223
3224
3225
3226
3227
3228
3229
3230
3231
3232
3233
3234
3235
3236
3237
3238
3239
3240
3241
3242
3243
3244
3245
3246
3247
3248
3249
3250
3251
3252
3253
3254
3255
3256
3257
3258
3259
3260
3261
3262
3263
3264
3265
3266
3267
3268
3269
3270
3271
3272
3273
3274
3275
3276
3277
3278
3279
3280
3281
3282
3283
3284
3285
3286
3287
3288
3289
3290
3291
3292
3293
3294
3295
3296
3297
3298
3299
3300
3301
3302
3303
3304
3305
3306
3307
3308
3309
3310
3311
3312
3313
3314
3315
3316
3317
3318
3319
3320
3321
3322
3323
3324
3325
3326
3327
3328
3329
3330
3331
3332
3333
3334
3335
3336
3337
3338
3339
3340
3341
3342
3343
3344
3345
3346
3347
3348
3349
3350
3351
3352
3353
3354
3355
3356
3357
3358
3359
3360
3361
3362
3363
3364
3365
3366
3367
3368
3369
3370
3371
3372
3373
3374
3375
3376
3377
3378
3379
3380
3381
3382
3383
3384
3385
3386
3387
3388
3389
3390
3391
3392
3393
3394
3395
3396
3397
3398
3399
3400
3401
3402
3403
3404
3405
3406
3407
3408
3409
3410
3411
3412
3413
3414
3415
3416
3417
3418
3419
3420
3421
3422
3423
3424
3425
3426
3427
3428
3429
3430
3431
3432
3433
3434
3435
3436
3437
3438
3439
3440
3441
3442
3443
3444
3445
3446
3447
3448
3449
3450
3451
3452
3453
3454
3455
3456
3457
3458
3459
3460
3461
3462
3463
3464
3465
3466
3467
3468
3469
3470
3471
3472
3473
3474
3475
3476
3477
3478
3479
3480
3481
3482
3483
3484
3485
3486
3487
3488
3489
3490
3491
3492
3493
3494
3495
3496
3497
3498
3499
3500
3501
3502
3503
3504
3505
3506
3507
3508
3509
3510
3511
3512
3513
3514
3515
3516
3517
3518
3519
3520
3521
3522
3523
3524
3525
3526
3527
3528
3529
3530
3531
3532
3533
3534
3535
3536
3537
3538
3539
3540
3541
3542
3543
3544
3545
3546
3547
3548
3549
3550
3551
3552
3553
3554
3555
3556
3557
3558
3559
3560
3561
3562
3563
3564
3565
3566
3567
3568
3569
3570
3571
3572
3573
3574
3575
3576
3577
3578
3579
3580
3581
3582
3583
3584
3585
3586
3587
3588
3589
3590
3591
3592
3593
3594
3595
3596
3597
3598
3599
3600
3601
3602
3603
3604
3605
3606
3607
3608
3609
3610
3611
3612
3613
3614
3615
3616
3617
3618
3619
3620
3621
3622
3623
3624
3625
3626
3627
3628
3629
3630
3631
3632
3633
3634
3635
3636
3637
3638
3639
3640
3641
3642
3643
3644
3645
3646
3647
3648
3649
3650
3651
3652
3653
3654
3655
3656
3657
3658
3659
3660
3661
3662
3663
3664
3665
3666
3667
3668
3669
3670
3671
3672
3673
3674
3675
3676
3677
3678
3679
3680
3681
3682
3683
3684
3685
3686
3687
3688
3689
3690
3691
3692
3693
3694
3695
3696
3697
3698
3699
3700
3701
3702
3703
3704
3705
3706
3707
3708
3709
3710
3711
3712
3713
3714
3715
3716
3717
3718
3719
3720
3721
3722
3723
3724
3725
3726
3727
3728
3729
3730
3731
3732
3733
3734
3735
3736
3737
3738
3739
3740
3741
3742
3743
3744
3745
3746
3747
3748
3749
3750
3751
3752
3753
3754
3755
3756
3757
3758
3759
3760
3761
3762
3763
3764
3765
3766
3767
3768
3769
3770
3771
3772
3773
3774
3775
3776
3777
3778
3779
3780
3781
3782
3783
3784
3785
3786
3787
3788
3789
3790
3791
3792
3793
3794
3795
3796
3797
3798
3799
3800
3801
3802
3803
3804
3805
3806
3807
3808
3809
3810
3811
3812
3813
3814
3815
3816
3817
3818
3819
3820
3821
3822
3823
3824
3825
3826
3827
3828
3829
3830
3831
3832
3833
3834
3835
3836
3837
3838
3839
3840
3841
3842
3843
3844
3845
3846
3847
3848
3849
3850
3851
3852
3853
3854
3855
3856
3857
3858
3859
3860
3861
3862
3863
3864
3865
3866
3867
3868
3869
3870
3871
3872
3873
3874
3875
3876
3877
3878
3879
3880
3881
3882
3883
3884
3885
3886
3887
3888
3889
3890
3891
3892
3893
3894
3895
3896
3897
3898
3899
3900
3901
3902
3903
3904
3905
3906
3907
3908
3909
3910
3911
3912
3913
3914
3915
3916
3917
3918
3919
3920
3921
3922
3923
3924
3925
3926
3927
3928
3929
3930
3931
3932
3933
3934
3935
3936
3937
3938
3939
3940
3941
3942
3943
3944
3945
3946
3947
3948
3949
3950
3951
3952
3953
3954
3955
3956
3957
3958
3959
3960
3961
3962
3963
3964
3965
3966
3967
3968
3969
3970
3971
3972
3973
3974
3975
3976
3977
3978
3979
3980
3981
3982
3983
3984
3985
3986
3987
3988
3989
3990
3991
3992
3993
3994
3995
3996
3997
3998
3999
4000
4001
4002
4003
4004
4005
4006
4007
4008
4009
4010
4011
4012
4013
4014
4015
4016
4017
4018
4019
4020
4021
4022
4023
4024
4025
4026
4027
4028
4029
4030
4031
4032
4033
4034
4035
4036
4037
4038
4039
4040
4041
4042
4043
4044
4045
4046
4047
4048
4049
4050
4051
4052
4053
4054
4055
4056
4057
4058
4059
4060
4061
4062
4063
4064
4065
4066
4067
4068
4069
4070
4071
4072
4073
4074
4075
4076
4077
4078
4079
4080
4081
4082
4083
4084
4085
4086
4087
4088
4089
4090
4091
4092
4093
4094
4095
4096
4097
4098
4099
4100
4101
4102
4103
4104
4105
4106
4107
4108
4109
4110
4111
4112
4113
4114
4115
4116
4117
4118
4119
4120
4121
4122
4123
4124
4125
4126
4127
4128
4129
4130
4131
4132
4133
4134
4135
4136
4137
4138
4139
4140
4141
4142
4143
4144
4145
4146
4147
4148
4149
4150
4151
4152
4153
4154
4155
4156
4157
4158
4159
4160
4161
4162
4163
4164
4165
4166
4167
4168
4169
4170
4171
4172
4173
4174
4175
4176
4177
4178
4179
4180
4181
4182
4183
4184
4185
4186
4187
4188
4189
4190
4191
4192
4193
4194
4195
4196
4197
4198
4199
4200
4201
4202
4203
4204
4205
4206
4207
4208
4209
4210
4211
4212
4213
4214
4215
4216
4217
4218
4219
4220
4221
4222
4223
4224
4225
4226
4227
4228
4229
4230
4231
4232
4233
4234
4235
4236
4237
4238
4239
4240
4241
4242
4243
4244
4245
4246
4247
4248
4249
4250
4251
4252
4253
4254
4255
4256
4257
4258
4259
4260
4261
4262
4263
4264
4265
4266
4267
4268
4269
4270
4271
4272
4273
4274
4275
4276
4277
4278
4279
4280
4281
4282
4283
4284
4285
4286
4287
4288
4289
4290
4291
4292
4293
4294
4295
4296
4297
4298
4299
4300
4301
4302
4303
4304
4305
4306
4307
4308
4309
4310
4311
4312
4313
4314
4315
4316
4317
4318
4319
4320
4321
4322
4323
4324
4325
4326
4327
4328
4329
4330
4331
4332
4333
4334
4335
4336
4337
4338
4339
4340
4341
4342
4343
4344
4345
4346
4347
4348
4349
4350
4351
4352
4353
4354
4355
4356
4357
4358
4359
4360
4361
4362
4363
4364
4365
4366
4367
4368
4369
4370
4371
4372
4373
4374
4375
4376
4377
4378
4379
4380
4381
4382
4383
4384
4385
4386
4387
4388
4389
4390
4391
4392
4393
4394
4395
4396
4397
4398
4399
4400
4401
4402
4403
4404
4405
4406
4407
4408
4409
4410
4411
4412
4413
4414
4415
4416
4417
4418
4419
4420
4421
4422
4423
4424
4425
4426
4427
4428
4429
4430
4431
4432
4433
4434
4435
4436
4437
4438
4439
4440
4441
4442
4443
4444
4445
4446
4447
4448
4449
4450
4451
4452
4453
4454
4455
4456
4457
4458
4459
4460
4461
4462
4463
4464
4465
4466
4467
4468
4469
4470
4471
4472
4473
4474
4475
4476
4477
4478
4479
4480
4481
4482
4483
4484
4485
4486
4487
4488
4489
4490
4491
4492
4493
4494
4495
4496
4497
4498
4499
4500
4501
4502
4503
4504
4505
4506
4507
4508
4509
4510
4511
4512
4513
4514
4515
4516
4517
4518
4519
4520
4521
4522
4523
4524
4525
4526
4527
4528
4529
4530
4531
4532
4533
4534
4535
4536
4537
4538
4539
4540
4541
4542
4543
4544
4545
4546
4547
4548
4549
4550
4551
4552
4553
4554
4555
4556
4557
4558
4559
4560
4561
4562
4563
4564
4565
4566
4567
4568
4569
4570
4571
4572
4573
4574
4575
4576
4577
4578
4579
4580
4581
4582
4583
4584
4585
4586
4587
4588
4589
4590
4591
4592
4593
4594
4595
4596
4597
4598
4599
4600
4601
4602
4603
4604
4605
4606
4607
4608
4609
4610
4611
4612
4613
4614
4615
4616
4617
4618
4619
4620
4621
4622
4623
4624
4625
4626
4627
4628
4629
4630
4631
4632
4633
4634
4635
4636
4637
4638
4639
4640
4641
4642
4643
4644
4645
4646
4647
4648
4649
4650
4651
4652
4653
4654
4655
4656
4657
4658
4659
4660
4661
4662
4663
4664
4665
4666
4667
4668
4669
4670
4671
4672
4673
4674
4675
4676
4677
4678
4679
4680
4681
4682
4683
4684
4685
4686
4687
4688
4689
4690
4691
4692
4693
4694
4695
4696
4697
4698
4699
4700
4701
4702
4703
4704
4705
4706
4707
4708
4709
4710
4711
4712
4713
4714
4715
4716
4717
4718
4719
4720
4721
4722
4723
4724
4725
4726
4727
4728
4729
4730
4731
4732
4733
4734
4735
4736
4737
4738
4739
4740
4741
4742
4743
4744
4745
4746
4747
4748
4749
4750
4751
4752
4753
4754
4755
4756
4757
4758
4759
4760
4761
4762
4763
4764
4765
4766
4767
4768
4769
4770
4771
4772
4773
4774
4775
4776
4777
4778
4779
4780
4781
4782
4783
4784
4785
4786
4787
4788
4789
4790
4791
4792
4793
4794
4795
4796
4797
4798
4799
4800
4801
4802
4803
4804
4805
4806
4807
4808
4809
4810
4811
4812
4813
4814
4815
4816
4817
4818
4819
4820
4821
4822
4823
4824
4825
4826
4827
4828
4829
4830
4831
4832
4833
4834
4835
4836
4837
4838
4839
4840
4841
4842
4843
4844
4845
4846
4847
4848
4849
4850
4851
4852
4853
4854
4855
4856
4857
4858
4859
4860
4861
4862
4863
4864
4865
4866
4867
4868
4869
4870
4871
4872
4873
4874
4875
4876
4877
4878
4879
4880
4881
4882
4883
4884
4885
4886
4887
4888
4889
4890
4891
4892
4893
4894
4895
4896
4897
4898
4899
4900
4901
4902
4903
4904
4905
4906
4907
4908
4909
4910
4911
4912
4913
4914
4915
4916
4917
4918
4919
4920
4921
4922
4923
4924
4925
4926
4927
4928
4929
4930
4931
4932
4933
4934
4935
4936
4937
4938
4939
4940
4941
4942
4943
4944
4945
4946
4947
4948
4949
4950
4951
4952
4953
4954
4955
4956
4957
4958
4959
4960
4961
4962
4963
4964
4965
4966
4967
4968
4969
4970
4971
4972
4973
4974
4975
4976
4977
4978
4979
4980
4981
4982
4983
4984
4985
4986
4987
4988
4989
4990
4991
4992
4993
4994
4995
4996
4997
4998
4999
5000
5001
5002
5003
5004
5005
5006
5007
5008
5009
5010
5011
5012
5013
5014
5015
5016
5017
5018
5019
5020
5021
5022
5023
5024
5025
5026
5027
5028
5029
5030
5031
5032
5033
5034
5035
5036
5037
5038
5039
5040
5041
5042
5043
5044
5045
5046
5047
5048
5049
5050
5051
5052
5053
5054
5055
5056
5057
5058
5059
5060
5061
5062
5063
5064
5065
5066
5067
5068
5069
5070
5071
5072
5073
5074
5075
5076
5077
5078
5079
5080
5081
5082
5083
5084
5085
5086
5087
5088
5089
5090
5091
5092
5093
5094
5095
5096
5097
5098
5099
5100
5101
5102
5103
5104
5105
5106
5107
5108
5109
5110
5111
5112
5113
5114
5115
5116
5117
5118
5119
5120
5121
5122
5123
5124
5125
5126
5127
5128
5129
5130
5131
5132
5133
5134
5135
5136
5137
5138
5139
5140
5141
5142
5143
5144
5145
5146
5147
5148
5149
5150
5151
5152
5153
5154
5155
5156
5157
5158
5159
5160
5161
5162
5163
5164
5165
5166
5167
5168
5169
5170
5171
5172
5173
5174
5175
5176
5177
5178
5179
5180
5181
5182
5183
5184
5185
5186
5187
5188
5189
5190
5191
5192
5193
5194
5195
5196
5197
5198
5199
5200
5201
5202
5203
5204
5205
5206
5207
5208
5209
5210
5211
5212
5213
5214
5215
5216
5217
5218
5219
5220
5221
5222
5223
5224
5225
5226
5227
5228
5229
5230
5231
5232
5233
5234
5235
5236
5237
5238
5239
5240
5241
5242
5243
5244
5245
5246
5247
5248
5249
5250
5251
5252
5253
5254
5255
5256
5257
5258
5259
5260
5261
5262
5263
5264
5265
5266
5267
5268
5269
5270
5271
5272
5273
5274
5275
5276
5277
5278
5279
5280
5281
5282
5283
5284
5285
5286
5287
5288
5289
5290
5291
5292
5293
5294
5295
5296
5297
5298
5299
5300
5301
5302
5303
5304
5305
5306
5307
5308
5309
5310
5311
5312
5313
5314
5315
5316
5317
5318
5319
5320
5321
5322
5323
5324
5325
5326
5327
5328
5329
5330
5331
5332
5333
5334
5335
5336
5337
5338
5339
5340
5341
5342
5343
5344
5345
5346
5347
5348
5349
5350
5351
5352
5353
5354
5355
5356
5357
5358
5359
5360
5361
5362
5363
5364
5365
5366
5367
5368
5369
5370
5371
5372
5373
5374
5375
5376
5377
5378
5379
5380
5381
5382
5383
5384
5385
5386
5387
5388
5389
5390
5391
5392
5393
5394
5395
5396
5397
5398
5399
5400
5401
5402
5403
5404
5405
5406
5407
5408
5409
5410
5411
5412
5413
5414
5415
5416
5417
5418
5419
5420
5421
5422
5423
5424
5425
5426
5427
5428
5429
5430
5431
5432
5433
5434
5435
5436
5437
5438
5439
5440
5441
5442
5443
5444
5445
5446
5447
5448
5449
5450
5451
5452
5453
5454
5455
5456
5457
5458
5459
5460
5461
5462
5463
5464
5465
5466
5467
5468
5469
5470
5471
5472
5473
5474
5475
5476
5477
5478
5479
5480
5481
5482
5483
5484
5485
5486
✨)8,@­ð
¤P ¬P
¿@
¯0
¿ 
¬ð
£°
A²ÐŒÂ+¸-ÈÂ+°Â/ˆ+¼Â(¬ÂC´B)ÐB(B(ÐB(<0B+¼)Ô+”Â/¸B(´B)<-„‚,œB)ÐÂA Í(¼B+´B)¸-ü‚(°Â+ŒÂ*<8)”Â(°Â/ŒÂ+´B+”‚+ÐÂ,<0Â)ÈÂ+Ô,ü‚+„B+”Â,    |<% #Tf€À 0"¤´¤Apple Swift version 5.4.2 (swiftlang-1205.0.28.2 clang-1205.0.19.57)tHDLLinPhoneSDKžarmv7-apple-ios10.0…T<2 J,±tÊG0á5D`s:14HDLLinPhoneSDK17SecurityEventTypeO22ManInTheMiddleDetectedyA2CmF!Man in the middle detected event.'/// Man in the middle detected event. 
­`·5µs:14HDLLinPhoneSDK13PresenceModelC13clearServicesyyKF(Clears the services of a presence model..///    Clears the services of a presence model. 
?/// - Returns: 0 if successful, a value < 0 in case of error. 
Û    Àvœ4s:14HDLLinPhoneSDK4CoreC22previewVideoSizeByNameSSvpzSets the preview video size by its name. See linphone_core_set_preview_video_size for more information about this feature../// Sets the preview video size by its name. 
M/// See linphone_core_set_preview_video_size for more information about this
 /// feature.
/// 
E/// Video resolution names are: qcif, svga, cif, vga, 4cif, svga ...
/// 
O/// - deprecated: Use {@link Factory#createVideoDefinitionFromName} and {@link
-/// Core#setPreviewVideoDefinition} instead 
Ï #™-vs:14HDLLinPhoneSDK4CoreC16previewOglRenderyyF,Call generic OpenGL render for a given core.2///    Call generic OpenGL render for a given core. 
„Pc÷-–s:14HDLLinPhoneSDK4CoreC16refreshRegistersyyF<force registration refresh to be initiated upon next iterateB///    force registration refresh to be initiated upon next iterate 
ˆð—sO»s:14HDLLinPhoneSDK17ParticipantDeviceC13securityLevelAA016ChatRoomSecurityG0Ovp3Get the security level of a participant’s device.7/// Get the security level of a participant's device. 
1/// - Returns: The security level of the device 
™3ž3±s:14HDLLinPhoneSDK14PresencePersonC10clearNotesyyKF&Clears the notes of a presence person.,///    Clears the notes of a presence person. 
?/// - Returns: 0 if successful, a value < 0 in case of error. 
ô€óN*§s:14HDLLinPhoneSDK11ProxyConfigC5routeSSvp</// - Returns: the route set for this proxy configuration. 
/// 
>/// - deprecated: Use {@link ProxyConfig#getRoutes} instead. 
 ð$TEls:14HDLLinPhoneSDK12EventLogTypeO28ConferenceParticipantRemovedyA2CmF'Conference participant (removed) event.-/// Conference participant (removed) event. 
2p¦"0¥s:14HDLLinPhoneSDK14AccountCreatorC8languageSSvp%Get the language use in email of SMS.+/// Get the language use in email of SMS. 
5/// - Returns: The language of the `AccountCreator` 
~°M©D¾s:14HDLLinPhoneSDK7FactoryC22createConfigFromString4dataAA0F0CSS_tKFCreates an object Config.!///    Creates an object `Config`. 
'/// - Parameter data: the config data 
/// 
/// 
/// - Returns: a `Config` 
àV’8µs:14HDLLinPhoneSDK4CoreC26conferenceLocalInputVolumeSfvp2Get the set input volume of the local participant.8/// Get the set input volume of the local participant. 
+/// - Returns: A value inside [0.0 ; 1.0] 
„¿W&†s:14HDLLinPhoneSDK4CoreC9micGainDbSfvpGet microphone gain in db. /// Get microphone gain in db. 
,/// - Returns: The current microphone gain 
¾#q×%s:14HDLLinPhoneSDK4CoreC8playFileSSvp±Get the wav file that is played when putting somebody on hold, or when files are used instead of soundcards (see {@link Core#setUseFiles}). The file is a 16 bit linear wav file.Q/// Get the wav file that is played when putting somebody on hold, or when files
D/// are used instead of soundcards (see {@link Core#setUseFiles}). 
+/// The file is a 16 bit linear wav file. 
/// 
S/// - Returns: The path to the file that is played when putting somebody on hold. 
Ç)€¬œA¯s:14HDLLinPhoneSDK7AddressC9setHeader10headerName0G5ValueySS_SStFzSet a header into the address. Headers appear in the URI with â€˜?’, such as sip:test@linphone.org?SomeHeader=SomeValue.$///    Set a header into the address. 
0/// Headers appear in the URI with '?', such as
3/// <sip:test@linphone.org?SomeHeader=SomeValue>. 
/// 
-/// - Parameter headerName: the header name 
//// - Parameter headerValue: the header value 
/// 
ª,àâO3¼s:14HDLLinPhoneSDK9CallStatsC4typeAA10StreamTypeOvp.Get the type of the stream the stats refer to.4/// Get the type of the stream the stats refer to. 
:/// - Returns: The type of the stream the stats refer to 
z,p{Æ9s:14HDLLinPhoneSDK7AddressC11getUriParam03uriG4NameS2S_tF7Get the value of a parameter of the URI of the address.=///    Get the value of a parameter of the URI of the address. 
9/// - Parameter uriParamName: The name of the parameter 
/// 
/// 
+/// - Returns: The value of the parameter 
¦/ð~v/­s:14HDLLinPhoneSDK6TunnelC15dualModeEnabledSbvp Get the dual tunnel client mode.&/// Get the dual tunnel client mode. 
G/// - Returns:  if dual tunnel client mode is enabled, true otherwise 
Q6p%7Ìs:14HDLLinPhoneSDK6ReasonOREnum describing various failure reasons or contextual information for some events.N///Enum describing various failure reasons or contextual information for some
 ///events. 
‹8 ¾ó$/s:14HDLLinPhoneSDK4CoreC7sipDscpSivpdGet the DSCP field for SIP signaling channel. The DSCP defines the quality of service in IP packets.3/// Get the DSCP field for SIP signaling channel. 
</// The DSCP defines the quality of service in IP packets. 
/// 
'/// - Returns: The current DSCP value 
ç9Ê1*s:14HDLLinPhoneSDK6FriendC7addressAA7AddressCSgvpGet address of this friend.!/// Get address of this friend. 
Q/// - Note: the `Address` object returned is hold by the LinphoneFriend, however
F/// calling several time this function may return different objects. 
/// 
/// - Returns: `Address` 
=ðãÛ(‡s:14HDLLinPhoneSDK19PresenceBasicStatusO5Basic status as defined in section 4.1.4 of RFC 3863.:///Basic status as defined in section 4.1.4 of RFC 3863. 
z>€šØÎs:14HDLLinPhoneSDK7ContentCRThe LinphoneContent object holds data that can be embedded in a signaling message.N/// The LinphoneContent object holds data that can be embedded in a signaling
/// message. 
>?p;$(<s:14HDLLinPhoneSDK6ReasonO7UnknownyA2CmFUnknown reason./// Unknown reason. 
¡D0tZ<âs:14HDLLinPhoneSDK7AddressC14removeUriParam03uriG4NameySS_tF;Removes the value of a parameter of the URI of the address.A///    Removes the value of a parameter of the URI of the address. 
9/// - Parameter uriParamName: The name of the parameter 
/// 
©F0ló-¨s:14HDLLinPhoneSDK4CoreC6configAA6ConfigCSgvpEReturns the LpConfig object used to manage the storage (config) file.K/// Returns the LpConfig object used to manage the storage (config) file. 
‡L ƒ£:»s:14HDLLinPhoneSDK4CallC15sendInfoMessage4infoyAA0fG0C_tKF/Send a InfoMessage through an established call.7///    Send a `InfoMessage` through an established call. 
(/// - Parameter info: the info message 
/// 
&M€êœIys:14HDLLinPhoneSDK6ConfigC13setStringList7section3key5valueySS_SSSaySSGtFSets a string list config item.%///    Sets a string list config item. 
U/// - Parameter section: The name of the section to put the configuration item into 
@/// - Parameter key: The name of the configuration item to set 
R/// - Parameter value: A list of const char * objects. const char *  The value to
    /// set 
/// 
;OPÌØ/Vs:14HDLLinPhoneSDK15MediaEncryptionO4NoneyA2CmFNo media encryption is used."/// No media encryption is used. 
ZOÀ|ª:„s:14HDLLinPhoneSDK25ParticipantDeviceIdentityC5cloneACSgyF3Clones a #LinphoneParticipantDeviceIdentity object.9///    Clones a #LinphoneParticipantDeviceIdentity object. 
›Y“Î8’s:14HDLLinPhoneSDK20PresenceActivityTypeO8SteeringyA2CmF:The person is controlling a vehicle, watercraft, or plane.@/// The person is controlling a vehicle, watercraft, or plane. 
sZ`5®3Ps:14HDLLinPhoneSDK17SubscriptionStateO6ActiveyA2CmFSubscription is accepted./// Subscription is accepted. 
½^ ½Ê7ys:14HDLLinPhoneSDK10FriendListC19updateSubscriptionsyyF¡Update presence subscriptions for the entire list. Calling this function is necessary when list subscriptions are enabled, ie when a RLS presence server is used.8///    Update presence subscriptions for the entire list. 
T/// Calling this function is necessary when list subscriptions are enabled, ie when
$/// a RLS presence server is used. 
Z`À&&²s:14HDLLinPhoneSDK4CoreC9videoPortSivp+Gets the UDP port used for video streaming.1/// Gets the UDP port used for video streaming. 
6/// - Returns: The UDP port used for video streaming 
càwvCÎs:14HDLLinPhoneSDK4CoreC24LogCollectionUploadStateO9DeliveredyA2EmFRLog collection upload successfully delivered and acknowledged by remote end point.P/// Log collection upload successfully delivered and acknowledged by remote end
 /// point. 
[i°99Hs:14HDLLinPhoneSDK11ChatMessageC5StateO10InProgressyA2EmFDelivery in progress./// Delivery in progress. 
„j@L/&s:14HDLLinPhoneSDK5VcardC12phoneNumbersSaySSGvp[Returns the list of phone numbers (as string) in the vCard (all the TEL attributes) or nil.L/// Returns the list of phone numbers (as string) in the vCard (all the TEL
/// attributes) or nil. 
>/// - Returns: A list of const char * objects. const char *  
jnàÅ?ºs:14HDLLinPhoneSDK9CallStatsC16ipFamilyOfRemoteAA07AddressG0Ovp-Get the IP address family of the remote peer.3/// Get the IP address family of the remote peer. 
:/// - Returns: The IP address family of the remote peer. 
nou5ês:14HDLLinPhoneSDK19PresenceBasicStatusO6ClosedyA2CmF`This value means that the associated contact element, if any, is unable to accept communication.O/// This value means that the associated contact element, if any, is unable to
/// accept communication. 
|p`7«ës:14HDLLinPhoneSDK9CallStatsCnThe CallStats objects carries various statistic informations regarding quality of audio or video streams. To receive these informations periodically and as soon as they are computed, the application is invited to place a LinphoneCoreCallStatsUpdatedCb callback in the LinphoneCoreVTable structure it passes for instanciating the Core object (see linphone_core_new ).    M/// The `CallStats` objects carries various statistic informations regarding
(/// quality of audio or video streams. 
Q/// To receive these informations periodically and as soon as they are computed,
R/// the application is invited to place a LinphoneCoreCallStatsUpdatedCb callback
O/// in the LinphoneCoreVTable structure it passes for instanciating the `Core`
%/// object (see linphone_core_new ).
/// 
K/// At any time, the application can access last computed statistics using
I/// linphone_call_get_audio_stats() or linphone_call_get_video_stats(). 
jr€ÀÛU§s:14HDLLinPhoneSDK10CallParamsC21addCustomSdpAttribute13attributeName0J5ValueySS_SStFiAdd a custom attribute related to all the streams in the SDP exchanged within SIP messages during a call.R///    Add a custom attribute related to all the streams in the SDP exchanged within
!///    SIP messages during a call. 
B/// - Parameter attributeName: The name of the attribute to add. 
L/// - Parameter attributeValue: The content value of the attribute to add. 
/// 
btpJJ<@s:14HDLLinPhoneSDK10FriendListC03addD02lfAC6StatusOAA0D0C_tF†Add a friend to a friend list. If or when a remote CardDAV server will be attached to the list, the friend will be sent to the server.    $///    Add a friend to a friend list. 
P/// If or when a remote CardDAV server will be attached to the list, the friend
!/// will be sent to the server. 
/// 
@/// - Parameter lf: `Friend` object to add to the friend list. 
/// 
/// 
</// - Returns: #LinphoneFriendListOK if successfully added,
B/// #LinphoneFriendListInvalidFriend if the friend is not valid. 
Kw€Ò(.’s:14HDLLinPhoneSDK9NatPolicyC4coreAA4CoreCSgvp9Returns the Core object managing this nat policy, if any.A/// Returns the `Core` object managing this nat policy, if any. 
„xðhÈ1ãs:14HDLLinPhoneSDK7FactoryC16ringResourcesDirSSvp7Get the directory where the ring resources are located.=/// Get the directory where the ring resources are located. 
O/// - Returns: The path to the directory where the ring resources are located 
ûyPT&¸s:14HDLLinPhoneSDK6BufferC7isEmptySbvp!Tell whether the Buffer is empty.)/// Tell whether the `Buffer` is empty. 
N/// - Returns: A boolean value telling whether the `Buffer` is empty or not. 
Ày°“<$ºs:14HDLLinPhoneSDK7AddressC5cleanyyFORemoves address’s tags and uri headers so that it is displayable to the user.S///    Removes address's tags and uri headers so that it is displayable to the user. 
¡{=È1s:14HDLLinPhoneSDK11ProxyConfigC11avpfEnabledSbvpMIndicates whether AVPF/SAVPF is being used for calls using this proxy config.S/// Indicates whether AVPF/SAVPF is being used for calls using this proxy config. 
@/// - Returns: True if AVPF/SAVPF is enabled, false otherwise. 
|@‚2bs:14HDLLinPhoneSDK20PresenceActivityTypeO2TVyA2CmF"The person is watching television.(/// The person is watching television. 
u|q¾6¿s:14HDLLinPhoneSDK4CoreC17defaultFriendListAA0fG0CSgvp1Retrieves the first list of Friend from the core.9/// Retrieves the first list of `Friend` from the core. 
5/// - Returns: the first `FriendList` object or nil 
~°Îc/äs:14HDLLinPhoneSDK11ProxyConfigC6routesSaySSGvp6Gets the list of the routes set for this proxy config.</// Gets the list of the routes set for this proxy config. 
R/// - Returns: A list of const char * objects. const char *  the list of routes. 
!~P;¾8:s:14HDLLinPhoneSDK25ChatRoomEncryptionBackendV4NoneACvpZNo encryption./// No encryption. 
€PÂR&xs:14HDLLinPhoneSDK7AddressC6schemeSSvp/Returns the address scheme, normally â€œsip”.1/// Returns the address scheme, normally "sip". 
›€°r¿0Às:14HDLLinPhoneSDK10FriendListC4coreAA4CoreCSgvp<Returns the Core object attached to this LinphoneFriendList.D/// Returns the `Core` object attached to this LinphoneFriendList. 
 /// - Returns: a `Core` object 
@„ps,s:14HDLLinPhoneSDK11ParticipantC7isAdminSbvpMTells whether a conference participant is an administrator of the conference.S/// Tells whether a conference participant is an administrator of the conference. 
T/// - Returns: A boolean value telling whether the participant is an administrator 
“‡u!5\s:14HDLLinPhoneSDK15SubscriptionDirO07InvalidE0yA2CmFInvalid subscription direction.%/// Invalid subscription direction. 
·0Ü1,:s:14HDLLinPhoneSDK4CallC3DirO8IncomingyA2EmFincoming calls/// incoming calls 
Ѝ –¹0«s:14HDLLinPhoneSDK7ContentC6bufferSPys5UInt8VGvp.Get the content data buffer, usually a string.4/// Get the content data buffer, usually a string. 
)/// - Returns: The content data buffer. 
?àŠdús:14HDLLinPhoneSDK13PresenceModelC24hasCapabilityWithVersion10capability7versionSbAA06FriendG0V_SftF^Returns whether or not the PresenceModel object has a given capability with a certain version.T///    Returns whether or not the `PresenceModel` object has a given capability with a
///    certain version. 
5/// - Parameter capability: The capability to test. 
6/// - Parameter version: The wanted version to test. 
/// 
/// 
P/// - Returns: whether or not the `PresenceModel` object has a given capability
/// with a certain version. 
â’PÙüoæs:14HDLLinPhoneSDK12CoreDelegateC19onSubscribeReceived2lc3lev14subscribeEvent4bodyyAA0D0C_AA0L0CSSAA7ContentCtF^Callback prototype for notifying the application about subscription received from the network.Q///    Callback prototype for notifying the application about subscription received
///    from the network. 
“3Ais:14HDLLinPhoneSDK4CoreC35maxSizeForAutoDownloadIncomingFilesSivp[Gets the size under which incoming files in chat messages will be downloaded automatically.Q/// Gets the size under which incoming files in chat messages will be downloaded
/// automatically. 
O/// - Returns: The size in bytes, -1 if autodownload feature is disabled, 0 to
*/// download them all no matter the size 
¸”СL/Òs:14HDLLinPhoneSDK4CoreC8avpfModeAA8AVPFModeOvp6Return AVPF enablement. See {@link Core#setAvpfMode} ./// Return AVPF enablement. 
$/// See {@link Core#setAvpfMode} . 
/// 
&/// - Returns: The current AVPF mode 
x–úï0ès:14HDLLinPhoneSDK15PresenceServiceC7nbNotesSuvp:Gets the number of notes included in the presence service.@/// Gets the number of notes included in the presence service. 
N/// - Returns: The number of notes included in the `PresenceService` object. 
ü˜À,'%™s:14HDLLinPhoneSDK4CoreC8maxCallsSivpŽGet the maximum number of simultaneous calls Linphone core can manage at a time. All new call above this limit are declined with a busy answerO/// Get the maximum number of simultaneous calls Linphone core can manage at a
 /// time. 
C/// All new call above this limit are declined with a busy answer 
/// 
1/// - Returns: max number of simultaneous calls 
·šPÛLØs:14HDLLinPhoneSDK7ContentC16findPartByHeader10headerName0I5ValueACSgSS_SStFVFind a part from a multipart content looking for a part header with a specified value.T///    Find a part from a multipart content looking for a part header with a specified
 ///    value. 
A/// - Parameter headerName: The name of the header to look for. 
C/// - Parameter headerValue: The value of the header to look for. 
/// 
/// 
L/// - Returns: A `Content` object object the part if found, nil otherwise. 
Qœ Þ&™s:14HDLLinPhoneSDK17RegistrationStateO>LinphoneRegistrationState describes proxy registration states.C///LinphoneRegistrationState describes proxy registration states. 
¢ Ò}5ås:14HDLLinPhoneSDK4CoreC23echoCancellationEnabledSbvp-Returns true if echo cancellation is enabled.3/// Returns true if echo cancellation is enabled. 
O/// - Returns: A boolean value telling whether echo cancellation is enabled or
/// disabled 
™¥°ÈìFs:14HDLLinPhoneSDK12CoreDelegateC13onQrcodeFound2lc6resultyAA0D0C_SStF8Callback prototype telling the result of decoded qrcode.>///    Callback prototype telling the result of decoded qrcode. 
)/// - Parameter lc: LinphoneCore object 
:/// - Parameter result: The result of the decoded qrcode 
/// 
"§Pþ"6’s:14HDLLinPhoneSDK7FactoryC15createErrorInfoAA0fG0CyKF$Creates an object LinphoneErrorInfo.*///    Creates an object LinphoneErrorInfo. 
$/// - Returns: `ErrorInfo` object. 
¨à d7es:14HDLLinPhoneSDK23PushNotificationMessageC6callIdSSvpGets the call_id./// Gets the call_id. 
/// - Returns: The call_id. 
2¨ÀëÛ4Ws:14HDLLinPhoneSDK11ProxyConfigC14publishEnabledSbvp?/// - Returns:  if PUBLISH request is enabled for this proxy. 
¨ƒ-Ês:14HDLLinPhoneSDK4CoreC15enterConferenceyyKF5Join the local participant to the running conference.;///    Join the local participant to the running conference. 
:/// - Returns: 0 if succeeded. Negative number if failed 
S´P.˜0¬s:14HDLLinPhoneSDK12PresenceNoteC8userDataSvSgvp,Gets the user data of a PresenceNote object.4/// Gets the user data of a `PresenceNote` object. 
,/// - Returns: A pointer to the user data. 
è·u˜?ás:14HDLLinPhoneSDK15VideoDefinitionC12strictEquals5vdef2SbAC_tFtTells whether two VideoDefinition objects are strictly equal (the widths are the same and the heights are the same).S///    Tells whether two `VideoDefinition` objects are strictly equal (the widths are
-///    the same and the heights are the same). 
1/// - Parameter vdef2: `VideoDefinition` object 
/// 
/// 
Q/// - Returns: A boolean value telling whether the two `VideoDefinition` objects
/// are strictly equal. 
„¹Pr>s:14HDLLinPhoneSDK14AccountCreatorC13activateAliasAC6StatusOyF$Send a request to activate an alias.*///    Send a request to activate an alias. 
S/// - Returns: LinphoneAccountCreatorStatusRequestOk if the request has been sent,
9/// LinphoneAccountCreatorStatusRequestFailed otherwise 
‡¹ “5Ös:14HDLLinPhoneSDK4CoreC17createProxyConfigAA0fG0CyKF=Create a proxy config with default values from Linphone core.C///    Create a proxy config with default values from Linphone core. 
6/// - Returns: `ProxyConfig` with default values set 
I¼p…ÓU#s:14HDLLinPhoneSDK12CallDelegateC22onTransferStateChanged4call6cstateyAA0D0C_AH0H0OtF/Callback for notifying progresses of transfers.5///    Callback for notifying progresses of transfers. 
8/// - Parameter call: LinphoneCall that was transfered 
R/// - Parameter cstate: The state of the call to transfer target at the far end. 
/// 
æÄ@mV2    s:14HDLLinPhoneSDK4CoreC14textPortsRangeAA0G0CSgvp[Get the text port range from which is randomly chosen the UDP port used for text streaming.P/// Get the text port range from which is randomly chosen the UDP port used for
/// text streaming. 
!/// - Returns: a `Range` object 
òÇÀ’7js:14HDLLinPhoneSDK20PresenceActivityTypeO7UnknownyA2CmF&The activity of the person is unknown.,/// The activity of the person is unknown. 
vÉðØ&âs:14HDLLinPhoneSDK5VcardC8fullNameSSvpDReturns the FN attribute of the vCard, or nil if it isn’t set yet.H/// Returns the FN attribute of the vCard, or nil if it isn't set yet. 
6/// - Returns: the display name of the vCard, or nil 
gÉpt=6s:14HDLLinPhoneSDK14AccountCreatorC14PasswordStatusO2OkyA2EmF Password ok./// Password ok. 
aÉ   s:14HDLLinPhoneSDK4CoreCALinphone core main object created by function linphone_core_new .G/// Linphone core main object created by function linphone_core_new . 
VË`\,Ns:14HDLLinPhoneSDK9LimeStateO8DisabledyA2CmFLime is not used at all./// Lime is not used at all. 
KÌð‹¢+s:14HDLLinPhoneSDK12TunnelConfigC5host2SSvpYGet the IP address or hostname of the second tunnel server when using dual tunnel client.O/// Get the IP address or hostname of the second tunnel server when using dual
/// tunnel client. 
9/// - Returns: The tunnel server IP address or hostname 
_Í@¬,0„s:14HDLLinPhoneSDK8IceStateO12NotActivatedyA2CmF3ICE has not been activated for this call or stream.9/// ICE has not been activated for this call or stream. 
EÑ Mn>Øs:14HDLLinPhoneSDK10CallParamsC15mediaEncryptionAA05MediaG0Ovp7Get the kind of media encryption selected for the call.=/// Get the kind of media encryption selected for the call. 
D/// - Returns: The kind of media encryption selected for the call. 
MӐ¢œ:Ps:14HDLLinPhoneSDK11ChatMessageC20fileTransferFilepathSSvpKGet the path to the file to read from or write to during the file transfer.Q/// Get the path to the file to read from or write to during the file transfer. 
C/// - Returns: The path to the file to use for the file transfer. 
/// 
</// - deprecated: use {@link Content#getFilePath} instead. 
–Ó0Éó+Ãs:14HDLLinPhoneSDK4CoreC13dnsSrvEnabledSbvp,Tells whether DNS SRV resolution is enabled.2/// Tells whether DNS SRV resolution is enabled. 
E/// - Returns:  if DNS SRV resolution is enabled, true if disabled. 
–×À˜HMs:14HDLLinPhoneSDK8ChatRoomC15findParticipant4addrAA0G0CSgAA7AddressC_tF3Find a participant of a chat room from its address.9///    Find a participant of a chat room from its address. 
T/// - Parameter addr: The address to search in the list of participants of the chat
 
/// room 
/// 
/// 
9/// - Returns: The participant if found, nil otherwise. 
ì×@÷:Þs:14HDLLinPhoneSDK8EventLogC24ephemeralMessageLifetimeSivp±Returns the ephemeral message lifetime of a conference ephemeral message event. Ephemeral lifetime means the time before an ephemeral message which has been viewed gets deleted.U/// Returns the ephemeral message lifetime of a conference ephemeral message event. 
Q/// Ephemeral lifetime means the time before an ephemeral message which has been
/// viewed gets deleted. 
/// 
0/// - Returns: The ephemeral message lifetime. 
çÙ÷a*Çs:14HDLLinPhoneSDK12TunnelConfigC4hostSSvp4Get the IP address or hostname of the tunnel server.:/// Get the IP address or hostname of the tunnel server. 
9/// - Returns: The tunnel server IP address or hostname 
^ßÀÓ%9€s:14HDLLinPhoneSDK4CallC5StateO18IncomingEarlyMediayA2EmF1We are proposing early media to an incoming call.7/// We are proposing early media to an incoming call. 
âä`7¬REs:14HDLLinPhoneSDK12CoreDelegateC24onChatRoomSubjectChanged2lc2cryAA0D0C_AA0gH0CtFGCallback prototype telling that a LinphoneChatRoom subject has changed.M///    Callback prototype telling that a LinphoneChatRoom subject has changed. 
)/// - Parameter lc: LinphoneCore object 
S/// - Parameter cr: The LinphoneChatRoom object for which the subject has changed 
/// 
*èéCNs:14HDLLinPhoneSDK14AccountCreatorC6StatusO0B14NumberOverusedyA2EmFError too many SMS sent./// Error too many SMS sent. 
QêЄ}$Šs:14HDLLinPhoneSDK4CoreC8stopDtmfyyF6Stops playing a dtmf started by {@link Core#playDtmf}.<///    Stops playing a dtmf started by {@link Core#playDtmf}. 
¦ì`n‰1¶s:14HDLLinPhoneSDK4CoreC19friendsDatabasePathSSvp8Gets the database filename where friends will be stored.>/// Gets the database filename where friends will be stored. 
 /// - Returns: filesystem path 
 ïÀòý::s:14HDLLinPhoneSDK21ChatRoomSecurityLevelO9ClearTextyA2CmFNo encryption./// No encryption. 
 ñ€BÍ,÷s:14HDLLinPhoneSDK4CoreC14playbackDeviceSSvpBGets the name of the currently assigned sound device for playback.H/// Gets the name of the currently assigned sound device for playback. 
M/// - Returns: The name of the currently assigned sound device for playback 
Èô€#Ž7s:14HDLLinPhoneSDK4CoreC25defaultVideoDisplayFilterSSvpËGet the name of the default mediastreamer2 filter used for rendering video on the current platform. This is for advanced users of the library, mainly to expose mediastreamer video filter name and status.R/// Get the name of the default mediastreamer2 filter used for rendering video on
/// the current platform. 
T/// This is for advanced users of the library, mainly to expose mediastreamer video
/// filter name and status. 
/// 
1/// - Returns: The default video display filter 
ö€Ã%1ss:14HDLLinPhoneSDK7FactoryC11createVcardAA0F0CyKFCreate an empty Vcard.///    Create an empty `Vcard`. 
/// - Returns: a new `Vcard`. 
ùpã’+×s:14HDLLinPhoneSDK4CoreC13httpProxyHostSSvp0Get http proxy address to be used for signaling.6/// Get http proxy address to be used for signaling. 
Q/// - Returns: hostname of IP adress of the http proxy (can be nil to disable). 
£þå—D“s:14HDLLinPhoneSDK10FriendListC16findFriendsByUri3uriSayAA0D0CGSS_tF8Find all friends in the friend list using an URI string.>///    Find all friends in the friend list using an URI string. 
R/// - Parameter uri: A string containing the URI of the friends we want to search
 
/// for. 
/// 
/// 
T/// - Returns: A list of `Friend` objects. LinphoneFriend  as a list of `Friend` if
/// found, nil otherwise. 
Rñ:éPRs:14HDLLinPhoneSDK4CoreC11getChatRoom8peerAddr05localI0AA0fG0CSgAA7AddressC_AKtF Get a basic chat room. If it does not exist yet, it will be created. No reference is transfered to the application. The Core keeps a reference on the chat room.    ///    Get a basic chat room. 
T/// If it does not exist yet, it will be created. No reference is transfered to the
A/// application. The `Core` keeps a reference on the chat room. 
/// 
//// - Parameter peerAddr: a linphone address. 
0/// - Parameter localAddr: a linphone address. 
/// 
/// 
;/// - Returns: `ChatRoom` where messaging can take place. 
cÁÊy=§s:14HDLLinPhoneSDK4CoreC17removeProxyConfig6configyAA0fG0C_tF·Removes a proxy configuration. Core will then automatically unregister and place the proxy configuration on a deleted list. For that reason, a removed proxy does NOT need to be freed.$///    Removes a proxy configuration. 
S/// `Core` will then automatically unregister and place the proxy configuration on
Q/// a deleted list. For that reason, a removed proxy does NOT need to be freed. 
’áùf(”s:14HDLLinPhoneSDK5RangeC8userDataSvSgvp'Gets the user data in the Range object.//// Gets the user data in the `Range` object. 
/// - Returns: the user data 
=qìŒJs:14HDLLinPhoneSDK8EventLogCBase object of events./// Base object of events. 
âÑ9Püs:14HDLLinPhoneSDK7FactoryC016createConfigWithD04path11factoryPathAA0F0CSS_SStKFCreates an object Config.!///    Creates an object `Config`. 
./// - Parameter path: the path of the config 
//// - Parameter path: the path of the factory 
/// 
/// 
/// - Returns: a `Config` 
¡‘!Ms:14HDLLinPhoneSDK12PublishStateOEnum for publish states.///Enum for publish states. 
„‘ÝûI|s:14HDLLinPhoneSDK4CallC26acceptEarlyMediaWithParams6paramsyAA0dI0CSg_tKF¼When receiving an incoming, accept to start a media session as early-media. This means the call is not accepted but audio & video streams can be established if the remote party supports early media. However, unlike after call acceptance, mic and camera input are not sent during early-media, though received audio & video are played normally. The call can then later be fully accepted using {@link Call#accept} or {@link Call#acceptWithParams}. Q///    When receiving an incoming, accept to start a media session as early-media. 
I/// This means the call is not accepted but audio & video streams can be
P/// established if the remote party supports early media. However, unlike after
R/// call acceptance, mic and camera input are not sent during early-media, though
Q/// received audio & video are played normally. The call can then later be fully
J/// accepted using {@link Call#accept} or {@link Call#acceptWithParams}. 
/// 
D/// - Parameter params: The call parameters to use (can be nil)    
/// 
/// 
./// - Returns: 0 if successful, -1 otherwise 
ñeÊXŽs:14HDLLinPhoneSDK8ChatRoomC25createFileTransferMessage14initialContentAA0dI0CAA0K0C_tKF‹Creates a message attached to a dedicated chat room with a particular content. Use linphone_chat_room_send_message to initiate the transfer    T///    Creates a message attached to a dedicated chat room with a particular content. 
B/// Use linphone_chat_room_send_message to initiate the transfer 
/// 
;/// - Parameter initialContent: `Content` initial content.
S/// LinphoneCoreVTable.file_transfer_send is invoked later to notify file transfer
T/// progress and collect next chunk of the message if LinphoneContent.data is nil. 
/// 
/// 
$/// - Returns: a new `ChatMessage` 
å±³g-³s:14HDLLinPhoneSDK13XmlRpcSessionC7releaseyyFDStop and unref an XML rpc session. Pending requests will be aborted.(///    Stop and unref an XML rpc session. 
'/// Pending requests will be aborted. 
’!ÑVl. s:14HDLLinPhoneSDK4CallC8redirect0E3UriySS_tKF6Redirect the specified call to the given redirect URI.<///    Redirect the specified call to the given redirect URI. 
>/// - Parameter redirectUri: The URI to redirect the call to 
/// 
/// 
./// - Returns: 0 if successful, -1 on error. 
!!á¿y&’s:14HDLLinPhoneSDK7AddressC6secureSbvp:Returns true if address refers to a secure location (sips)@/// Returns true if address refers to a secure location (sips) 
œ%ñµÉT!s:14HDLLinPhoneSDK16ChatRoomDelegateC15onSecurityEvent2cr8eventLogyAA0dE0C_AA0iL0CtF:Callback used to notify a security event in the chat room.@///    Callback used to notify a security event in the chat room. 
-/// - Parameter cr: LinphoneChatRoom object 
E/// - Parameter eventLog: LinphoneEventLog The event to be notified 
/// 
*¡@ÄA1s:14HDLLinPhoneSDK15PresenceServiceC19serviceDescriptionsSaySSGvp4Gets the service descriptions of a presence service.:/// Gets the service descriptions of a presence service. 
K/// - Returns: A A list of char * objects. char *  containing the services
/// descriptions.
/// 
)/// The returned string is to be freed. 
ý+!ó$Cs:14HDLLinPhoneSDK4CoreC21getProxyConfigByIdkey5idkeyAA0fG0CSgSS_tFG/// - Parameter idkey: An arbitrary idkey string associated to a proxy
/// configuration 
/// 
/// 
Q/// - Returns: the proxy configuration for the given idkey value, or nil if none
 /// found 
k-PiIãs:14HDLLinPhoneSDK13PresenceModelC012consolidatedD0AA012ConsolidatedD0Ovp4Get the consolidated presence from a presence model.:/// Get the consolidated presence from a presence model. 
U/// - Returns: The LinphoneConsolidatedPresence corresponding to the presence model 
Ë2€r2æs:14HDLLinPhoneSDK7FactoryC17soundResourcesDirSSvp8Get the directory where the sound resources are located.>/// Get the directory where the sound resources are located. 
P/// - Returns: The path to the directory where the sound resources are located 
ü3#s:14HDLLinPhoneSDK4CoreC6rootCaSSvpNGets the path to a file or folder containing the trusted root CAs (PEM format)T/// Gets the path to a file or folder containing the trusted root CAs (PEM format) 
M/// - Returns: The path to a file or folder containing the trusted root CAs 
Ý3ám”1js:14HDLLinPhoneSDK11MagicSearchC05resetE5CacheyyF&Reset the cache to begin a new search.,///    Reset the cache to begin a new search. 
‚5ñØ2>s:14HDLLinPhoneSDK12SearchResultC11phoneNumberSSvp&/// - Returns: Phone Number associed 
B8Á!¾.às:14HDLLinPhoneSDK11ProxyConfigC9transportSSvp;Get the transport from either service route, route or addr.A/// Get the transport from either service route, route or addr. 
D/// - Returns: The transport as a string (I.E udp, tcp, tls, dtls) 
$Dñ1ª;Rs:14HDLLinPhoneSDK11ChatMessageC5StateO12NotDeliveredyA2EmFMessage was not delivered. /// Message was not delivered. 
†DÁŠ¢Rs:14HDLLinPhoneSDK16ChatRoomDelegateC29onConferenceAddressGeneration2cryAA0dE0C_tFÁCallback used when a group chat room is created server-side to generate the address of the chat room. The function linphone_chat_room_set_conference_address needs to be called by this callback.P///    Callback used when a group chat room is created server-side to generate the
///    address of the chat room. 
Q/// The function linphone_chat_room_set_conference_address needs to be called by
/// this callback. 
/// 
-/// - Parameter cr: LinphoneChatRoom object 
/// 
þEá%    s:14HDLLinPhoneSDK7FactoryC5cleanyyFZãClean the factory. This function is generally useless as the factory is unique per process, however calling this function at the end avoid getting reports from belle-sip leak detector about memory leaked in {@link Factory#get}.///    Clean the factory. 
M/// This function is generally useless as the factory is unique per process,
R/// however calling this function at the end avoid getting reports from belle-sip
?/// leak detector about memory leaked in {@link Factory#get}. 
òJaG0ós:14HDLLinPhoneSDK4CallC8transfer7referToySS_tKFePerforms a simple call transfer to the specified destination. The remote endpoint is expected to issue a new call to the specified destination. The current call remains active and thus can be later paused or terminated. It is possible to follow the progress of the transfer provided that transferee sends notification about it. In this case, the transfer_state_changed callback of the LinphoneCoreVTable is invoked to notify of the state of the new call at the other party. The notified states are #LinphoneCallOutgoingInit , #LinphoneCallOutgoingProgress, #LinphoneCallOutgoingRinging and #LinphoneCallConnected.C///    Performs a simple call transfer to the specified destination. 
I/// The remote endpoint is expected to issue a new call to the specified
Q/// destination. The current call remains active and thus can be later paused or
T/// terminated. It is possible to follow the progress of the transfer provided that
>/// transferee sends notification about it. In this case, the
S/// transfer_state_changed callback of the LinphoneCoreVTable is invoked to notify
M/// of the state of the new call at the other party. The notified states are
?/// #LinphoneCallOutgoingInit , #LinphoneCallOutgoingProgress,
>/// #LinphoneCallOutgoingRinging and #LinphoneCallConnected. 
/// 
G/// - Parameter referTo: The destination the call is to be refered to 
/// 
/// 
,/// - Returns: 0 on success, -1 on failure 
.LáBÓ/ês:14HDLLinPhoneSDK4CallC17askedToAutoanswerSbyF1Tell whether a call has been asked to autoanswer.7///    Tell whether a call has been asked to autoanswer. 
J/// - Returns: A boolean value telling whether the call has been asked to
/// autoanswer 
MÖ;”s:14HDLLinPhoneSDK4CoreC17audioPayloadTypesSayAA0F4TypeCGvp5Return the list of the available audio payload types.;/// Return the list of the available audio payload types. 
O/// - Returns: A list of `PayloadType` objects. LinphonePayloadType  A freshly
S/// allocated list of the available payload types. The list must be destroyed with
R/// bctbx_list_free() after usage. The elements of the list haven't to be unref. 
tOÁØ/§s:14HDLLinPhoneSDK15VideoDefinitionC6heightSuvp'Get the height of the video definition.-/// Get the height of the video definition. 
3/// - Returns: The height of the video definition 
|PÁ “>s:14HDLLinPhoneSDK7AddressC8setParam9paramName0G5ValueySS_SStF,Set the value of a parameter of the address.2///    Set the value of a parameter of the address. 
6/// - Parameter paramName: The name of the parameter 
</// - Parameter paramValue: The new value of the parameter 
/// 
«RÁÓy-¬s:14HDLLinPhoneSDK4CoreC14vcardSupportedSbyFZ'Tells whether VCARD support is builtin.-///    Tells whether VCARD support is builtin. 
8/// - Returns:  if VCARD is supported, true otherwise. 
kSÁK/-¡s:14HDLLinPhoneSDK15VideoDefinitionC4nameSSvp%Get the name of the video definition.+/// Get the name of the video definition. 
1/// - Returns: The name of the video definition 
~T§7‚s:14HDLLinPhoneSDK11ChatMessageC5StateO9DisplayedyA2EmF2Message successfully displayed to the remote user.8/// Message successfully displayed to the remote user. 
ŠUñä1s:14HDLLinPhoneSDK4CoreC19sipTransportTimeoutSivpGet the SIP transport timeout.$/// Get the SIP transport timeout. 
;/// - Returns: The SIP transport timeout in milliseconds. 
éZD§3¾s:14HDLLinPhoneSDK14LoggingServiceC5error3msgySS_tF2Write a LinphoneLogLevelError message to the logs.8///    Write a LinphoneLogLevelError message to the logs. 
'/// - Parameter msg: The log message. 
/// 
th ;cs:14HDLLinPhoneSDK11ProxyConfigC15identityAddressAA0G0CSgvpK/// - Returns: the SIP identity that belongs to this proxy configuration. 
lñ˜T>¦s:14HDLLinPhoneSDK8ChatRoomC13securityLevelAA0de8SecurityG0Ovp&Get the security level of a chat room.,/// Get the security level of a chat room. 
4/// - Returns: The security level of the chat room 
Ùla    Eþs:14HDLLinPhoneSDK6BufferC10setContent7content4sizeySPys5UInt8VG_SitF#Set the content of the data buffer.)///    Set the content of the data buffer. 
:/// - Parameter content: The content of the data buffer. 
C/// - Parameter size: The size of the content of the data buffer. 
/// 
ÄlQßî2æs:14HDLLinPhoneSDK7FactoryC17imageResourcesDirSSvp8Get the directory where the image resources are located.>/// Get the directory where the image resources are located. 
P/// - Returns: The path to the directory where the image resources are located 
öoan¤_s:14HDLLinPhoneSDK12CoreDelegateC19onConfiguringStatus2lc6status7messageyAA0D0C_AA0G5StateOSStF?Callback prototype for configuring status changes notification.E///    Callback prototype for configuring status changes notification. 
&/// - Parameter lc: the LinphoneCore 
1/// - Parameter message: informational message. 
/// 
#ogË2Hs:14HDLLinPhoneSDK11MagicSearchC12useDelimiterSbvp0/// - Returns: if the delimiter search is used 
€r11x;¸s:14HDLLinPhoneSDK11ChatMessageC14addTextContent4textySS_tF'Adds a text content to the ChatMessage.-///    Adds a text content to the ChatMessage. 
7/// - Parameter text: The text to add to the message. 
/// 
­t¡+OGës:14HDLLinPhoneSDK4CoreC39senderNameHiddenInForwardMessageEnabledSbSgvp=Enable whether or not to hide sender name in forward message.C/// Enable whether or not to hide sender name in forward message. 
>/// - Parameter enable: whether or not to enable the feature 
/// 
âuÁè2Üs:14HDLLinPhoneSDK4CoreC20soundResourcesLockedSbyFòCheck if a call will need the sound resources in near future (typically an outgoing call that is awaiting response). In liblinphone, it is not possible to have two independant calls using sound device or camera at the same time. In order to prevent this situation, an application can use {@link Core#soundResourcesLocked} to know whether it is possible at a given time to start a new outgoing call. When the function returns true, an application should not allow the user to start an outgoing call. O///    Check if a call will need the sound resources in near future (typically an
////    outgoing call that is awaiting response). 
Q/// In liblinphone, it is not possible to have two independant calls using sound
N/// device or camera at the same time. In order to prevent this situation, an
P/// application can use {@link Core#soundResourcesLocked} to know whether it is
M/// possible at a given time to start a new outgoing call. When the function
P/// returns true, an application should not allow the user to start an outgoing
 /// call. 
/// 
T/// - Returns: A boolean value telling whether a call will need the sound resources
/// in near future 
vQ¨Q3`s:14HDLLinPhoneSDK13XmlRpcRequestC11rawResponseSSvpyGet the raw response to an XML-RPC request sent with {@link XmlRpcSession#sendRequest} and returning http body as string.@/// Get the raw response to an XML-RPC request sent with {@link
C/// XmlRpcSession#sendRequest} and returning http body as string. 
</// - Returns: The string response to the XML-RPC request. 
‰vAâ»$¢s:14HDLLinPhoneSDK6FriendC6removeyyFCRemoves a friend from it’s friend list and from the rc if exists.G///    Removes a friend from it's friend list and from the rc if exists. 
8w1ì%us:14HDLLinPhoneSDK4CoreC8identitySSvpöGets the default identity SIP address. This is an helper function. If no default proxy is set, this will return the primary contact ( see {@link Core#getPrimaryContact} ). If a default proxy is set it returns the registered identity on the proxy.,/// Gets the default identity SIP address. 
Q/// This is an helper function. If no default proxy is set, this will return the
R/// primary contact ( see {@link Core#getPrimaryContact} ). If a default proxy is
:/// set it returns the registered identity on the proxy. 
/// 
1/// - Returns: The default identity SIP address 
¥xqƒAJs:14HDLLinPhoneSDK14AccountCreatorC6StatusO0D12NotActivatedyA2EmFAccount not activated./// Account not activated. 
KyáC^a~s:14HDLLinPhoneSDK12CallDelegateC19onEncryptionChanged4call0F019authenticationTokenyAA0D0C_SbSStF!Call encryption changed callback.'///    Call encryption changed callback. 
H/// - Parameter call: LinphoneCall object whose encryption is changed. 
6/// - Parameter on: Whether encryption is activated. 
P/// - Parameter authenticationToken: An authentication_token, currently set for
#/// ZRTP kind of encryption only. 
/// 
é{¡Ñs*Às:14HDLLinPhoneSDK7CallLogC8userDataSvSgvp/Get the user data associated with the call log.5/// Get the user data associated with the call log. 
</// - Returns: The user data associated with the call log. 
@€1[è*ps:14HDLLinPhoneSDK8AVPFModeO7DefaultyA2CmF)Use default value defined at upper level.//// Use default value defined at upper level. 
‘Ró·s:14HDLLinPhoneSDK4CallC5StateOMLinphoneCallState enum represents the different states a call can reach into.R///LinphoneCallState enum represents the different states a call can reach into. 
Ñ‚ñ´C-Ms:14HDLLinPhoneSDK24AccountCreatorAlgoStatusOEnum algorithm checking.///Enum algorithm checking. 
‚qhNHs:14HDLLinPhoneSDK14AccountCreatorC0B12NumberStatusO18InvalidCountryCodeyA2EmFCountry code invalid./// Country code invalid. 
t‚¡:o:s:14HDLLinPhoneSDK9NatPolicyC23udpTurnTransportEnabledSbvpGTells whether UDP TURN transport is enabled. Used when TURN is enabled.2/// Tells whether UDP TURN transport is enabled. 
 /// Used when TURN is enabled. 
/// 
M/// - Returns: Boolean value telling whether UDP TURN transport is enabled. 
Œ„¡n=>"s:14HDLLinPhoneSDK7ContentC15getCustomHeader10headerNameS2S_tF'Get a custom header value of a content.-///    Get a custom header value of a content. 
K/// - Parameter headerName: The name of the header to get the value from. 
/// 
/// 
A/// - Returns: The value of the header if found, nil otherwise. 
R‰Áõ½`§s:14HDLLinPhoneSDK8ChatRoomC35notifyParticipantDeviceRegistration011participantH0yAA7AddressC_tF¸Notify the chatroom that a participant device has just registered. This function is meaningful only for server implementation of chatroom, and shall not by used by client applications.H///    Notify the chatroom that a participant device has just registered. 
P/// This function is meaningful only for server implementation of chatroom, and
//// shall not by used by client applications. 
øŠqMÄ2Øs:14HDLLinPhoneSDK11ProxyConfigC10dependencyACSgvp$Get the dependency of a ProxyConfig.,/// Get the dependency of a `ProxyConfig`. 
Q/// - Returns: The proxy config this one is dependent upon, or nil if not marked
/// dependent 
‹1ߐ:¦s:14HDLLinPhoneSDK4CoreC13presenceModelAA08PresenceF0CSgvpGet my presence model./// Get my presence model. 
T/// - Returns: A `PresenceModel` object, or nil if no presence model has been set. 
ÍŒÁi¶2Js:14HDLLinPhoneSDK16PresenceActivityC8toStringSSyF6Gets the string representation of a presence activity.<///    Gets the string representation of a presence activity. 
O/// - Returns: A pointer a dynamically allocated string representing the given
/// activity.
/// 
>/// The returned string is to be freed by calling ms_free(). 
Ä–AYƒ+|s:14HDLLinPhoneSDK4CoreC13pauseAllCallsyyKF"Pause all currently running calls.(///    Pause all currently running calls. 
/// - Returns: 0 
˜ñή8Ns:14HDLLinPhoneSDK6ReasonO22TemporarilyUnavailableyA2CmFTemporarily unavailable./// Temporarily unavailable. 
›™A‡´,&s:14HDLLinPhoneSDK4CoreC10dnsServersSaySSGvpWForces liblinphone to use the supplied list of dns servers, instead of system’s ones.T/// Forces liblinphone to use the supplied list of dns servers, instead of system's
 /// ones. 
Q/// - Parameter servers: A list of const char * objects. const char *  A list of
R/// strings containing the IP addresses of DNS servers to be used. Setting to nil
T/// restores default behaviour, which is to use the DNS server list provided by the
,/// system. The list is copied internally. 
/// 
“›<}Eüs:14HDLLinPhoneSDK23PushNotificationMessageC19isUsingUserDefaultsSbvpMis PushNotificationMessage build from UserDefaults data or from a ChatMessageH/// is `PushNotificationMessage` build from UserDefaults data or from a
/// `ChatMessage` 
,/// - Returns: The is_using_user_defaults. 
5ª±ÍÝ2<s:14HDLLinPhoneSDK14MediaDirectionO8RecvOnlyyA2CmFSend only mode./// Send only mode. 
W·Øú1šs:14HDLLinPhoneSDK4CoreC19terminateConferenceyyKFTerminate the running conference. If it is a local conference, all calls inside it will become back separate calls and will be put in #LinphoneCallPaused state. If it is a conference involving a focus server, all calls inside the conference will be terminated.'///    Terminate the running conference. 
O/// If it is a local conference, all calls inside it will become back separate
N/// calls and will be put in #LinphoneCallPaused state. If it is a conference
S/// involving a focus server, all calls inside the conference will be terminated. 
/// 
:/// - Returns: 0 if succeeded. Negative number if failed 
­ºñ-¶1Qs:14HDLLinPhoneSDK14LoggingServiceC8InstanceACvpZtGets the singleton logging service object. The singleton is automatically instantiated if it hasn’t been done yet.0/// Gets the singleton logging service object. 
L/// The singleton is automatically instantiated if it hasn't been done yet.
/// 
,/// - Returns: A pointer on the singleton. 
n»! Á/s:14HDLLinPhoneSDK5VcardC16generateUniqueIdSbyFtGenerates a random unique id for the vCard. If is required to be able to synchronize the vCard with a CardDAV server1///    Generates a random unique id for the vCard. 
N/// If is required to be able to synchronize the vCard with a CardDAV server 
/// 
N/// - Returns:  if operation is successful, otherwise true (for example if it
/// already has an unique ID) 
t»1É»(²s:14HDLLinPhoneSDK8EventLogC7subjectSSvp2Returns the subject of a conference subject event.8/// Returns the subject of a conference subject event. 
(/// - Returns: The conference subject. 
î¿Á¨Ts:14HDLLinPhoneSDK7HeadersCyObject representing a chain of protocol headers. It provides read/write access to the headers of the underlying protocol.6/// Object representing a chain of protocol headers. 
N/// It provides read/write access to the headers of the underlying protocol. 
[ÀA!”Ds:14HDLLinPhoneSDK13PresenceModelC11addActivity8activityyAA0dG0C_tKF%Adds an activity to a presence model.+///    Adds an activity to a presence model. 
N/// - Parameter activity: The `PresenceActivity` object to add to the model. 
/// 
/// 
?/// - Returns: 0 if successful, a value < 0 in case of error. 
ÔÆ¡DË2²s:14HDLLinPhoneSDK4CoreC8callLogsSayAA7CallLogCGvp'Get the list of call logs (past calls).-/// Get the list of call logs (past calls). 
>/// - Returns: A list of `CallLog` objects. LinphoneCallLog  
zÇÁTæ6ÿs:14HDLLinPhoneSDK16PresenceActivityC11descriptionSSvp,Gets the description of a presence activity.2/// Gets the description of a presence activity. 
T/// - Returns: A pointer to the description string of the presence activity, or nil
%/// if no description is specified. 
Áͱ Þ/’s:14HDLLinPhoneSDK4CoreC12createFriendAA0F0CyKF Create a default LinphoneFriend.&///    Create a default LinphoneFriend. 
,/// - Returns: The created `Friend` object 
7ÏÁI(rs:14HDLLinPhoneSDK7ContentC8filePathSSvpoGet the file transfer filepath set for this content (replace linphone_chat_message_get_file_transfer_filepath).A/// Get the file transfer filepath set for this content (replace
8/// linphone_chat_message_get_file_transfer_filepath). 
J/// - Returns: The file path set for this content if it has been set, nil
/// otherwise. 
AÐñó{Rps:14HDLLinPhoneSDK6ConfigC14newWithFactory14configFilename07factorydI0ACSgSS_SStFZËInstantiates a Config object from a user config file and a factory config file. The caller of this constructor owns a reference. linphone_config_unref must be called when this object is no longer needed.P///    Instantiates a `Config` object from a user config file and a factory config
 ///    file. 
S/// The caller of this constructor owns a reference. linphone_config_unref must be
1/// called when this object is no longer needed.
/// 
P/// - Parameter configFilename: the filename of the user config file to read to
$/// fill the instantiated `Config` 
R/// - Parameter factoryConfigFilename: the filename of the factory config file to
,/// read to fill the instantiated `Config` 
/// 
/// 
$/// - See also: linphone_config_new
/// 
Q/// The user config file is read first to fill the `Config` and then the factory
T/// config file is read. Therefore the configuration parameters defined in the user
T/// config file will be overwritten by the parameters defined in the factory config
 /// file. 
Ùñ¤1fs:14HDLLinPhoneSDK8ChatRoomC5StateO7CreatedyA2EmF$Chat room was created on the server.*/// Chat room was created on the server. 
¾Ü?²=is:14HDLLinPhoneSDK4CoreC20primaryContactParsedAA7AddressCSgvpbSame as {@link Core#getPrimaryContact} but the result is a Address object instead of const char *.P/// Same as {@link Core#getPrimaryContact} but the result is a `Address` object
/// instead of const char *. 
R/// - deprecated: Use {@link Core#createPrimaryContactParsed} instead. Deprecated
/// since 2018-10-22. 
ÑàÁàç/ßs:14HDLLinPhoneSDK11ProxyConfigC8userDataSvSgvp;Retrieve the user pointer associated with the proxy config.A/// Retrieve the user pointer associated with the proxy config. 
C/// - Returns: The user pointer associated with the proxy config. 
&á±É9*Fs:14HDLLinPhoneSDK12PublishStateO2OkyA2CmFPublish is accepted./// Publish is accepted. 
‡áѧ¨IDs:14HDLLinPhoneSDK12CoreDelegateC15onReferReceived2lc7referToyAA0D0C_SStFCallback prototype.///    Callback prototype. 
!ãaP‚eAs:14HDLLinPhoneSDK22AccountCreatorDelegateC010onActivateD07creator6status4respyAA0dE0C_AI6StatusOSStF(Callback to notify a response of server..///    Callback to notify a response of server. 
8/// - Parameter creator: LinphoneAccountCreator object 
P/// - Parameter status: The status of the LinphoneAccountCreator test existence
&/// operation that has just finished 
/// 
ØãáQ®RÊs:14HDLLinPhoneSDK12CallDelegateC18onCameraNotWorking4call10cameraNameyAA0D0C_SStF[Callback to notify that the camera is not working and has been changed to â€œNo Webcam”. A camera is detected as mis-functionning as soon as it outputs no frames at all during a period of 5 seconds. This check is only performed on desktop platforms, in the purpose of notifying camera failures, for example if when a usb cable gets disconnected.
R///    Callback to notify that the camera is not working and has been changed to "No
///    Webcam". 
T/// A camera is detected as mis-functionning as soon as it outputs no frames at all
J/// during a period of 5 seconds. This check is only performed on desktop
R/// platforms, in the purpose of notifying camera failures, for example if when a
!/// usb cable gets disconnected.
/// 
T/// - Parameter call: LinphoneCall for which the next video frame has been decoded 
@/// - Parameter cameraName: the name of the non-working camera 
/// 
ãã1?Ps:14HDLLinPhoneSDK6ConfigC8setFloat7section3key5valueySS_SSSftFSets a float config item.///    Sets a float config item. 
1èáë–:    s:14HDLLinPhoneSDK4CoreC28videoAdaptiveJittcompEnabledSbvp@Tells whether the video adaptive jitter compensation is enabled.F/// Tells whether the video adaptive jitter compensation is enabled. 
K/// - Returns:  if the video adaptive jitter compensation is enabled, true
/// otherwise. 
éáµ'(Fs:14HDLLinPhoneSDK9UpnpStateO4IdleyA2CmFuPnP is not activate/// uPnP is not activate 
Èêñ‹-Ís:14HDLLinPhoneSDK5VcardC14asVcard4StringSSyF7Returns the vCard4 representation of the LinphoneVcard.=///    Returns the vCard4 representation of the LinphoneVcard. 
9/// - Returns: a const char * that represents the vCard 
qñѝy.As:14HDLLinPhoneSDK4CoreC16dnsSearchEnabledSbvpiTells whether DNS search (use of local domain if the fully qualified name did return results) is enabled.R/// Tells whether DNS search (use of local domain if the fully qualified name did
!/// return results) is enabled. 
=/// - Returns:  if DNS search is enabled, true if disabled. 
’ö!Žö5¡s:14HDLLinPhoneSDK4CoreC11addAuthInfo4infoyAA0fG0C_tFŒAdds authentication information to the Core. That piece of information will be used during all SIP transactions that require authentication.4///    Adds authentication information to the `Core`. 
T/// That piece of information will be used during all SIP transactions that require
/// authentication. 
/// 
./// - Parameter info: The `AuthInfo` to add. 
/// 
÷ñ-ð5Rs:14HDLLinPhoneSDK11ProxyConfigC15registerEnabledSbvp:/// - Returns:  if registration to the proxy is enabled. 
÷pr%-s:14HDLLinPhoneSDK7CallLogC5toStrSSyF0Get a human readable string describing the call.6///    Get a human readable string describing the call. 
U/// - Note: : the returned string must be freed by the application (use ms_free()). 
/// 
=/// - Returns: A human readable string describing the call. 
Bø!Ý8Hs:14HDLLinPhoneSDK9CallStatsC21rtcpDownloadBandwidthSfvpfGet the bandwidth measurement of the received RTCP, expressed in kbit/s, including IP/UDP/RTP headers.M/// Get the bandwidth measurement of the received RTCP, expressed in kbit/s,
#/// including IP/UDP/RTP headers. 
J/// - Returns: The bandwidth measurement of the received RTCP in kbit/s. 
vúáÙºZ9s:14HDLLinPhoneSDK16ChatRoomDelegateC02onD11MessageSent2cr8eventLogyAA0dE0C_AA05EventL0CtFFCallback used to notify a chat room that a chat message is being sent.L///    Callback used to notify a chat room that a chat message is being sent. 
-/// - Parameter cr: LinphoneChatRoom object 
E/// - Parameter eventLog: LinphoneEventLog The event to be notified 
/// 
þ‘ùžGns:14HDLLinPhoneSDK4CoreC24LogCollectionUploadStateO12NotDeliveredyA2EmF(Log collection upload was not delivered../// Log collection upload was not delivered. 
\¼4–s:14HDLLinPhoneSDK9CallStatsC9upnpStateAA04UpnpG0Ovp!Get the state of uPnP processing.'/// Get the state of uPnP processing. 
./// - Returns: The state of uPnP processing. 
|r©Ls:14HDLLinPhoneSDK12CallDelegateC15onSnapshotTaken4call8filepathyAA0D0C_SStF(Callback for notifying a snapshot taken..///    Callback for notifying a snapshot taken. 
E/// - Parameter call: LinphoneCall for which the snapshot was taken 
6/// - Parameter filepath: the name of the saved file 
/// 
äÒL</Js:14HDLLinPhoneSDK6PlayerC5StateO7PlayingyA2EmFThe player is playing./// The player is playing. 
´ò…/ds:14HDLLinPhoneSDK15ChatRoomBackendV5BasicACvpZ#Basic (client-to-client) chat room.)/// Basic (client-to-client) chat room. 
²“ºs:14HDLLinPhoneSDK10ConferenceCtConference class The _LinphoneConference struct does not exists, it’s the Conference C++ class that is used behindP/// `Conference` class The _LinphoneConference struct does not exists, it's the
./// Conference C++ class that is used behind 
 
â~|<'s:14HDLLinPhoneSDK4CoreC17getFriendByRefKey3keyAA0F0CSgSS_tF%Search a Friend by its reference key.-///    Search a `Friend` by its reference key. 
E/// - Parameter key: The reference key to use to search the friend. 
/// 
/// 
N/// - Returns: The `Friend` object corresponding to the given reference key. 
f ¢6%m4s:14HDLLinPhoneSDK7FactoryC14createAuthInfo8username6userid6passwd3ha15realm6domain9algorithmAA0fG0CSS_S6StKFïCreates a AuthInfo object. The object can be created empty, that is with all arguments set to nil. Username, userid, password, realm and domain can be set later using specific methods. At the end, username and passwd (or ha1) are required."///    Creates a `AuthInfo` object. 
L/// The object can be created empty, that is with all arguments set to nil.
Q/// Username, userid, password, realm and domain can be set later using specific
E/// methods. At the end, username and passwd (or ha1) are required. 
/// 
G/// - Parameter username: The username that needs to be authenticated 
Q/// - Parameter userid: The userid used for authenticating (use nil if you don't
/// know what it is) 
4/// - Parameter passwd: The password in clear text 
R/// - Parameter ha1: The ha1-encrypted password if password is not given in clear
 /// text. 
S/// - Parameter realm: The authentication domain (which can be larger than the sip
F/// domain. Unfortunately many SIP servers don't use this parameter. 
T/// - Parameter domain: The SIP domain for which this authentication information is
@/// valid, if it has to be restricted for a single SIP domain. 
C/// - Parameter algorithm: The algorithm for encrypting password. 
/// 
/// 
Q/// - Returns: A `AuthInfo` object. linphone_auth_info_destroy() must be used to
S/// destroy it when no longer needed. The `Core` makes a copy of `AuthInfo` passed
'/// through {@link Core#addAuthInfo}. 
¢…K8Ls:14HDLLinPhoneSDK20PresenceActivityTypeO8SleepingyA2CmFThe person is sleeping./// The person is sleeping. 
qrX+:os:14HDLLinPhoneSDK14AccountCreatorC20ActivationCodeStatusO)Enum describing Activation code checking..///Enum describing Activation code checking. 
YòuïD‰s:14HDLLinPhoneSDK4CoreC20consolidatedPresenceAA012ConsolidatedF0OvpGet my consolidated presence.#/// Get my consolidated presence. 
)/// - Returns: My consolidated presence 
ˆ2Ò·l_s:14HDLLinPhoneSDK4CoreC09findOneToF8ChatRoom9localAddr011participantK09encryptedAA0hI0CSgAA7AddressC_ALSbtFxFind a one to one chat room. No reference is transfered to the application. The Core keeps a reference on the chat room.
"///    Find a one to one chat room. 
S/// No reference is transfered to the application. The `Core` keeps a reference on
/// the chat room. 
/// 
0/// - Parameter localAddr: a linphone address. 
6/// - Parameter participantAddr: a linphone address. 
N/// - Parameter encrypted: whether to look for an encrypted chat room or not 
/// 
/// 
;/// - Returns: `ChatRoom` where messaging can take place. 
]N|>s:14HDLLinPhoneSDK20ParticipantImdnStateC15stateChangeTimeSivpkGet the timestamp at which a participant has reached the state described by a LinphoneParticipantImdnState.R/// Get the timestamp at which a participant has reached the state described by a
#/// LinphoneParticipantImdnState. 
L/// - Returns: The timestamp at which the participant has reached the state
3/// described in the LinphoneParticipantImdnState 
ŸRÏ(·s:14HDLLinPhoneSDK4CoreC10rootCaDataSSvp&Sets the trusted root CAs (PEM format),/// Sets the trusted root CAs (PEM format) 
8/// - Parameter data: The trusted root CAs as a string 
/// 
Þ‚.ö;hs:14HDLLinPhoneSDK4CoreC13createAddress7addressAA0F0CSS_tKFPCreate a Address object by parsing the user supplied address, given as a string.O///    Create a `Address` object by parsing the user supplied address, given as a
 ///    string. 
F/// - Parameter address: String containing the user supplied address 
/// 
/// 
,/// - Returns: The create `Address` object 
)¢è–HPs:14HDLLinPhoneSDK11ChatMessageC23fileTransferInformationAA7ContentCSgvpiGet the file_transfer_information (used by call backs to recover informations during a rcs file transfer)R/// Get the file_transfer_information (used by call backs to recover informations
!/// during a rcs file transfer) 
L/// - Returns: a pointer to the `Content` structure or nil if not present. 
—DeBUs:14HDLLinPhoneSDK13PresenceModelC12getNthPerson3idxAA0dH0CSgSu_tF(Gets the nth person of a presence model..///    Gets the nth person of a presence model. 
Q/// - Parameter idx: The index of the person to get (the first person having the
/// index 0). 
/// 
/// 
U/// - Returns: A pointer to a `PresencePerson` object if successful, nil otherwise. 
ß$rñé4Ns:14HDLLinPhoneSDK9CallStatsC17downloadBandwidthSfvphGet the bandwidth measurement of the received stream, expressed in kbit/s, including IP/UDP/RTP headers.O/// Get the bandwidth measurement of the received stream, expressed in kbit/s,
#/// including IP/UDP/RTP headers. 
L/// - Returns: The bandwidth measurement of the received stream in kbit/s. 
k'b3—=Çs:14HDLLinPhoneSDK14PresencePersonC20clearActivitiesNotesyyKF1Clears the activities notes of a presence person.7///    Clears the activities notes of a presence person. 
?/// - Returns: 0 if successful, a value < 0 in case of error. 
ó)R²T's:14HDLLinPhoneSDK4CoreC10enableChatyyFzEnable reception of incoming chat messages. By default it is enabled but it can be disabled with {@link Core#disableChat}.1///    Enable reception of incoming chat messages. 
T/// By default it is enabled but it can be disabled with {@link Core#disableChat}. 
P-b›jAs:14HDLLinPhoneSDK22AccountCreatorDelegateC015onLoginLinphoneD07creator6status4respyAA0dE0C_AI6StatusOSStF(Callback to notify a response of server..///    Callback to notify a response of server. 
8/// - Parameter creator: LinphoneAccountCreator object 
P/// - Parameter status: The status of the LinphoneAccountCreator test existence
&/// operation that has just finished 
/// 
Þ3BŽ“)´s:14HDLLinPhoneSDK4CoreC11dnsSetByAppSbvp+Tells if the DNS was set by an application.1/// Tells if the DNS was set by an application. 
8/// - Returns:  if DNS was set by app, true otherwise. 
•62׍):s:14HDLLinPhoneSDK4CoreC11ipv6EnabledSbvp%Tells whether IPv6 is enabled or not.+/// Tells whether IPv6 is enabled or not. 
F/// - Returns: A boolean value telling whether IPv6 is enabled or not
/// 
R/// - See also: {@link Core#enableIpv6} for more details on how IPv6 is supported
/// in liblinphone. 
©?¢±1gAs:14HDLLinPhoneSDK22AccountCreatorDelegateC04onIsD9Activated7creator6status4respyAA0dE0C_AI6StatusOSStF(Callback to notify a response of server..///    Callback to notify a response of server. 
8/// - Parameter creator: LinphoneAccountCreator object 
P/// - Parameter status: The status of the LinphoneAccountCreator test existence
&/// operation that has just finished 
/// 
ÝD2¦N1ès:14HDLLinPhoneSDK13XmlRpcSessionC8userDataSvSgvp>Retrieve the user pointer associated with the XML-RPC session.D/// Retrieve the user pointer associated with the XML-RPC session. 
F/// - Returns: The user pointer associated with the XML-RPC session. 
D2b-"Qs:14HDLLinPhoneSDK13AddressFamilyOEnum describing Ip family.///Enum describing Ip family. 
EBè,s:14HDLLinPhoneSDK4CoreC15enterBackgroundyyFlThis method is called by the application to notify the linphone core library when it enters background mode.Q///    This method is called by the application to notify the linphone core library
%///    when it enters background mode. 
RGbi+ns:14HDLLinPhoneSDK14AccountCreatorC3ha1SSvp Get the ha1./// Get the ha1. 
0/// - Returns: The ha1 of the `AccountCreator` 
}G"4Û0Es:14HDLLinPhoneSDK15PresenceServiceC7contactSSvp'Gets the contact of a presence service.-/// Gets the contact of a presence service. 
S/// - Returns: A pointer to a dynamically allocated string containing the contact,
#/// or nil if no contact is found.
/// 
>/// The returned string is to be freed by calling ms_free(). 
úM²^‹:Às:14HDLLinPhoneSDK8ChatRoomC18createEmptyMessageAA0dH0CyKF;Creates an empty message attached to a dedicated chat room.A///    Creates an empty message attached to a dedicated chat room. 
$/// - Returns: a new `ChatMessage` 
äMrÀš5Ús:14HDLLinPhoneSDK4CoreC23isIncomingInvitePendingSbvp2Tells whether there is an incoming invite pending.8/// Tells whether there is an incoming invite pending. 
P/// - Returns: A boolean telling whether an incoming invite is pending or not. 
­O¢¸%ns:14HDLLinPhoneSDK16ConferenceParamsCParameters for initialization of conferences The _LinphoneConferenceParams struct does not exists, it’s the ConferenceParams C++ class that is used behind.O/// Parameters for initialization of conferences The _LinphoneConferenceParams
M/// struct does not exists, it's the ConferenceParams C++ class that is used
 /// behind. 
Q’ޝ)\s:14HDLLinPhoneSDK8LogLevelV7MessageACvpZLevel for information messages.%/// Level for information messages. 
QS²5Ä5@s:14HDLLinPhoneSDK4CallC5StateO14PausedByRemoteyA2EmFPaused by remote./// Paused by remote. 
àT"NgLºs:14HDLLinPhoneSDK6ConfigC26setOverwriteFlagForSection7section5valueySS_SbtFNSets the overwrite flag for a config section (used when dumping config as xml)T///    Sets the overwrite flag for a config section (used when dumping config as xml) 
6Uٝ`gs:14HDLLinPhoneSDK4CoreC09findOneToF8ChatRoom9localAddr011participantK0AA0hI0CSgAA7AddressC_AKtFxFind a one to one chat room. No reference is transfered to the application. The Core keeps a reference on the chat room. "///    Find a one to one chat room. 
S/// No reference is transfered to the application. The `Core` keeps a reference on
/// the chat room. 
/// 
0/// - Parameter localAddr: a linphone address. 
6/// - Parameter participantAddr: a linphone address. 
/// 
/// 
;/// - Returns: `ChatRoom` where messaging can take place. 
/// 
I/// - deprecated: Use linphone_core_find_one_to_one_chat_room_2 instead 
^VÅCés:14HDLLinPhoneSDK21VideoActivationPolicyC19automaticallyAcceptSbvp9Gets the value for the automatically accept video policy.?/// Gets the value for the automatically accept video policy. 
Q/// - Returns: whether or not to automatically accept video requests is enabled 
xXb,ts:14HDLLinPhoneSDK8AuthInfoC10tlsKeyPathSSvpGets the TLS key path./// Gets the TLS key path. 
"/// - Returns: The TLS key path. 
¸Z"Ý·es:14HDLLinPhoneSDK10AudioRouteO$Enum describing type of audio route.)///Enum describing type of audio route. 
_’¼šA>s:14HDLLinPhoneSDK14AccountCreatorC11EmailStatusO9MalformedyA2EmFEmail malformed./// Email malformed. 
hd’<1-„s:14HDLLinPhoneSDK6ReasonO11NotAnsweredyA2CmF3The call was not answered in time (request timeout)9/// The call was not answered in time (request timeout) 
‘eÒ*o<Bs:14HDLLinPhoneSDK14AccountCreatorC6StatusO0D8NotExistyA2EmFAccount not exist./// Account not exist. 
EhÒóõCas:14HDLLinPhoneSDK8ChatRoomC20createForwardMessage3msgAA0dH0CAG_tKFVCreates a forward message attached to a dedicated chat room with a particular message.R///    Creates a forward message attached to a dedicated chat room with a particular
///    message. 
=/// - Parameter msg: `ChatMessage` message to be forwarded. 
/// 
/// 
$/// - Returns: a new `ChatMessage` 
æi"ßB2ºs:14HDLLinPhoneSDK7CallLogC11fromAddressAA0G0CSgvp-Get the origin address (ie from) of the call.3/// Get the origin address (ie from) of the call. 
:/// - Returns: The origin address (ie from) of the call. 
8i’îÇ,Ïs:14HDLLinPhoneSDK6FriendC12capabilitiesSivp3Returns the capabilities associated to this friend.9/// Returns the capabilities associated to this friend. 
C/// - Returns: an int representing the capabilities of the friend 
 i2fgVÄs:14HDLLinPhoneSDK6FriendC24hasCapabilityWithVersion10capability7versionSbAA0dF0V_SftFEReturns whether or not a friend has a capbility with a given version.K///    Returns whether or not a friend has a capbility with a given version. 
=/// - Parameter capability: LinphoneFriendCapability object 
./// - Parameter version: the version to test 
/// 
/// 
T/// - Returns: whether or not a friend has a capbility with a given version or -1.0
#/// if friend has not capability. 
5j‚ÿ`®s:14HDLLinPhoneSDK18FriendListDelegateC19onSyncStatusChanged4list6status3msgyAA0dE0C_AI0hI0OSStFFCallback used to notify the status of the synchronization has changed.L///    Callback used to notify the status of the synchronization has changed. 
M/// - Parameter list: The LinphoneFriendList object for which the status has
 /// changed 
8/// - Parameter status: The new synchronisation status 
E/// - Parameter msg: An additional information on the status update 
/// 
5j¢›'—s:14HDLLinPhoneSDK10FriendListC6StatusO=Enum describing the status of a LinphoneFriendList operation.B///Enum describing the status of a LinphoneFriendList operation. 
?lBà£s:14HDLLinPhoneSDK11GlobalStateOBLinphoneGlobalState describes the global state of the Core object.I///LinphoneGlobalState describes the global state of the `Core` object. 
=mrt§'Âs:14HDLLinPhoneSDK7ContentC7subtypeSSvp)Get the mime subtype of the content data.//// Get the mime subtype of the content data. 
J/// - Returns: The mime subtype of the content data, for example "html". 
Mmh®r‘s:14HDLLinPhoneSDK4CoreC15createSubscribe8resource5proxy5event7expiresAA5EventCAA7AddressC_AA11ProxyConfigCSSSitKFeCreate an outgoing subscription, specifying the destination resource, the event name, and an optional content body. If accepted, the subscription runs for a finite period, but is automatically renewed if not terminated before. Unlike {@link Core#subscribe} the subscription isn’t sent immediately. It will be send when calling {@link Event#sendSubscribe}.T///    Create an outgoing subscription, specifying the destination resource, the event
)///    name, and an optional content body. 
Q/// If accepted, the subscription runs for a finite period, but is automatically
H/// renewed if not terminated before. Unlike {@link Core#subscribe} the
M/// subscription isn't sent immediately. It will be send when calling {@link
/// Event#sendSubscribe}. 
/// 
4/// - Parameter resource: the destination resource 
7/// - Parameter proxy: the proxy configuration to use 
'/// - Parameter event: the event name 
C/// - Parameter expires: the whished duration of the subscription 
/// 
/// 
J/// - Returns: a `Event` holding the context of the created subcription. 
Kqò<¸0Ïs:14HDLLinPhoneSDK4CoreC13createContentAA0F0CyKF8Create a content with default values from Linphone core.>///    Create a content with default values from Linphone core. 
9/// - Returns: `Content` object with default values set 
5z"—8 s:14HDLLinPhoneSDK6BufferC13newFromString4dataACSgSS_tFZ)Create a new Buffer object from a string.1///    Create a new `Buffer` object from a string. 
I/// - Parameter data: The initial string content of the LinphoneBuffer. 
/// 
/// 
'/// - Returns: A new `Buffer` object. 
¾z2T
/Œs:14HDLLinPhoneSDK4CoreC17expectedBandwidthSivpöSets expected available upload bandwidth This is IP bandwidth, in kbit/s. This information is used by liblinphone together with remote side available bandwidth signaled in SDP messages to properly configure audio & video codec’s output bitrate.O/// Sets expected available upload bandwidth This is IP bandwidth, in kbit/s. 
P/// This information is used by liblinphone together with remote side available
S/// bandwidth signaled in SDP messages to properly configure audio & video codec's
/// output bitrate.
/// 
>/// - Parameter bw: the bandwidth in kbits/s, 0 for infinite 
/// 
©¿-µs:14HDLLinPhoneSDK11PayloadTypeC8sendFmtpSSvp/Get the format parameters for outgoing streams.5/// Get the format parameters for outgoing streams. 
1/// - Returns: The format parameters as string. 
¬"4<!™s:14HDLLinPhoneSDK12EventLogTypeO>LinphoneEventLogType is used to indicate the type of an event.C///LinphoneEventLogType is used to indicate the type of an event. 
*‚<‚qs:14HDLLinPhoneSDK8AVPFModeO*Enum describing RTP AVPF activation modes.////Enum describing RTP AVPF activation modes. 
ƒ¢¢&3xs:14HDLLinPhoneSDK7FactoryC13createContentAA0F0CyKFCreates an object Content."///    Creates an object `Content`. 
/// - Returns: a `Content` 
    †t-+s:14HDLLinPhoneSDK9NatPolicyC10stunServerSSvpYGet the STUN/TURN server to use with this NAT policy. Used when STUN or TURN are enabled.;/// Get the STUN/TURN server to use with this NAT policy. 
)/// Used when STUN or TURN are enabled. 
/// 
9/// - Returns: The STUN server used by this NAT policy. 
‡‡²£)7Ls:14HDLLinPhoneSDK4CallC5StateO16IncomingReceivedyA2EmFIncoming call received./// Incoming call received. 
Óˆâ0·)Ts:14HDLLinPhoneSDK6ReasonO8DeclinedyA2CmFThe call has been declined.!/// The call has been declined. 
ˆs)Hìs:14HDLLinPhoneSDK12CoreDelegateC24onEcCalibrationAudioInit2lcyAA0D0C_tFMFunction prototype used by #linphone_core_cbs_set_ec_calibrator_audio_init().S///    Function prototype used by #linphone_core_cbs_set_ec_calibrator_audio_init(). 
/// - Parameter lc: The core. 
/// 
ŒrÁ 3ìs:14HDLLinPhoneSDK4CoreC20getLogCollectionPathSSvpZDGet the path where the log files will be written for log collection.J/// Get the path where the log files will be written for log collection. 
>/// - Returns: The path where the log files will be written. 
`ϲ7Rs:14HDLLinPhoneSDK4CallC5StateO16OutgoingProgressyA2EmFOutgoing call in progress. /// Outgoing call in progress. 
Ս‚K·<*s:14HDLLinPhoneSDK6FriendC12newFromVcard5vcardACSgAA0G0C_tFZBContructor same as linphone_friend_new + {@link Friend#setAddress}H///    Contructor same as linphone_friend_new + {@link Friend#setAddress} 
'/// - Parameter vcard: a vCard object 
/// 
/// 
7/// - Returns: a new `Friend` with vCard initialized  
ŽR%|A‰s:14HDLLinPhoneSDK4CoreC17setVideoPortRange03minG003maxG0ySi_SitFXSets the UDP port range from which to randomly select the port used for video streaming.R///    Sets the UDP port range from which to randomly select the port used for video
///    streaming. 
I/// - Parameter minPort: The lower bound of the video port range to use 
I/// - Parameter maxPort: The upper bound of the video port range to use 
/// 
šbiNJîs:14HDLLinPhoneSDK12CoreDelegateC14onChatRoomRead2lc4roomyAA0D0C_AA0gH0CtF"Chat room marked as read callback.(///    Chat room marked as read callback. 
)/// - Parameter lc: LinphoneCore object 
F/// - Parameter room: LinphoneChatRoom that has been marked as read. 
/// 
•ÂÕ2ßs:14HDLLinPhoneSDK4CallC9errorInfoAA05ErrorF0CSgvp>Returns full details about call errors or termination reasons.D/// Returns full details about call errors or termination reasons. 
=/// - Returns: `ErrorInfo` object holding the reason error. 
÷˜r߈*Ðs:14HDLLinPhoneSDK7ContentC8userDataSvSgvp6Retrieve the user pointer associated with the content.</// Retrieve the user pointer associated with the content. 
>/// - Returns: The user pointer associated with the content. 
O¥Ø'8Šs:14HDLLinPhoneSDK4CoreC19lastOutgoingCallLogAA0gH0CSgvp!Get the latest outgoing call log.'/// Get the latest outgoing call log. 
"/// - Returns: {LinphoneCallLog} 
²¦´0«s:14HDLLinPhoneSDK10FriendListC11displayNameSSvp(Get the display name of the friend list../// Get the display name of the friend list. 
5/// - Returns: The display name of the friend list. 
B§²°ž2¸s:14HDLLinPhoneSDK17SubscriptionStateO5ErroryA2CmFMSubscription was terminated by an error, indicated by {@link Event#getReason}S/// Subscription was terminated by an error, indicated by {@link Event#getReason} 
¿¨Ò†œFVs:14HDLLinPhoneSDK4CoreC11findFriends4addrSayAA6FriendCGAA7AddressC_tF&Search all Friend matching an address..///    Search all `Friend` matching an address. 
A/// - Parameter addr: The address to use to search the friends. 
/// 
/// 
N/// - Returns: A list of `Friend` objects. LinphoneFriend  a list of `Friend`
)/// corresponding to the given address. 
\ª")ïGs:14HDLLinPhoneSDK4CoreC28notifyNotifyPresenceReceived2lfyAA6FriendC_tFçNotifies the upper layer that a presence status has been received by calling the appropriate callback if one has been set. This method is for advanced usage, where customization of the liblinphone’s internal behavior is required.Q///    Notifies the upper layer that a presence status has been received by calling
3///    the appropriate callback if one has been set. 
P/// This method is for advanced usage, where customization of the liblinphone's
$/// internal behavior is required. 
/// 
P/// - Parameter lf: the `Friend` whose presence information has been received. 
/// 
¬’©cés:14HDLLinPhoneSDK7FactoryC14createAuthInfo8username6userid6passwd3ha15realm6domainAA0fG0CSS_S5StKFïCreates a AuthInfo object. The object can be created empty, that is with all arguments set to nil. Username, userid, password, realm and domain can be set later using specific methods. At the end, username and passwd (or ha1) are required."///    Creates a `AuthInfo` object. 
L/// The object can be created empty, that is with all arguments set to nil.
Q/// Username, userid, password, realm and domain can be set later using specific
E/// methods. At the end, username and passwd (or ha1) are required. 
/// 
G/// - Parameter username: The username that needs to be authenticated 
Q/// - Parameter userid: The userid used for authenticating (use nil if you don't
/// know what it is) 
4/// - Parameter passwd: The password in clear text 
R/// - Parameter ha1: The ha1-encrypted password if password is not given in clear
 /// text. 
S/// - Parameter realm: The authentication domain (which can be larger than the sip
F/// domain. Unfortunately many SIP servers don't use this parameter. 
T/// - Parameter domain: The SIP domain for which this authentication information is
@/// valid, if it has to be restricted for a single SIP domain. 
/// 
/// 
Q/// - Returns: A `AuthInfo` object. linphone_auth_info_destroy() must be used to
S/// destroy it when no longer needed. The `Core` makes a copy of `AuthInfo` passed
'/// through {@link Core#addAuthInfo}. 
¬b×á"s:14HDLLinPhoneSDK6FriendC4edityyF[Starts editing a friend configuration. Because friend configuration must be consistent, applications MUST call {@link Friend#edit} before doing any attempts to modify friend configuration (such as address  or subscription policy and so on). Once the modifications are done, then the application must call {@link Friend#done} to commit the changes.,///    Starts editing a friend configuration. 
S/// Because friend configuration must be consistent, applications MUST call {@link
S/// Friend#edit} before doing any attempts to modify friend configuration (such as
Q/// address  or subscription policy and so on). Once the modifications are done,
O/// then the application must call {@link Friend#done} to commit the changes. 
1³‚3×8Js:14HDLLinPhoneSDK11ChatMessageC12localAddressAA0G0CSgvpReturns the origin address of a message if it was a outgoing message, or the destination address if it was an incoming message.Q/// Returns the origin address of a message if it was a outgoing message, or the
8/// destination address if it was an incoming message. 
/// - Returns: `Address` 
¢³rÛ"&Œs:14HDLLinPhoneSDK7PrivacyO4NoneyA2CmF7Privacy services must not perform any privacy function.=/// Privacy services must not perform any privacy function. 
}´‚Y=,Ús:14HDLLinPhoneSDK4CoreC14useInfoForDtmfSbvp2Indicates whether SIP INFO is used to send digits.8/// Indicates whether SIP INFO is used to send digits. 
P/// - Returns: A boolean value telling whether SIP INFO is used to send digits 
»ÒÔÈ/ås:14HDLLinPhoneSDK14PresencePersonC7nbNotesSuvp9Gets the number of notes included in the presence person.?/// Gets the number of notes included in the presence person. 
M/// - Returns: The number of notes included in the `PresencePerson` object. 
í¾ò Ù)s:14HDLLinPhoneSDK20PresenceActivityTypeO1Activities as defined in section 3.2 of RFC 4480.6///Activities as defined in section 3.2 of RFC 4480. 
^Àm1œs:14HDLLinPhoneSDK15SubscribePolicyO6SPWaityA2CmF?Does not automatically accept an incoming subscription request.E/// Does not automatically accept an incoming subscription request. 
±Âr\9:Þs:14HDLLinPhoneSDK8EventLogC18participantAddressAA0G0CSgvpBReturns the participant address of a conference participant event.H/// Returns the participant address of a conference participant event. 
4/// - Returns: The conference participant address. 
êÄBºCÄs:14HDLLinPhoneSDK10CallParamsC16addCustomContent7contentyAA0H0C_tF-Adds a Content to be added to the INVITE SDP.5///    Adds a `Content` to be added to the INVITE SDP. 
5/// - Parameter content: The `Content` to be added. 
/// 
`ÅґÌ4Ps:14HDLLinPhoneSDK17RegistrationStateO7ClearedyA2CmFUnregistration succeeded./// Unregistration succeeded. 
¦Ç¢(.0s:14HDLLinPhoneSDK4CallC5StateO8ResumingyA2EmF    Resuming./// Resuming. 
ÜÊRAÊ0Ðs:14HDLLinPhoneSDK4CoreC18isNetworkReachableSbvpSreturn network state either as positioned by the application or by linphone itself.P/// return network state either as positioned by the application or by linphone
 /// itself. 
¯ÏRÓ.9ds:14HDLLinPhoneSDK4CallC27authenticationTokenVerifiedSbvpãReturns whether ZRTP authentication token is verified. If not, it must be verified by users as described in ZRTP procedure. Once done, the application must inform of the results with {@link Call#setAuthenticationTokenVerified}.</// Returns whether ZRTP authentication token is verified. 
T/// If not, it must be verified by users as described in ZRTP procedure. Once done,
;/// the application must inform of the results with {@link
+/// Call#setAuthenticationTokenVerified}. 
/// 
F/// - Returns:  if authentication token is verifed, false otherwise. 
èÓ²ÅR-.s:14HDLLinPhoneSDK4CallC5StateO7PausingyA2EmFPausing./// Pausing. 
ÚÕê·!‰s:14HDLLinPhoneSDK12XmlRpcStatusO6Enum describing the status of a LinphoneXmlRpcRequest.;///Enum describing the status of a LinphoneXmlRpcRequest. 
Òւ®^ms:14HDLLinPhoneSDK13XmlRpcSessionC13createRequest10returnType6methodAA0deH0CAA0de3ArgJ0O_SStKF-Creates a XmlRpcRequest from a XmlRpcSession.7///    Creates a `XmlRpcRequest` from a `XmlRpcSession`. 
@/// - Parameter returnType: the return type of the request as a
/// LinphoneXmlRpcArgType 
3/// - Parameter method: the function name to call 
/// 
/// 
)/// - Returns: a `XmlRpcRequest` object 
‘Öî8fs:14HDLLinPhoneSDK17SubscriptionStateO10TerminatedyA2CmF$Subscription is terminated normally.*/// Subscription is terminated normally. 
¾׎a:<s:14HDLLinPhoneSDK4CoreC15findCallFromUri3uriAA0F0CSgSS_tFDSearch from the list of current calls if a remote address match uri.J///    Search from the list of current calls if a remote address match uri. 
9/// - Parameter uri: which should match call remote uri 
/// 
/// 
3/// - Returns: `Call` or nil is no match is found 
W܂»»+Ôs:14HDLLinPhoneSDK11ChatMessageC9DirectionOVLinphoneChatMessageDirection is used to indicate if a message is outgoing or incoming.P///LinphoneChatMessageDirection is used to indicate if a message is outgoing or
///incoming. 
Üò~½&¯s:14HDLLinPhoneSDK17SecurityEventTypeOILinphoneSecurityEventType is used to indicate the type of security event.N///LinphoneSecurityEventType is used to indicate the type of security event. 
¨Þ&b3s:14HDLLinPhoneSDK6ConfigC16newForSharedCore10appGroupId14configFilename11factoryPathACSgSS_S2StFZQInstantiates a Config object from a user config file name, group id and a factory config file. The â€œgroup id” is the string that identify the â€œApp group” capability of the iOS application. App group gives access to a shared file system where all the configuration files for shared core are stored. Both iOS application and iOS app extension that need shared core must activate the â€œApp group” capability with the SAME â€œgroup id” in the project settings. The caller of this constructor owns a reference. linphone_config_unref must be called when this object is no longer needed.P///    Instantiates a `Config` object from a user config file name, group id and a
///    factory config file. 
Q/// The "group id" is the string that identify the "App group" capability of the
R/// iOS application. App group gives access to a shared file system where all the
Q/// configuration files for shared core are stored. Both iOS application and iOS
Q/// app extension that need shared core must activate the "App group" capability
I/// with the SAME "group id" in the project settings. The caller of this
Q/// constructor owns a reference. linphone_config_unref must be called when this
 /// object is no longer needed.
/// 
T/// - Parameter appGroupId: used to compute the path of the config file in the file
'/// system shared by the shared Cores 
P/// - Parameter configFilename: the filename of the user config file to read to
$/// fill the instantiated `Config` 
R/// - Parameter factoryConfigFilename: the filename of the factory config file to
,/// read to fill the instantiated `Config` 
/// 
/// 
$/// - See also: linphone_config_new
/// 
Q/// The user config file is read first to fill the `Config` and then the factory
T/// config file is read. Therefore the configuration parameters defined in the user
T/// config file will be overwritten by the parameters defined in the factory config
 /// file. 
Þ^a8Ÿs:14HDLLinPhoneSDK6FriendC13removeAddress4addryAA0F0C_tF"Removes an address in this friend.(///    Removes an address in this friend. 
(/// - Parameter addr: `Address` object 
/// 
9àÒñü&1s:14HDLLinPhoneSDK4CoreC9audioDscpSivpeGet the DSCP field for outgoing audio streams. The DSCP defines the quality of service in IP packets.4/// Get the DSCP field for outgoing audio streams. 
</// The DSCP defines the quality of service in IP packets. 
/// 
'/// - Returns: The current DSCP value 
oâW?js:14HDLLinPhoneSDK20PresenceActivityTypeO14LookingForWorkyA2CmF&The person is looking for (paid) work.,/// The person is looking for (paid) work. 
fårDŒ1ìs:14HDLLinPhoneSDK11ProxyConfigC4coreAA4CoreCSgvp;Get the Core object to which is associated the ProxyConfig.E/// Get the `Core` object to which is associated the `ProxyConfig`. 
L/// - Returns: The `Core` object to which is associated the `ProxyConfig`. 
 
ærXçDks:14HDLLinPhoneSDK23PushNotificationMessageC8fromAddrAA7AddressCSgvpGets the from_addr./// Gets the from_addr. 
/// - Returns: The from_addr. 
3ë ¾:ls:14HDLLinPhoneSDK7AddressC11hasUriParam03uriG4NameSbSS_tF>Tell whether a parameter is present in the URI of the address.D///    Tell whether a parameter is present in the URI of the address. 
9/// - Parameter uriParamName: The name of the parameter 
/// 
/// 
S/// - Returns: A boolean value telling whether the parameter is present in the URI
/// of the address 
¨ëÂâ-&s:14HDLLinPhoneSDK7FactoryC12mspluginsDirSSvp?Get the directory where the mediastreamer2 plugins are located.E/// Get the directory where the mediastreamer2 plugins are located. 
N/// - Returns: The path to the directory where the mediastreamer2 plugins are
,/// located, or nil if it has not been set 
úí23žs:14HDLLinPhoneSDK8ChatRoomC17historyEventsSizeSivp)Gets the number of events in a chat room.//// Gets the number of events in a chat room. 
&/// - Returns: the number of events. 
Îíòn|5Hs:14HDLLinPhoneSDK7AddressC8hasParam9paramNameSbSS_tF3Tell whether a parameter is present in the address.9///    Tell whether a parameter is present in the address. 
6/// - Parameter paramName: The name of the parameter 
/// 
/// 
O/// - Returns: A boolean value telling whether the parameter is present in the
 /// address 
§î2*ë5Ùs:14HDLLinPhoneSDK5VcardC13addSipAddress03sipG0ySS_tF9Adds a SIP address in the vCard, using the IMPP property.?///    Adds a SIP address in the vCard, using the IMPP property. 
4/// - Parameter sipAddress: the SIP address to add 
/// 
pï‚6¶As:14HDLLinPhoneSDK6FriendC13hasCapability10capabilitySbAA0dF0V_tF0Returns whether or not a friend has a capbility.6///    Returns whether or not a friend has a capbility. 
=/// - Parameter capability: LinphoneFriendCapability object 
/// 
/// 
8/// - Returns: whether or not a friend has a capbility 
4òB
Ô,ïs:14HDLLinPhoneSDK9NatPolicyC8userDataSvSgvp?Retrieve the user pointer associated with the NatPolicy object.G/// Retrieve the user pointer associated with the `NatPolicy` object. 
I/// - Returns: The user pointer associated with the `NatPolicy` object. 
ŽóÂu2„s:14HDLLinPhoneSDK7CallLogC6statusAA0D0C6StatusOvpGet the status of the call.!/// Get the status of the call. 
(/// - Returns: The status of the call. 
>ûÒïŠ=s:14HDLLinPhoneSDK5EventC15addCustomHeader4name5valueySS_SStF<Add a custom header to an outgoing susbscription or publish.B///    Add a custom header to an outgoing susbscription or publish. 
%/// - Parameter name: header's name 
,/// - Parameter value: the header's value. 
/// 
Öüâ»&Ns:14HDLLinPhoneSDK4CoreC9userAgentSSvp6/// - Returns: liblinphone's user agent as a string. 
ýBÜAZs:14HDLLinPhoneSDK8ChatRoomC11findMessage9messageIdAA0dG0CSgSS_tFUGets the chat message sent or received in this chat room that matches the message_id.N///    Gets the chat message sent or received in this chat room that matches the
///    message_id. 
:/// - Parameter messageId: The id of the message to find 
/// 
/// 
"/// - Returns: the `ChatMessage` 
ëÿÒ!5–s:14HDLLinPhoneSDK9CallStatsC18jitterBufferSizeMsSfvp!Get the jitter buffer size in ms.'/// Get the jitter buffer size in ms. 
./// - Returns: The jitter buffer size in ms. 
oã1R'Às:14HDLLinPhoneSDK7CallLogC7qualitySfvp/Get the overall quality indication of the call.5/// Get the overall quality indication of the call. 
</// - Returns: The overall quality indication of the call. 
:ó²û*>s:14HDLLinPhoneSDK8AVPFModeO7EnabledyA2CmFAVPF is enabled./// AVPF is enabled. 
ã³U- s:14HDLLinPhoneSDK4CallC6playerAA6PlayerCSgvp\Get a player associated with the call to play a local file and stream it to the remote peer.T/// Get a player associated with the call to play a local file and stream it to the
/// remote peer. 
"/// - Returns: A `Player` object 
þ Cpù5¬s:14HDLLinPhoneSDK4CoreC23stopConferenceRecordingyyKF&Stop recording the running conference.,///    Stop recording the running conference. 
:/// - Returns: 0 if succeeded. Negative number if failed 
¥ CòVQös:14HDLLinPhoneSDK4CoreC23getCallByRemoteAddress213remoteAddressAA0F0CSgAA0K0C_tF/Get the call with the remote_address specified.5///    Get the call with the remote_address specified. 
 /// - Parameter remoteAddress: 
/// 
/// 
0/// - Returns: the `Call` of the call if found 
`Óý¨"îs:14HDLLinPhoneSDK4CoreC5startyyKFStart a Core object after it has been instantiated and not automatically started. Also re-initialize a Core object that has been stopped using {@link Core#stop}. Must be called only if LinphoneGlobalState is either Ready of Off. State will changed to Startup, Configuring and then On.O///    Start a `Core` object after it has been instantiated and not automatically
///    started. 
J/// Also re-initialize a `Core` object that has been stopped using {@link
S/// Core#stop}. Must be called only if LinphoneGlobalState is either Ready of Off.
</// State will changed to Startup, Configuring and then On.
/// 
O/// - Returns: 0: success, -1: global failure, -2: could not connect database 
žCd&s:14HDLLinPhoneSDK12CoreDelegateC26onSubscriptionStateChanged2lc3lev5stateyAA0D0C_AA5EventCAA0gH0OtF~Callback prototype for notifying the application about changes of subscription states, including arrival of new subscriptions.S///    Callback prototype for notifying the application about changes of subscription
5///    states, including arrival of new subscriptions. 
£€1ûs:14HDLLinPhoneSDK13ImNotifPolicyC8userDataSvSgvpCRetrieve the user pointer associated with the ImNotifPolicy object.K/// Retrieve the user pointer associated with the `ImNotifPolicy` object. 
M/// - Returns: The user pointer associated with the `ImNotifPolicy` object. 
fsÌ9hs:14HDLLinPhoneSDK11ProxyConfigC12findAuthInfoAA0gH0CSgyFbFind authentication info matching proxy config, if any, similarly to linphone_core_find_auth_info.I///    Find authentication info matching proxy config, if any, similarly to
#///    linphone_core_find_auth_info. 
O/// - Returns: a `AuthInfo` matching proxy config criteria if possible, nil if
/// nothing can be found. 
)CÜ8µs:14HDLLinPhoneSDK10CallParamsC19realtimeTextEnabledSbvp,Use to get real time text following rfc4103.2/// Use to get real time text following rfc4103. 
7/// - Returns: returns true if call rtt is activated. 
O“•
<*s:14HDLLinPhoneSDK7FactoryC14getDownloadDir7contextSSSvSg_tFGet the download path.///    Get the download path. 
Q/// - Parameter context: used to compute path. can be nil. JavaPlatformHelper on
;/// Android and char *appGroupId on iOS with shared core. 
/// 
/// 
"/// - Returns: The download path 
ó±—Gfs:14HDLLinPhoneSDK10FriendListC14notifyPresence8presenceyAA0G5ModelC_tFzNotify our presence to all the friends in the friend list that have subscribed to our presence directly (not using a RLS).S///    Notify our presence to all the friends in the friend list that have subscribed
1///    to our presence directly (not using a RLS). 
3/// - Parameter presence: `PresenceModel` object. 
/// 
U#qÛ2ïs:14HDLLinPhoneSDK4CoreC20userCertificatesPathSSvp@Get the path to the directory storing the user’s certificates.D/// Get the path to the directory storing the user's certificates. 
K/// - Returns: The path to the directory storing the user's certificates. 
ƒˆBHs:14HDLLinPhoneSDK6FriendC20getCapabilityVersion10capabilitySfAA0dF0V_tF.Returns the version of a friend’s capbility.2///    Returns the version of a friend's capbility. 
=/// - Parameter capability: LinphoneFriendCapability object 
/// 
/// 
5/// - Returns: the version of a friend's capbility. 
2sý1, s:14HDLLinPhoneSDK23PushNotificationMessageCAObject holding chat message data received by a push notification.G/// Object holding chat message data received by a push notification. 
1 ( /s:14HDLLinPhoneSDK4CoreC17downloadBandwidthSivpkRetrieve the maximum available download bandwidth. This value was set by {@link Core#setDownloadBandwidth}.8/// Retrieve the maximum available download bandwidth. 
>/// This value was set by {@link Core#setDownloadBandwidth}. 
—!£Ñº-Qs:14HDLLinPhoneSDK4CallC010transfererD0ACSgvpµGets the transferer if this call was started automatically as a result of an incoming transfer request. The call in which the transfer request was received is returned in this case.Q/// Gets the transferer if this call was started automatically as a result of an
 /// incoming transfer request. 
S/// The call in which the transfer request was received is returned in this case. 
/// 
S/// - Returns: The transferer call if the specified call was started automatically
@/// as a result of an incoming transfer request, nil otherwise 
"3þ‚=ês:14HDLLinPhoneSDK13PresenceModelC7getNote4langAA0dG0CSgSS_tFDGets the first note of a presence model (there is usually only one).J///    Gets the first note of a presence model (there is usually only one). 
P/// - Parameter lang: The language of the note to get. Can be nil to get a note
T/// that has no language specified or to get the first note whatever language it is
/// written into. 
/// 
/// 
S/// - Returns: A pointer to a `PresenceNote` object if successful, nil otherwise. 
Ý&SY­^=s:14HDLLinPhoneSDK16ChatRoomDelegateC20onParticipantRemoved2cr8eventLogyAA0dE0C_AA05EventL0CtFHCallback used to notify a chat room that a participant has been removed.N///    Callback used to notify a chat room that a participant has been removed. 
-/// - Parameter cr: LinphoneChatRoom object 
E/// - Parameter eventLog: LinphoneEventLog The event to be notified 
/// 
ø+3v7Òs:14HDLLinPhoneSDK20PresenceActivityTypeO7PlayingyA2CmFTThe person is occupying himself or herself in amusement, sport, or other recreation.M/// The person is occupying himself or herself in amusement, sport, or other
/// recreation. 
n.óÃ#Ês:14HDLLinPhoneSDK14AccountCreatorCOThe AccountCreator object used to configure an account on a server via XML-RPC.M/// The `AccountCreator` object used to configure an account on a server via
/// XML-RPC. 
;03áW0hs:14HDLLinPhoneSDK4CallC11getToHeader4nameS2S_tF%Returns the value of the header name.+///    Returns the value of the header name. 
=ã4=°s:14HDLLinPhoneSDK10CallParamsC14videoDirectionAA05MediaG0OvpGet the video stream direction.%/// Get the video stream direction. 
L/// - Returns: The video stream direction associated with the call params. 
]=s°:ÿs:14HDLLinPhoneSDK4CoreC27getLogCollectionMaxFileSizeSivpZDGet the max file size in bytes of the files used for log collection.J/// Get the max file size in bytes of the files used for log collection. 
Q/// - Returns: The max file size in bytes of the files used for log collection. 
_>‰¿A\s:14HDLLinPhoneSDK4CoreC11getChatRoom4addrAA0fG0CSgAA7AddressC_tFÃGet a basic chat room whose peer is the supplied address. If it does not exist yet, it will be created. No reference is transfered to the application. The Core keeps a reference on the chat room.?///    Get a basic chat room whose peer is the supplied address. 
T/// If it does not exist yet, it will be created. No reference is transfered to the
A/// application. The `Core` keeps a reference on the chat room. 
/// 
+/// - Parameter addr: a linphone address. 
/// 
/// 
;/// - Returns: `ChatRoom` where messaging can take place. 
dC³F42s:14HDLLinPhoneSDK20ChatRoomCapabilitiesV5BasicACvpZ
No server./// No server. 
EãAÏ+¹s:14HDLLinPhoneSDK11ChatMessageC6isTextSbvp/Return whether or not a chat message is a text.5/// Return whether or not a chat message is a text. 
5/// - Returns: Whether or not the message is a text 
¡Hã‰#7És:14HDLLinPhoneSDK7FactoryC9dialPlansSayAA8DialPlanCGvp(Returns a bctbx_list_t of all DialPlans../// Returns a bctbx_list_t of all DialPlans. 
S/// - Returns: A list of `DialPlan` objects. LinphoneDialPlan  a list of DialPlan 
õI>`${s:14HDLLinPhoneSDK15MediaEncryptionO/Enum describing type of media encryption types.4///Enum describing type of media encryption types. 
YI#6ÔR¥s:14HDLLinPhoneSDK18FriendListDelegateC16onContactCreated4list2lfyAA0dE0C_AA0D0CtFdCallback used to notify a new contact has been created on the CardDAV server and downloaded locally.Q///    Callback used to notify a new contact has been created on the CardDAV server
///    and downloaded locally. 
Q/// - Parameter list: The LinphoneFriendList object the new contact is added to 
E/// - Parameter lf: The LinphoneFriend object that has been created 
/// 
6O3*
FÚs:14HDLLinPhoneSDK8EventLogC08securityD19FaultyDeviceAddressAA0I0CSgvpAReturns the faulty device address of a conference security event.G/// Returns the faulty device address of a conference security event. 
2/// - Returns: The address of the faulty device. 
ìO3ˆ­@s:14HDLLinPhoneSDK6PlayerCPlayer interface./// Player interface. 
°Qc9¸6Gs:14HDLLinPhoneSDK4CallC7decline6reasonyAA6ReasonO_tKF/Decline a pending incoming call, with a reason.5///    Decline a pending incoming call, with a reason. 
R/// - Parameter reason: The reason for rejecting the call: LinphoneReasonDeclined
/// or LinphoneReasonBusy 
/// 
/// 
,/// - Returns: 0 on success, -1 on failure 
U£¶ìkæs:14HDLLinPhoneSDK12CoreDelegateC16onNotifyReceived2lc3lev13notifiedEvent4bodyyAA0D0C_AA0L0CSSAA7ContentCtF^Callback prototype for notifying the application about notification received from the network.Q///    Callback prototype for notifying the application about notification received
///    from the network. 
XS_=°s:14HDLLinPhoneSDK10CallParamsC14audioDirectionAA05MediaG0OvpGet the audio stream direction.%/// Get the audio stream direction. 
L/// - Returns: The audio stream direction associated with the call params. 
FZ“Ä•;ís:14HDLLinPhoneSDK4CoreC12friendsListsSayAA10FriendListCGvp/Retrieves the list of FriendList from the core.7/// Retrieves the list of `FriendList` from the core. 
M/// - Returns: A list of `FriendList` objects. LinphoneFriendList  a list of
/// `FriendList` 
¡Zó2GSs:14HDLLinPhoneSDK7FactoryC20createBufferFromData4data4sizeAA0F0CSPys5UInt8VG_SitKFCreates an object Buffer.!///    Creates an object `Buffer`. 
5/// - Parameter data: the data to set in the buffer 
,/// - Parameter size: the size of the data 
/// 
/// 
/// - Returns: a `Buffer` 
]Ãb;;s:14HDLLinPhoneSDK7FactoryC13createAddress4addrAA0F0CSS_tKFIParse a string holding a SIP URI and create the according Address object.Q///    Parse a string holding a SIP URI and create the according `Address` object. 
>/// - Parameter addr: A string holding the SIP URI to parse. 
/// 
/// 
!/// - Returns: A new `Address`. 
`ÃÇl+·s:14HDLLinPhoneSDK11ProxyConfigC6domainSSvp.Get the domain name of the given proxy config.4/// Get the domain name of the given proxy config. 
5/// - Returns: The domain name of the proxy config. 
aƒó"7|s:14HDLLinPhoneSDK8ChatRoomC13currentParamsAA0deG0CSgvpøReturns current parameters associated with the chat room. This is typically the parameters passed at chat room creation to {@link Core#createChatRoom} or some default parameters if no ChatRoomParams was explicitely passed during chat room creation.?/// Returns current parameters associated with the chat room. 
L/// This is typically the parameters passed at chat room creation to {@link
O/// Core#createChatRoom} or some default parameters if no `ChatRoomParams` was
3/// explicitely passed during chat room creation. 
/// 
2/// - Returns: the chat room current parameters. 
ËesM.1Žs:14HDLLinPhoneSDK5EventC8resourceAA7AddressCSgvp8Get the resource address of the subscription or publish.>/// Get the resource address of the subscription or publish. 
ÑiCmËPLs:14HDLLinPhoneSDK4CoreC12findAuthInfo5realm8username9sipDomainAA0fG0CSgSS_S2StFðFind authentication info matching realm, username, domain criteria. First of all, (realm,username) pair are searched. If multiple results (which should not happen because realm are supposed to be unique), then domain is added to the search. I///    Find authentication info matching realm, username, domain criteria. 
Q/// First of all, (realm,username) pair are searched. If multiple results (which
O/// should not happen because realm are supposed to be unique), then domain is
/// added to the search. 
/// 
>/// - Parameter realm: the authentication 'realm' (optional) 
L/// - Parameter username: the SIP username to be authenticated (mandatory) 
;/// - Parameter sipDomain: the SIP domain name (optional) 
/// 
/// 
/// - Returns: a `AuthInfo` 
VlÃj;4³s:14HDLLinPhoneSDK15PresenceServiceC10clearNotesyyKF'Clears the notes of a presence service.-///    Clears the notes of a presence service. 
?/// - Returns: 0 if successful, a value < 0 in case of error. 
l£ç2Ôs:14HDLLinPhoneSDK18EcCalibratorStatusO4DoneyA2CmFUThe echo canceller calibration has been performed and produced an echo delay measure.Q/// The echo canceller calibration has been performed and produced an echo delay
/// measure. 
'mÓ/‘ERs:14HDLLinPhoneSDK14AccountCreatorC6StatusO0D16AlreadyActivatedyA2EmFAccount already activated. /// Account already activated. 
Jm“³Þ,Vs:14HDLLinPhoneSDK4CoreC14stopEchoTesteryyKFStop the simulation of call."///    Stop the simulation of call. 
¨m¦6-£s:14HDLLinPhoneSDK8EventLogC4callAA4CallCSgvp,Returns the call of a conference call event.2/// Returns the call of a conference call event. 
%/// - Returns: The conference call. 
ãpV*7}s:14HDLLinPhoneSDK4CoreC10transportsAA10TransportsCSgvpñRetrieves the port configuration used for each transport (udp, tcp, tls). A zero value port for a given transport means the transport is not used. A value of LC_SIP_TRANSPORT_RANDOM (-1) means the port is to be chosen randomly by the system.O/// Retrieves the port configuration used for each transport (udp, tcp, tls). 
O/// A zero value port for a given transport means the transport is not used. A
R/// value of LC_SIP_TRANSPORT_RANDOM (-1) means the port is to be chosen randomly
/// by the system. 
/// 
C/// - Returns: A `Transports` structure with the configured ports 
÷qCïÆPˆs:14HDLLinPhoneSDK10FriendListC20findFriendsByAddress7addressSayAA0D0CGAA0I0C_tF<Find all friends in the friend list using a LinphoneAddress.B///    Find all friends in the friend list using a LinphoneAddress. 
Q/// - Parameter address: `Address` object of the friends we want to search for. 
/// 
/// 
T/// - Returns: A list of `Friend` objects. LinphoneFriend  as a list of `Friend` if
/// found, nil otherwise. 
QrcaÑ$Ûs:14HDLLinPhoneSDK15VideoDefinitionCWThe VideoDefinition object represents a video definition, eg. its width and its height.E/// The `VideoDefinition` object represents a video definition, eg. 
/// its width and its height. 
{wƒî·-ts:14HDLLinPhoneSDK14AccountCreatorC5emailSSvpGet the email./// Get the email. 
2/// - Returns: The email of the `AccountCreator` 
|xó¾Av„s:14HDLLinPhoneSDK12CoreDelegateC26onRegistrationStateChanged2lc3cfg6cstate7messageyAA0D0C_AA11ProxyConfigCAA0gH0OSStF3Registration state notification callback prototype.9///    Registration state notification callback prototype. 
xӏ¢5s:14HDLLinPhoneSDK6ConfigC17sectionsNamesListSaySSGvp<Returns the list of sections’ names in the LinphoneConfig.@/// Returns the list of sections' names in the LinphoneConfig. 
S/// - Returns: A list of char * objects. char *  a null terminated static array of
 /// strings 
…cug?›s:14HDLLinPhoneSDK10CallParamsC19sentVideoDefinitionAA0gH0CSgvp%Get the definition of the sent video.+/// Get the definition of the sent video. 
+/// - Returns: The sent `VideoDefinition` 
W‡s£g,is:14HDLLinPhoneSDK11PayloadTypeC04mimeE0SSvpGet the mime type./// Get the mime type. 
/// - Returns: The mime type. 
¨‰óÊ&hs:14HDLLinPhoneSDK7CallLogC6refKeySSvpÍGet the persistent reference key associated to the call log. The reference key can be for example an id to an external database. It is stored in the config file, thus can survive to process exits/restarts.B/// Get the persistent reference key associated to the call log. 
N/// The reference key can be for example an id to an external database. It is
K/// stored in the config file, thus can survive to process exits/restarts.
/// 
R/// - Returns: The reference key string that has been associated to the call log,
)/// or nil if none has been associated. 
;ŠƒÝ2ºs:14HDLLinPhoneSDK4CoreC20callLogsDatabasePathSSvp:Gets the database filename where call logs will be stored.@/// Gets the database filename where call logs will be stored. 
 /// - Returns: filesystem path 
{Šƒûw;ís:14HDLLinPhoneSDK4CoreC14addProxyConfig6configyAA0fG0C_tKFaAdd a proxy configuration. This will start registration on the proxy, if registration is enabled. ///    Add a proxy configuration. 
L/// This will start registration on the proxy, if registration is enabled. 
!Ž#039Es:14HDLLinPhoneSDK11ChatMessageC19ephemeralExpireTimeSivpPReturns the real time at which an ephemeral message expires and will be deleted.L/// Returns the real time at which an ephemeral message expires and will be
/// deleted. 
S/// - Returns: the time at which an ephemeral message expires. 0 means the message
/// has not been read. 
’Óª].Hs:14HDLLinPhoneSDK6PlayerC5StateO6PausedyA2EmFThe player is paused./// The player is paused. 
³“sEó Îs:14HDLLinPhoneSDK11ChatMessageCRAn chat message is the object that is sent and received through LinphoneChatRooms.D/// An chat message is the object that is sent and received through
/// LinphoneChatRooms. 
~—Ó¤ë1|s:14HDLLinPhoneSDK8DialPlanC10getAllListSayACGvpZQ/// - Returns: A list of `DialPlan` objects. LinphoneDialPlan  of all known dial
 /// plans 
¶˜SŠ,3¾s:14HDLLinPhoneSDK14LoggingServiceC5fatal3msgySS_tF2Write a LinphoneLogLevelFatal message to the logs.8///    Write a LinphoneLogLevelFatal message to the logs. 
'/// - Parameter msg: The log message. 
/// 
uš£û(os:14HDLLinPhoneSDK4CallC11cancelDtmfsyyFStop current DTMF sequence sending. Please note that some DTMF could be already sent, depending on when this function call is delayed from linphone_call_send_dtmfs. This function will be automatically called if call state change to anything but LinphoneCallStreamsRunning.)///    Stop current DTMF sequence sending. 
M/// Please note that some DTMF could be already sent, depending on when this
R/// function call is delayed from linphone_call_send_dtmfs. This function will be
>/// automatically called if call state change to anything but
!/// LinphoneCallStreamsRunning. 
ó5ª,,s:14HDLLinPhoneSDK4CallC5StateO6PausedyA2EmFPaused. /// Paused. 
ÛŸðÆ$s:14HDLLinPhoneSDK7ContentC4nameSSvpGet the name associated with a RCS file transfer message. It is used to store the original filename of the file to be downloaded from server.?/// Get the name associated with a RCS file transfer message. 
P/// It is used to store the original filename of the file to be downloaded from
 /// server. 
/// 
)/// - Returns: The name of the content. 
I Ã=îds:14HDLLinPhoneSDK19ChatMessageDelegateC29onParticipantImdnStateChanged3msg5stateyAA0dE0C_AA0hiJ0CtF0Call back used to notify participant IMDN state.6///    Call back used to notify participant IMDN state. 
1/// - Parameter msg: LinphoneChatMessage object 
5/// - Parameter state: LinphoneParticipantImdnState 
/// 
î¤ãÁæ=xs:14HDLLinPhoneSDK9CallStatsC26estimatedDownloadBandwidthSfvprGet the estimated bandwidth measurement of the received stream, expressed in kbit/s, including IP/UDP/RTP headers.Q/// Get the estimated bandwidth measurement of the received stream, expressed in
+/// kbit/s, including IP/UDP/RTP headers. 
M/// - Returns: The estimated bandwidth measurement of the received stream in
 /// kbit/s. 
l¤ó®5Hs:14HDLLinPhoneSDK14LoggingServiceC16currentCallbacksAA0dE8DelegateCSgvpHReturns the current callbacks being called while iterating on callbacks.N/// Returns the current callbacks being called while iterating on callbacks. 
J/// - Returns: A pointer to the current LinphoneLoggingServiceCbs object 
o¥ãÌ)¹s:14HDLLinPhoneSDK4CoreC11tlsCertPathSSvp*Gets the path to the TLS certificate file.0/// Gets the path to the TLS certificate file. 
?/// - Returns: the TLS certificate path or nil if not set yet 
ô¦ÃqM,¸s:14HDLLinPhoneSDK4CoreC14avpfRrIntervalSivp+Return the avpf report interval in seconds.1/// Return the avpf report interval in seconds. 
</// - Returns: The current AVPF report interval in seconds 
y¨]Ls:14HDLLinPhoneSDK14ChatRoomParamsC17encryptionBackendAA0de10EncryptionH0VvpXGet the encryption implementation of the chat room associated with the given parameters.Q/// Get the encryption implementation of the chat room associated with the given
/// parameters. 
2/// - Returns: LinphoneChatRoomEncryptionBackend 
­#LâB)s:14HDLLinPhoneSDK4CoreC29currentPreviewVideoDefinitionAA0gH0CSgvp«Get the effective video definition provided by the camera for the captured video. When preview is disabled or not yet started this function returns a 0x0 video definition.O/// Get the effective video definition provided by the camera for the captured
 /// video. 
R/// When preview is disabled or not yet started this function returns a 0x0 video
/// definition. 
/// 
./// - Returns: The captured `VideoDefinition`
/// 
8/// - See also: {@link Core#setPreviewVideoDefinition} 
Œ®“ê $"s:14HDLLinPhoneSDK7PrivacyO2IdyA2CmFðrfc3325 The presence of this privacy type in a Privacy header field indicates that the user would like the Network Asserted Identity to be kept private with respect to SIP entities outside the Trust Domain with which the user authenticated.R/// rfc3325 The presence of this privacy type in a Privacy header field indicates
S/// that the user would like the Network Asserted Identity to be kept private with
I/// respect to SIP entities outside the Trust Domain with which the user
/// authenticated. 
®Cœ©6·s:14HDLLinPhoneSDK8DialPlanC20nationalNumberLengthSivp3Returns the national number length of the dialplan.9/// Returns the national number length of the dialplan. 
+/// - Returns: the national number length 
¾°³B¶* s:14HDLLinPhoneSDK11PayloadTypeC5isVbrSbvpMTells whether the specified payload type represents a variable bitrate codec.S/// Tells whether the specified payload type represents a variable bitrate codec. 
K/// - Returns:  if the payload type represents a VBR codec, true instead. 
§´$Ø:ës:14HDLLinPhoneSDK4CoreC13removeCallLog04callG0yAA0fG0C_tF®Remove a specific call log from call history list. This function destroys the call log object. It must not be accessed anymore by the application after calling this function.8///    Remove a specific call log from call history list. 
S/// This function destroys the call log object. It must not be accessed anymore by
2/// the application after calling this function. 
/// 
6/// - Parameter callLog: `CallLog` object to remove. 
/// 
޹cý3Fs:14HDLLinPhoneSDK17RegistrationStateO6FailedyA2CmFRegistration failed./// Registration failed. 
§¹
jMTs:14HDLLinPhoneSDK14AccountCreatorC14UsernameStatusO17InvalidCharactersyA2EmFContain invalid characters.!/// Contain invalid characters. 
n¹ƒ´ß!Äs:14HDLLinPhoneSDK4CoreC4ringSSvp2Returns the path to the wav file used for ringing.8/// Returns the path to the wav file used for ringing. 
:/// - Returns: The path to the wav file used for ringing 
Ù»sz™3ës:14HDLLinPhoneSDK8ChatRoomC17isRemoteComposingSbvp:Tells whether the remote is currently composing a message.@/// Tells whether the remote is currently composing a message. 
Q/// - Returns:  if the remote is currently composing a message, true otherwise. 
ѼÓsÇ@s:14HDLLinPhoneSDK15VideoDefinitionC03setE05width6heightySu_SutF5Set the width and the height of the video definition.;///    Set the width and the height of the video definition. 
:/// - Parameter width: The width of the video definition 
</// - Parameter height: The height of the video definition 
/// 
ƒ¾cRi-±s:14HDLLinPhoneSDK6BufferC13stringContentSSvp*Get the string content of the data buffer.0/// Get the string content of the data buffer. 
7/// - Returns: The string content of the data buffer. 
¾ã9:.s:14HDLLinPhoneSDK14AccountCreatorC02isD5ExistAC6StatusOyF:Send a request to know the existence of account on server.@///    Send a request to know the existence of account on server. 
S/// - Returns: LinphoneAccountCreatorStatusRequestOk if the request has been sent,
9/// LinphoneAccountCreatorStatusRequestFailed otherwise 
‹ÁƒÞÿA"s:14HDLLinPhoneSDK11ChatMessageC15downloadContent01cG0SbAA0G0C_tFSStart the download of the Content referenced in the ChatMessage from remote server.T///    Start the download of the `Content` referenced in the `ChatMessage` from remote
 ///    server. 
9/// - Parameter cContent: `Content` object to download. 
/// 
¯ÁƒÁÅ>ûs:14HDLLinPhoneSDK11ChatMessageC24isFileTransferInProgressSbvpEGets whether or not a file is currently being downloaded or uploaded.K/// Gets whether or not a file is currently being downloaded or uploaded. 
K/// - Returns: true if download or upload is in progress, false otherwise 
œÁÓÿâBHs:14HDLLinPhoneSDK14AccountCreatorC0B12NumberStatusO7InvalidyA2EmFPhone number invalid./// Phone number invalid. 
uƒ¢¬1^s:14HDLLinPhoneSDK17RegistrationStateO4NoneyA2CmF Initial state for registrations.&/// Initial state for registrations. 
£Ã#Èp'âs:14HDLLinPhoneSDK4CoreC8userDataSvSgvp>Retrieves the user pointer that was given to linphone_core_newD/// Retrieves the user pointer that was given to linphone_core_new 
@/// - Returns: The user data associated with the `Core` object 
Ä#Ò²1´s:14HDLLinPhoneSDK4CoreC19videoCaptureEnabledSbvp'Tells whether video capture is enabled.-/// Tells whether video capture is enabled. 
@/// - Returns:  if video capture is enabled, true if disabled. 
ÇcªwCPs:14HDLLinPhoneSDK14AccountCreatorC6StatusO0D14ExistWithAliasyA2EmFAccount exist with alias./// Account exist with alias. 
DËÃåÍ:qs:14HDLLinPhoneSDK8ChatRoomC04sendD7Message3msgyAA0dG0C_tF×Send a message to peer member of this chat room. The state of the sending message will be notified via the callbacks defined in the LinphoneChatMessageCbs object that can be obtained by calling linphone_chat_message_get_callbacks. - Note: Unlike linphone_chat_room_send_chat_message, that function only takes a reference on the ChatMessage instead of totaly takes ownership on it. Thus, the ChatMessage object must be released by the API user after calling that function. 6///    Send a message to peer member of this chat room. 
S/// The state of the sending message will be notified via the callbacks defined in
F/// the LinphoneChatMessageCbs object that can be obtained by calling
8/// linphone_chat_message_get_callbacks. - Note: Unlike
R/// linphone_chat_room_send_chat_message, that function only takes a reference on
I/// the `ChatMessage` instead of totaly takes ownership on it. Thus, the
M/// `ChatMessage` object must be released by the API user after calling that
/// function.
/// 
+/// - Parameter msg: The message to send. 
/// 
üÐ#ãqA»s:14HDLLinPhoneSDK11ChatMessageC13removeContent7contentyAA0G0C_tF'Removes a content from the ChatMessage.-///    Removes a content from the ChatMessage. 
:/// - Parameter content: the `Content` object to remove. 
/// 
µÓsHó7Þs:14HDLLinPhoneSDK4CallC10conferenceAA10ConferenceCSgvp(Return the associated conference object../// Return the associated conference object. 
O/// - Returns: A pointer on `Conference` or nil if the call is not part of any
/// conference. 
íÕSÁñ7ls:14HDLLinPhoneSDK8ChatRoomC5StateO12InstantiatedyA2EmF'Chat room is now instantiated on local.-/// Chat room is now instantiated on local. 
¼×Ó=ý_ís:14HDLLinPhoneSDK18FriendListDelegateC16onContactUpdated4list03newD003oldD0yAA0dE0C_AA0D0CAKtFICallback used to notify a contact has been updated on the CardDAV server.O///    Callback used to notify a contact has been updated on the CardDAV server. 
P/// - Parameter list: The LinphoneFriendList object in which a contact has been
 /// updated 
N/// - Parameter newFriend: The new LinphoneFriend object corresponding to the
/// updated contact 
H/// - Parameter oldFriend: The old LinphoneFriend object before update 
/// 
3Øs¡Ÿ1zs:14HDLLinPhoneSDK7AddressC5equal8address2SbAC_tF=Compare two Address taking the tags and headers into account.E///    Compare two `Address` taking the tags and headers into account. 
,/// - Parameter address2: `Address` object 
/// 
/// 
J/// - Returns: Boolean value telling if the `Address` objects are equal. 
/// 
+/// - See also: {@link Address#weakEqual} 
£ۃ|08s:14HDLLinPhoneSDK11ProxyConfigC10dialPrefixSSvp /// - Returns: dialing prefix. 
Û³°±k³s:14HDLLinPhoneSDK4CoreC14createChatRoom6params9localAddr11participantAA0fG0CAA0fG6ParamsC_AA7AddressCAMtKFL/// - Parameter params: The chat room creation parameters `ChatRoomParams` 
S/// - Parameter localAddr: `Address` representing the local proxy configuration to
$/// use for the chat room creation 
S/// - Parameter participant: `Address` representing the initial participant to add
/// to the chat room 
/// 
/// 
-/// - Returns: The newly created chat room. 
/ÝSЖ#—s:14HDLLinPhoneSDK14ZrtpPeerStatusO=Enum describing the ZRTP SAS validation status of a peer URI.B///Enum describing the ZRTP SAS validation status of a peer URI. 
ÓÝ#ÿ­bAs:14HDLLinPhoneSDK22AccountCreatorDelegateC08onCreateD07creator6status4respyAA0dE0C_AI6StatusOSStF(Callback to notify a response of server..///    Callback to notify a response of server. 
8/// - Parameter creator: LinphoneAccountCreator object 
P/// - Parameter status: The status of the LinphoneAccountCreator test existence
&/// operation that has just finished 
/// 
âãÃØ‰?s:14HDLLinPhoneSDK11ProxyConfigC25qualityReportingCollectorSSvp4Get the route of the collector end-point when using quality reporting. This SIP address should be used on server-side to process packets directly before discarding packets. Collector address should be a non existing account and will not receive any messages. If nil, reports will be send to the proxy domain.L/// Get the route of the collector end-point when using quality reporting. 
O/// This SIP address should be used on server-side to process packets directly
R/// before discarding packets. Collector address should be a non existing account
Q/// and will not receive any messages. If nil, reports will be send to the proxy
 /// domain. 
/// 
</// - Returns: The SIP address of the collector end-point. 
ã£ÉÁSTs:14HDLLinPhoneSDK14AccountCreatorC20ActivationCodeStatusO17InvalidCharactersyA2EmFContain invalid characters.!/// Contain invalid characters. 
]ä£2'5ºs:14HDLLinPhoneSDK7AddressC9weakEqual8address2SbAC_tFYCompare two Address ignoring tags and headers, basically just domain, username, and port.L///    Compare two `Address` ignoring tags and headers, basically just domain,
///    username, and port. 
,/// - Parameter address2: `Address` object 
/// 
/// 
J/// - Returns: Boolean value telling if the `Address` objects are equal. 
/// 
'/// - See also: {@link Address#equal} 
­泪G1´s:14HDLLinPhoneSDK4CoreC19videoDisplayEnabledSbvp'Tells whether video display is enabled.-/// Tells whether video display is enabled. 
@/// - Returns:  if video display is enabled, true if disabled. 
ë3 ­: s:14HDLLinPhoneSDK14ChatRoomParamsC17encryptionEnabledSbvpPGet the encryption status of the chat room associated with the given parameters.I/// Get the encryption status of the chat room associated with the given
/// parameters. 
:/// - Returns:  if encryption is enabled, true otherwise 
í£K¨3Ys:14HDLLinPhoneSDK13XmlRpcRequestC11intResponseSivpuGet the response to an XML-RPC request sent with {@link XmlRpcSession#sendRequest} and returning an integer response.</// Get the response to an XML-RPC request sent with {@link
C/// XmlRpcSession#sendRequest} and returning an integer response. 
=/// - Returns: The integer response to the XML-RPC request. 
ˆðƒj3Js:14HDLLinPhoneSDK15SubscriptionDirO8IncomingyA2CmFIncoming subscription./// Incoming subscription. 
µöSg@Ws:14HDLLinPhoneSDK4CallC12acceptUpdate6paramsyAA0D6ParamsCSg_tKF¼Accept call modifications initiated by other end. This call may be performed in response to a #LinphoneCallUpdatedByRemote state notification. When such notification arrives, the application can decide to call {@link Call#deferUpdate} so that it can have the time to prompt the user. {@link Call#getRemoteParams} can be used to get information about the call parameters requested by the other party, such as whether a video stream is requested.7///    Accept call modifications initiated by other end. 
S/// This call may be performed in response to a #LinphoneCallUpdatedByRemote state
P/// notification. When such notification arrives, the application can decide to
S/// call {@link Call#deferUpdate} so that it can have the time to prompt the user.
O/// {@link Call#getRemoteParams} can be used to get information about the call
O/// parameters requested by the other party, such as whether a video stream is
/// requested.
/// 
Q/// When the user accepts or refuse the change, {@link Call#acceptUpdate} can be
L/// done to answer to the other party. If params is nil, then the same call
R/// parameters established before the update request will continue to be used (no
Q/// change). If params is not nil, then the update will be accepted according to
R/// the parameters passed. Typical example is when a user accepts to start video,
M/// then params should indicate that video stream should be used (see {@link
/// CallParams#enableVideo}). 
/// 
P/// - Parameter params: A `CallParams` object describing the call parameters to
/// accept    
/// 
/// 
R/// - Returns: 0 if successful, -1 otherwise (actually when this function call is
>/// performed outside ot #LinphoneCallUpdatedByRemote state) 
ûÓ(Dos:14HDLLinPhoneSDK6ConfigC9getString7section3key07defaultF0S2S_S2StFRetrieves a configuration item as a string, given its section, key, and default value. The default value string is returned if the config item isn’t found.T///    Retrieves a configuration item as a string, given its section, key, and default
 ///    value. 
J/// The default value string is returned if the config item isn't found. 
'þ#ÕRdAs:14HDLLinPhoneSDK22AccountCreatorDelegateC04onIsD6Linked7creator6status4respyAA0dE0C_AI6StatusOSStF(Callback to notify a response of server..///    Callback to notify a response of server. 
8/// - Parameter creator: LinphoneAccountCreator object 
P/// - Parameter status: The status of the LinphoneAccountCreator test existence
&/// operation that has just finished 
/// 
Úÿƒì ìs:14HDLLinPhoneSDK11InfoMessageC`The InfoMessage is an object representing an informational message sent or received by the core.Q/// The `InfoMessage` is an object representing an informational message sent or
/// received by the core. 
it V+˜s:14HDLLinPhoneSDK4CallC13remoteContactSSvp>Returns the far end’s sip contact as a string, if available.B/// Returns the far end's sip contact as a string, if available. 
ô̞Aþs:14HDLLinPhoneSDK10FriendListC08addLocalD02lfAC6StatusOAA0D0C_tFßAdd a friend to a friend list. The friend will never be sent to a remote CardDAV server. Warning! #LinphoneFriends added this way will be removed on the next synchronization, and the callback contact_deleted will be called.
$///    Add a friend to a friend list. 
G/// The friend will never be sent to a remote CardDAV server. Warning!
Q/// #LinphoneFriends added this way will be removed on the next synchronization,
6/// and the callback contact_deleted will be called. 
/// 
@/// - Parameter lf: `Friend` object to add to the friend list. 
/// 
/// 
</// - Returns: #LinphoneFriendListOK if successfully added,
B/// #LinphoneFriendListInvalidFriend if the friend is not valid. 
LDŽ7Ês:14HDLLinPhoneSDK8IceStateO19ReflexiveConnectionyA2CmFPICE has established a connection to the remote host through one or several NATs.O/// ICE has established a connection to the remote host through one or several
 /// NATs. 
I Dg1[s:14HDLLinPhoneSDK14AccountCreatorC11EmailStatusOEnum describing Email checking.$///Enum describing Email checking. 
f $Ñ:@s:14HDLLinPhoneSDK11ChatMessageC9DirectionO8IncomingyA2EmFIncoming message./// Incoming message. 
€ ”Ëss:14HDLLinPhoneSDK10AuthMethodO+Enum describing the authentication methods.0///Enum describing the authentication methods. 
4ý.¶s:14HDLLinPhoneSDK4CoreC16keepAliveEnabledSbvp Is signaling keep alive enabled.&/// Is signaling keep alive enabled. 
P/// - Returns: A boolean value telling whether signaling keep alive is enabled 
± d¹#%¯s:14HDLLinPhoneSDK4CoreC8textPortSivp*Gets the UDP port used for text streaming.0/// Gets the UDP port used for text streaming. 
5/// - Returns: The UDP port used for text streaming 
ñD€ B³s:14HDLLinPhoneSDK4CoreC16createCallParams4callAA0fG0CAA0F0CSg_tKF,Create a CallParams suitable for {@link Core#inviteWithParams}, linphone_core_accept_call_with_params, linphone_core_accept_early_media_with_params, linphone_core_accept_call_update. The parameters are initialized according to the current Core configuration and the current state of the LinphoneCall. F///    Create a `CallParams` suitable for {@link Core#inviteWithParams},
+///    linphone_core_accept_call_with_params,
U///    linphone_core_accept_early_media_with_params, linphone_core_accept_call_update. 
Q/// The parameters are initialized according to the current `Core` configuration
0/// and the current state of the LinphoneCall. 
/// 
Q/// - Parameter call: `Call` for which the parameters are to be build, or nil in
N/// the case where the parameters are to be used for a new outgoing call.    
/// 
/// 
*/// - Returns: A new `CallParams` object 
,äUî,ás:14HDLLinPhoneSDK4CoreC14deviceRotationSivp$Gets the current device orientation.*/// Gets the current device orientation. 
./// - Returns: The current device orientation
/// 
0/// - See also: {@link Core#setDeviceRotation} 
‘dÑ(ªs:14HDLLinPhoneSDK6ConfigC9dumpAsXmlSSyF&Dumps the Config as XML into a buffer..///    Dumps the `Config` as XML into a buffer. 
6/// - Returns: The buffer that contains the XML dump 
DóQzFs:14HDLLinPhoneSDK4CoreC14createChatRoom6params9localAddr7subject12participantsAA0fG0CAA0fG6ParamsC_AA7AddressCSSSayANGtKFCreate a chat room.
///    Create a chat room. 
L/// - Parameter params: The chat room creation parameters `ChatRoomParams` 
S/// - Parameter localAddr: `Address` representing the local proxy configuration to
$/// use for the chat room creation 
=/// - Parameter subject: The subject of the group chat room 
P/// - Parameter participants: A list of `Address` objects. LinphoneAddress  The
3/// initial list of participants of the chat room 
/// 
/// 
-/// - Returns: The newly created chat room. 
1f@ s:14HDLLinPhoneSDK8ChatRoomC13createMessage7messageAA0dG0CSS_tKF4Creates a message attached to a dedicated chat room.:///    Creates a message attached to a dedicated chat room. 
7/// - Parameter message: text message, nil if absent. 
/// 
/// 
$/// - Returns: a new `ChatMessage` 
ç”ÓJàs:14HDLLinPhoneSDK21XmlRpcRequestDelegateC10onResponse7requestyAA0deF0C_tF;Callback used to notify the response to an XML-RPC request.A///    Callback used to notify the response to an XML-RPC request. 
7/// - Parameter request: LinphoneXmlRpcRequest object 
/// 
:ôÚ
C/s:14HDLLinPhoneSDK10FriendListC04findD8ByRefKey03refI0AA0D0CSgSS_tF1Find a friend in the friend list using a ref key.7///    Find a friend in the friend list using a ref key. 
Q/// - Parameter refKey: The ref key string of the friend we want to search for. 
/// 
/// 
4/// - Returns: A `Friend` if found, nil otherwise. 
O ¤þ27Õs:14HDLLinPhoneSDK4CoreC10conferenceAA10ConferenceCSgvp0Get a pointer on the internal conference object.6/// Get a pointer on the internal conference object. 
O/// - Returns: A pointer on `Conference` or nil if no conference are going on 
ƒ#äÄWnzs:14HDLLinPhoneSDK4CoreC14createChatRoom6params7subject12participantsAA0fG0CAA0fG6ParamsC_SSSayAA7AddressCGtKFCreate a chat room.///    Create a chat room. 
L/// - Parameter params: The chat room creation parameters `ChatRoomParams` 
P/// - Parameter participants: A list of `Address` objects. LinphoneAddress  The
3/// initial list of participants of the chat room 
/// 
/// 
-/// - Returns: The newly created chat room. 
-$äáNWs:14HDLLinPhoneSDK12SearchResultC13hasCapability10capabilitySbAA06FriendG0V_tF?/// - Returns: whether a search result has a given capability 
D%t,ñ(Ås:14HDLLinPhoneSDK8AuthInfoC5cloneACSgyF5Instantiates a new auth info with values from source.;///    Instantiates a new auth info with values from source. 
5/// - Returns: The newly created `AuthInfo` object. 
»&sm-s:14HDLLinPhoneSDK8ChatRoomC5stateAC5StateOvpGet the state of the chat room.%/// Get the state of the chat room. 
+/// - Returns: The state of the chat room 
Ú($×£5ðs:14HDLLinPhoneSDK5EventC6notify4bodyyAA7ContentC_tKFSend a notification.///    Send a notification. 
Q/// - Parameter body: an optional body containing the actual notification data. 
/// 
/// 
//// - Returns: 0 if successful, -1 otherwise. 
Ù*DsæZ>s:14HDLLinPhoneSDK4CoreC13createPublish8resource5event7expiresAA5EventCAA7AddressC_SSSitKFÆCreate a publish context for an event state. After being created, the publish must be sent using {@link Event#sendPublish}. After expiry, the publication is refreshed unless it is terminated before. 2///    Create a publish context for an event state. 
S/// After being created, the publish must be sent using {@link Event#sendPublish}.
P/// After expiry, the publication is refreshed unless it is terminated before. 
/// 
:/// - Parameter resource: the resource uri for the event 
'/// - Parameter event: the event name 
T/// - Parameter expires: the lifetime of event being published, -1 if no associated
7/// duration, in which case it will not be refreshed. 
/// 
/// 
@/// - Returns: the `Event` holding the context of the publish. 
J,4    9LÇs:14HDLLinPhoneSDK11ProxyConfigC15normalizeSipUri8usernameAA7AddressCSgSS_tFÅNormalize a human readable sip uri into a fully qualified LinphoneAddress. A sip address should look like DisplayName sip:username@domain:port . Basically this function performs the following tasks P///    Normalize a human readable sip uri into a fully qualified LinphoneAddress. 
L/// A sip address should look like DisplayName <sip:username@domain:port> .
9/// Basically this function performs the following tasks
/// 
/// 
8/// The result is a syntactically correct SIP address. 
/// 
//// - Parameter username: the string to parse 
/// 
/// 
E/// - Returns:  if invalid input, normalized sip address otherwise. 
-.¤Î(ös:14HDLLinPhoneSDK7PrivacyO6HeaderyA2CmFfRequest that privacy services modify headers that cannot be set arbitrarily by the user (Contact/Via).S/// Request that privacy services modify headers that cannot be set arbitrarily by
/// the user (Contact/Via). 
.¯‰D0s:14HDLLinPhoneSDK4CoreC19enableLogCollection5stateyAA0fG5StateO_tFZCEnable the linphone core log collection to upload logs on a server.I///    Enable the linphone core log collection to upload logs on a server. 
S/// - Parameter state: #LinphoneLogCollectionState value telling whether to enable
/// log collection or not. 
/// 
^2¤n3¸s:14HDLLinPhoneSDK4CallC19nativeVideoWindowIdSvSgvpMGet the native window handle of the video window, casted as an unsigned long.S/// Get the native window handle of the video window, casted as an unsigned long. 
û4$~«I1s:14HDLLinPhoneSDK10FriendListC25exportFriendsAsVcard4File05vcardJ0ySS_tFQCreates and export Friend objects from FriendList to a file using vCard 4 format.R///    Creates and export `Friend` objects from `FriendList` to a file using vCard 4
 ///    format. 
L/// - Parameter vcardFile: the path to a file that will contain the vCards 
/// 
M8T;õ,ªs:14HDLLinPhoneSDK4CoreC14callkitEnabledSbvpFSpecial function to check if the callkit is enabled, False by default.L/// Special function to check if the callkit is enabled, False by default. 
|8ôPhvs:14HDLLinPhoneSDK4CoreC9subscribe8resource5event7expires4bodyAA5EventCSgAA7AddressC_SSSiAA7ContentCSgtFâCreate an outgoing subscription, specifying the destination resource, the event name, and an optional content body. If accepted, the subscription runs for a finite period, but is automatically renewed if not terminated before. T///    Create an outgoing subscription, specifying the destination resource, the event
)///    name, and an optional content body. 
Q/// If accepted, the subscription runs for a finite period, but is automatically
'/// renewed if not terminated before. 
/// 
4/// - Parameter resource: the destination resource 
'/// - Parameter event: the event name 
C/// - Parameter expires: the whished duration of the subscription 
8/// - Parameter body: an optional body, may be nil.    
/// 
/// 
J/// - Returns: a `Event` holding the context of the created subcription. 
ª;”G†'æs:14HDLLinPhoneSDK7ContentC7keySizeSivpMGet the size of key associated with a RCS file transfer message if encrypted.S/// Get the size of key associated with a RCS file transfer message if encrypted. 
&/// - Returns: The key size in bytes 
H=´ÛÊ3ÿs:14HDLLinPhoneSDK4CoreC21upnpExternalIpaddressSSvpReturn the external ip address of router. In some cases the uPnP can have an external ip address but not a usable uPnP (state different of Ok).//// Return the external ip address of router. 
Q/// In some cases the uPnP can have an external ip address but not a usable uPnP
/// (state different of Ok).
/// 
S/// - Returns: a null terminated string containing the external ip address. If the
;/// the external ip address is not available return null. 
þ@d]¢@ôs:14HDLLinPhoneSDK20ParticipantImdnStateC11participantAA0D0CSgvp@Get the participant concerned by a LinphoneParticipantImdnState.F/// Get the participant concerned by a LinphoneParticipantImdnState. 
N/// - Returns: The participant concerned by the LinphoneParticipantImdnState 
Edû@0Às:14HDLLinPhoneSDK13PresenceModelC9timestampSivp'Gets the timestamp of a presence model.-/// Gets the timestamp of a presence model. 
L/// - Returns: The timestamp of the `PresenceModel` object or -1 on error. 
ÒJôó·4Øs:14HDLLinPhoneSDK4CallC6StatusO12EarlyAbortedyA2EmFWThe call was aborted before being advertised to the application - for protocol reasons.S/// The call was aborted before being advertised to the application - for protocol
/// reasons. 
ËKãw5Vs:14HDLLinPhoneSDK17RegistrationStateO8ProgressyA2CmFRegistration is in progress."/// Registration is in progress. 
¤L$ç06<s:14HDLLinPhoneSDK9CallStatsC19rtcpUploadBandwidthSfvpbGet the bandwidth measurement of the sent RTCP, expressed in kbit/s, including IP/UDP/RTP headers.S/// Get the bandwidth measurement of the sent RTCP, expressed in kbit/s, including
/// IP/UDP/RTP headers. 
F/// - Returns: The bandwidth measurement of the sent RTCP in kbit/s. 
wL”Üz1fs:14HDLLinPhoneSDK11PayloadTypeC11descriptionSSvpkReturn a string describing a payload type. The format of the string is <mime_type>/<clock_rate>/<channels>.0/// Return a string describing a payload type. 
F/// The format of the string is <mime_type>/<clock_rate>/<channels>. 
/// 
P/// - Returns: The description of the payload type. Must be release after use. 
¤QÔ+Â7Þs:14HDLLinPhoneSDK4CoreC12authInfoListSayAA04AuthF0CGvp;Returns an unmodifiable list of currently entered AuthInfo.C/// Returns an unmodifiable list of currently entered `AuthInfo`. 
@/// - Returns: A list of `AuthInfo` objects. LinphoneAuthInfo  
wRt¦15ts:14HDLLinPhoneSDK4CoreC17createInfoMessageAA0fG0CyKFCreates an empty info message.$///    Creates an empty info message. 
*/// - Returns: a new LinphoneInfoMessage.
/// 
G/// The info message can later be filled with information using {@link
T/// InfoMessage#addHeader} or {@link InfoMessage#setContent}, and finally sent with
(/// linphone_core_send_info_message(). 
:T”õâ5cs:14HDLLinPhoneSDK14AccountCreatorC15TransportStatusO#Enum describing Transport checking.(///Enum describing Transport checking. 
SU4ÆéFÆs:14HDLLinPhoneSDK8ChatRoomC17removeParticipant11participantyAA0G0C_tF$Remove a participant of a chat room.*///    Remove a participant of a chat room. 
K/// - Parameter participant: The participant to remove from the chat room 
/// 
úU¤ö9Ês:14HDLLinPhoneSDK18EcCalibratorStatusO10DoneNoEchoyA2CmFPThe echo canceller calibration has been performed and no echo has been detected.K/// The echo canceller calibration has been performed and no echo has been
/// detected. 
)VTÇW)Ís:14HDLLinPhoneSDK6BufferC8userDataSvSgvp5Retrieve the user pointer associated with the buffer.;/// Retrieve the user pointer associated with the buffer. 
=/// - Returns: The user pointer associated with the buffer. 
ÃWÄ{™-Ðs:14HDLLinPhoneSDK4CoreC15leaveConferenceyyKF8Make the local participant leave the running conference.>///    Make the local participant leave the running conference. 
:/// - Returns: 0 if succeeded. Negative number if failed 
x[4<H:0s:14HDLLinPhoneSDK14AccountCreatorC11EmailStatusO2OkyA2EmF    Email ok./// Email ok. 
g\Ä©l9Às:14HDLLinPhoneSDK8DialPlanC23internationalCallPrefixSSvp6Returns the international call prefix of the dialplan.</// Returns the international call prefix of the dialplan. 
./// - Returns: the international call prefix 
»\D3DCs:14HDLLinPhoneSDK10FriendListC16currentCallbacksAA0dE8DelegateCSgvpRGet the current LinphoneFriendListCbs object associated with a LinphoneFriendList.C/// Get the current LinphoneFriendListCbs object associated with a
/// LinphoneFriendList. 
L/// - Returns: The current LinphoneFriendListCbs object associated with the
/// LinphoneFriendList. 
A\Tùµ6Ús:14HDLLinPhoneSDK10FriendListC18updateDirtyFriendsyyFWGoes through all the Friend that are dirty and does a CardDAV PUT to update the server.R///    Goes through all the `Friend` that are dirty and does a CardDAV PUT to update
///    the server. 
Xd”ùÍ$Šs:14HDLLinPhoneSDK7AddressC4portSivp6Get port number as an integer value, 0 if not present.</// Get port number as an integer value, 0 if not present. 
šetÐg=‡s:14HDLLinPhoneSDK4CoreC21soundDeviceCanCapture6deviceSbSS_tF9Tells whether a specified sound device can capture sound.?///    Tells whether a specified sound device can capture sound. 
7/// - Parameter device: the device name as returned by
%/// linphone_core_get_sound_devices 
/// 
/// 
N/// - Returns: A boolean value telling whether the specified sound device can
/// capture sound 
›jô–ô/Õs:14HDLLinPhoneSDK13PresenceModelC8isOnlineSbvpOTells whether a presence model is considered online. It is any of theses cases::/// Tells whether a presence model is considered online. 
/// It is any of theses cases:
/// 
ÍodÎW?ps:14HDLLinPhoneSDK17SecurityEventTypeO0D15LevelDowngradedyA2CmF)Chatroom security level downgraded event.//// Chatroom security level downgraded event. 
ªp„¦Ò&^s:14HDLLinPhoneSDK10ConferenceC2IDSSvp Get the conference id as string.&/// Get the conference id as string. 
r4glKžs:14HDLLinPhoneSDK12EventLogTypeO34ConferenceEphemeralMessageDisabledyA2CmF@Conference ephemeral message (ephemeral message disabled) event.F/// Conference ephemeral message (ephemeral message disabled) event. 
;u4½þ8Hs:14HDLLinPhoneSDK25ChatRoomEncryptionBackendV4LimeACvpZLime x3dh encryption./// Lime x3dh encryption. 
x„ Ç.as:14HDLLinPhoneSDK11MagicSearchC9minWeightSuvpI/// - Returns: the minimum value used to calculate the weight in search 
~y4Úÿ%ˆs:14HDLLinPhoneSDK4CallC3dirAC3DirOvp5Returns direction of the call (incoming or outgoing).;/// Returns direction of the call (incoming or outgoing). 
òyôÅö=Vs:14HDLLinPhoneSDK6ConfigC6setInt7section3key5valueySS_SSSitFSets an integer config item."///    Sets an integer config item. 
2|tÌT,s:14HDLLinPhoneSDK4CoreC5callsSayAA4CallCGvp3Gets the current list of calls. Note that this list is read-only and might be changed by the core after a function call to {@link Core#iterate}. Similarly the Call objects inside it might be destroyed without prior notice. To hold references to Call object into your program, you must use linphone_call_ref.%/// Gets the current list of calls. 
N/// Note that this list is read-only and might be changed by the core after a
R/// function call to {@link Core#iterate}. Similarly the `Call` objects inside it
Q/// might be destroyed without prior notice. To hold references to `Call` object
8/// into your program, you must use linphone_call_ref. 
/// 
8/// - Returns: A list of `Call` objects. LinphoneCall  
}€ÄÚ¸M9s:14HDLLinPhoneSDK6TunnelC12setHttpProxy4host4port8username6passwdySS_SiS2StFJSet an optional http proxy to go through when connecting to tunnel server.P///    Set an optional http proxy to go through when connecting to tunnel server. 
'/// - Parameter host: http proxy host 
'/// - Parameter port: http proxy port 
L/// - Parameter username: Optional http proxy username if the proxy request
Q/// authentication. Currently only basic authentication is supported. Use nil if
/// not needed. 
N/// - Parameter passwd: Optional http proxy password. Use nil if not needed. 
/// 
Z€„±µ2îs:14HDLLinPhoneSDK4CoreC20cameraSensorRotationSivp™Get the camera sensor rotation. This is needed on some mobile platforms to get the number of degrees the camera sensor is rotated relative to the screen.%/// Get the camera sensor rotation. 
T/// This is needed on some mobile platforms to get the number of degrees the camera
//// sensor is rotated relative to the screen. 
/// 
R/// - Returns: The camera sensor rotation in degrees (0 to 360) or -1 if it could
/// not be retrieved 
…¤ö!NÐs:14HDLLinPhoneSDK19ChatMessageDelegateC011onEphemeralE7Deleted3msgyAA0dE0C_tF6Call back used to notify ephemeral message is deleted.<///    Call back used to notify ephemeral message is deleted. 
1/// - Parameter msg: LinphoneChatMessage object 
/// 
ô‡Ô?-¸s:14HDLLinPhoneSDK4CoreC15enableSipUpdateSivp,Enable or disable the UPDATE method support.2/// Enable or disable the UPDATE method support. 
-/// - Parameter value: Enable or disable it 
/// 
œˆ$æP7`s:14HDLLinPhoneSDK7ContentC6setKey3key0G6LengthySS_SitFESet the key associated with a RCS file transfer message if encrypted.K///    Set the key associated with a RCS file transfer message if encrypted. 
S/// - Parameter key: The key to be used to encrypt/decrypt file associated to this
/// content. 
2/// - Parameter keyLength: The lengh of the key. 
/// 
UTÄ`<ãs:14HDLLinPhoneSDK4CoreC24currentCallRemoteAddressAA0H0CSgvp+Get the remote address of the current call.1/// Get the remote address of the current call. 
T/// - Returns: The remote address of the current call or nil if there is no current
 /// call. 
Аdsmes:14HDLLinPhoneSDK12CoreDelegateC21onEcCalibrationResult2lc6status7delayMsyAA0D0C_AA0G16CalibratorStatusOSitFIFunction prototype used by #linphone_core_cbs_set_ec_calibrator_result().O///    Function prototype used by #linphone_core_cbs_set_ec_calibrator_result(). 
/// - Parameter lc: The core. 
6/// - Parameter status: The state of the calibrator. 
;/// - Parameter delayMs: The measured delay if available. 
/// 
“4¥í8s:14HDLLinPhoneSDK7FactoryC10getDataDir7contextSSSvSg_tFGet the data path.///    Get the data path. 
Q/// - Parameter context: used to compute path. can be nil. JavaPlatformHelper on
;/// Android and char *appGroupId on iOS with shared core. 
/// 
/// 
/// - Returns: The data path 
–¤Ã    :"s:14HDLLinPhoneSDK5VcardC18editMainSipAddress03sipH0ySS_tFYEdits the preferred SIP address in the vCard (or the first one), using the IMPP property.T///    Edits the preferred SIP address in the vCard (or the first one), using the IMPP
///    property. 
1/// - Parameter sipAddress: the new SIP address 
/// 
s™d.;Bës:14HDLLinPhoneSDK10CallParamsC29realtimeTextKeepaliveIntervalSuvpCUse to get keep alive interval of real time text following rfc4103.I/// Use to get keep alive interval of real time text following rfc4103. 
?/// - Returns: returns keep alive interval of real time text. 
PœÔ°D:s:14HDLLinPhoneSDK12TunnelConfigC19remoteUdpMirrorPortSivp«Get the remote port on the tunnel server side used to test UDP reachability. This is used when the mode is set auto, to detect whether the tunnel has to be enabled or not.R/// Get the remote port on the tunnel server side used to test UDP reachability. 
S/// This is used when the mode is set auto, to detect whether the tunnel has to be
/// enabled or not. 
/// 
J/// - Returns: The remote port on the tunnel server side used to test UDP
/// reachability 
bœd³q%us:14HDLLinPhoneSDK4CoreC8useFilesSbvpfGets whether linphone is currently streaming audio from and to files, rather than using the soundcard.Q/// Gets whether linphone is currently streaming audio from and to files, rather
/// than using the soundcard. 
P/// - Returns: A boolean value representing whether linphone is streaming audio
/// from and to files or not. 
ä„U*Ds:14HDLLinPhoneSDK4CoreC13clearCallLogsyyFErase the call log.///    Erase the call log. 
&¥$¾>»s:14HDLLinPhoneSDK6PlayerC16currentCallbacksAA0D8DelegateCSgvp0Returns the current LinphonePlayerCbsCbs object.6/// Returns the current LinphonePlayerCbsCbs object. 
5/// - Returns: The current LinphonePlayerCbs object 
¶ªd =Zs:14HDLLinPhoneSDK12EventLogTypeO20ConferenceTerminatedyA2CmFConference (terminated) event.$/// Conference (terminated) event. 
-¬”f{7Ôs:14HDLLinPhoneSDK4CoreC15mediaEncryptionAA05MediaF0Ovp;Get the media encryption policy being used for RTP packets.A/// Get the media encryption policy being used for RTP packets. 
8/// - Returns: The media encryption policy being used. 
º¯DO‡r—s:14HDLLinPhoneSDK4CoreC39notifyNotifyPresenceReceivedForUriOrTel2lf03urikL013presenceModelyAA6FriendC_SSAA0gP0CtF#Notifies the upper layer that a presence model change has been received for the uri or telephone number given as a parameter, by calling the appropriate callback if one has been set. This method is for advanced usage, where customization of the liblinphone’s internal behavior is required.
T///    Notifies the upper layer that a presence model change has been received for the
M///    uri or telephone number given as a parameter, by calling the appropriate
#///    callback if one has been set. 
P/// This method is for advanced usage, where customization of the liblinphone's
$/// internal behavior is required. 
/// 
P/// - Parameter lf: the `Friend` whose presence information has been received. 
7/// - Parameter uriOrTel: telephone number or sip uri 
K/// - Parameter presenceModel: the `PresenceModel` that has been modified 
/// 
€±QD9s:14HDLLinPhoneSDK4CoreC38unreadChatMessageCountFromActiveLocalsSivpeReturn the unread chat message count for all active local address. (Primary contact + proxy configs.)H/// Return the unread chat message count for all active local address. 
(/// (Primary contact + proxy configs.) 
/// 
//// - Returns: The unread chat message count. 
û³DEâ4‰s:14HDLLinPhoneSDK14AccountCreatorC11displayNameSSvpGet the display name./// Get the display name. 
9/// - Returns: The display name of the `AccountCreator` 
z¹äÎäCÁs:14HDLLinPhoneSDK11ChatMessageC15getCustomHeader10headerNameS2S_tF.Retrieve a custom header value given its name.4///    Retrieve a custom header value given its name. 
2/// - Parameter headerName: header name searched 
/// 
±¹„žª:Is:14HDLLinPhoneSDK4CoreC22createConferenceParamsAA0fG0CyKFxCreate some default conference parameters for instanciating a a conference with {@link Core#createConferenceWithParams}.T///    Create some default conference parameters for instanciating a a conference with
.///    {@link Core#createConferenceWithParams}. 
'/// - Returns: conference parameters. 
2»dÀÒD%s:14HDLLinPhoneSDK4CoreC015findCallLogFromF2Id04callI0AA0fG0CSgSS_tFBGet the call log matching the call id, or nil if can’t be found.F///    Get the call log matching the call id, or nil if can't be found. 
9/// - Parameter callId: Call id of the call log to find 
/// 
/// 
"/// - Returns: {LinphoneCallLog} 
XÅäQî2qs:14HDLLinPhoneSDK11ProxyConfigC13pauseRegisteryyF‹Prevent a proxy config from refreshing its registration. This is useful to let registrations to expire naturally (or) when the application wants to keep control on when refreshes are sent. However, linphone_core_set_network_reachable(lc,true) will always request the proxy configs to refresh their registrations. The refreshing operations can be resumed with {@link ProxyConfig#refreshRegister}.>///    Prevent a proxy config from refreshing its registration. 
J/// This is useful to let registrations to expire naturally (or) when the
K/// application wants to keep control on when refreshes are sent. However,
O/// linphone_core_set_network_reachable(lc,true) will always request the proxy
M/// configs to refresh their registrations. The refreshing operations can be
7/// resumed with {@link ProxyConfig#refreshRegister}. 
.ÆÔ-ROYs:14HDLLinPhoneSDK12CoreDelegateC19onFriendListCreated2lc4listyAA0D0C_AA0gH0CtF\Callback prototype for reporting when a friend list has been added to the core friends list.S///    Callback prototype for reporting when a friend list has been added to the core
///    friends list. 
)/// - Parameter lc: LinphoneCore object 
1/// - Parameter list: LinphoneFriendList object 
/// 
ÈÄ>2WMs:14HDLLinPhoneSDK12CallDelegateC15onTmmbrReceived4call11streamIndex5tmmbryAA0D0C_S2itF(Callback for notifying a received TMMBR..///    Callback for notifying a received TMMBR. 
D/// - Parameter call: LinphoneCall for which the TMMBR has changed 
>/// - Parameter streamIndex: the index of the current stream 
8/// - Parameter tmmbr: the value of the received TMMBR 
/// 
çÉÄ+»*ms:14HDLLinPhoneSDK4CoreC12videoEnabledSbvp›Returns true if either capture or display is enabled, true otherwise. same as ( linphone_core_video_capture_enabled | linphone_core_video_display_enabled )K/// Returns true if either capture or display is enabled, true otherwise. 
4/// same as ( linphone_core_video_capture_enabled |
+/// linphone_core_video_display_enabled ) 
ÌäããCcs:14HDLLinPhoneSDK11ProxyConfigC15getCustomHeader10headerNameS2S_tFKObtain the value of a header sent by the server in last answer to REGISTER.Q///    Obtain the value of a header sent by the server in last answer to REGISTER. 
T/// - Parameter headerName: the header name for which to fetch corresponding value 
/// 
/// 
1/// - Returns: the value of the queried header. 
*̔ÅzAËs:14HDLLinPhoneSDK10ConferenceC14addParticipant4callSiAA4CallC_tF(Join an existing call to the conference..///    Join an existing call to the conference. 
H/// - Parameter call: a `Call` that has to be added to the conference. 
/// 
    ̔ØúWs:14HDLLinPhoneSDK4CoreC23getNewMessageFromCallid6callIdAA016PushNotificationG0CSgSS_tFGet the chat message with the call_id included in the push notification body This will start the core given in parameter, iterate until the message is received and return it. By default, after 25 seconds the function returns because iOS kills the app extension after 30 seconds.
Q///    Get the chat message with the call_id included in the push notification body
N///    This will start the core given in parameter, iterate until the message is
///    received and return it. 
P/// By default, after 25 seconds the function returns because iOS kills the app
!/// extension after 30 seconds. 
/// 
C/// - Parameter callId: The callId of the Message SIP transaction 
/// 
/// 
*/// - Returns: The `ChatMessage` object. 
iÎä‡s.:s:14HDLLinPhoneSDK8ChatRoomC5StateO4NoneyA2EmFInitial state./// Initial state. 
»Ñ$y@7s:14HDLLinPhoneSDK8ChatRoomC14addParticipant4addryAA7AddressC_tFÂAdd a participant to a chat room. This may fail if this type of chat room does not handle participants. Use {@link ChatRoom#canHandleParticipants} to know if this chat room handles participants.'///    Add a participant to a chat room. 
N/// This may fail if this type of chat room does not handle participants. Use
M/// {@link ChatRoom#canHandleParticipants} to know if this chat room handles
/// participants. 
/// 
N/// - Parameter addr: The address of the participant to add to the chat room 
/// 
ÞÔÔiX+›s:14HDLLinPhoneSDK6PlayerC5stateAC5StateOvp"Get the current state of a player.(/// Get the current state of a player. 
1/// - Returns: The current state of the player. 
¹ÕTƒó+zs:14HDLLinPhoneSDK8ChatRoomC10markAsReadyyF.Mark all messages of the conversation as read.4///    Mark all messages of the conversation as read. 
÷Ö¤2î*^s:14HDLLinPhoneSDK8DialPlanC9isGenericSbvp Return if given plan is generic.&/// Return if given plan is generic. 
¼×tv3¾s:14HDLLinPhoneSDK14LoggingServiceC5debug3msgySS_tF2Write a LinphoneLogLevelDebug message to the logs.8///    Write a LinphoneLogLevelDebug message to the logs. 
'/// - Parameter msg: The log message. 
/// 
sÞ$›ANs:14HDLLinPhoneSDK24AccountCreatorAlgoStatusO12NotSupportedyA2CmFAlgorithm not supported./// Algorithm not supported. 
ädé+*s:14HDLLinPhoneSDK4CallC5StateO5ErroryA2EmFError. /// Error. 
ÞçtµL!Šs:14HDLLinPhoneSDK5RangeC3minSivp"Gets the lower value of the range.(/// Gets the lower value of the range. 
 /// - Returns: The lower value 
<èäeÿ*.s:14HDLLinPhoneSDK14PresencePersonC2idSSvp!Gets the id of a presence person.'/// Gets the id of a presence person. 
Q/// - Returns: A pointer to a dynamically allocated string containing the id, or
/// nil in case of error.
/// 
>/// The returned string is to be freed by calling ms_free(). 
êé$Á:!s:14HDLLinPhoneSDK5RangeC3maxSivp#Gets the higher value of the range.)/// Gets the higher value of the range. 
!/// - Returns: The higher value 
;í´;YC§s:14HDLLinPhoneSDK10CallParamsC23receivedVideoDefinitionAA0gH0CSgvp)Get the definition of the received video.//// Get the definition of the received video. 
//// - Returns: The received `VideoDefinition` 
Rî®[8s:14HDLLinPhoneSDK8ChatRoomC28getHistoryRangeMessageEvents5begin3endSayAA8EventLogCGSi_SitFcGets the partial list of chat message events in the given range, sorted from oldest to most recent. Q///    Gets the partial list of chat message events in the given range, sorted from
///    oldest to most recent. 
R/// - Parameter begin: The first event of the range to be retrieved. History most
/// recent event has index 0. 
Q/// - Parameter end: The last event of the range to be retrieved. History oldest
)/// event has index of history size - 1 
/// 
/// 
R/// - Returns: A list of `EventLog` objects. LinphoneEventLog  The objects inside
R/// the list are freshly allocated with a reference counter equal to one, so they
N/// need to be freed on list destruction with bctbx_list_free_with_data() for
/// instance.   
òîDÍ5Ls:14HDLLinPhoneSDK15ChatRoomBackendV08FlexisipD0ACvpZServer-based chat room./// Server-based chat room. 
î$´Ó3Ÿs:14HDLLinPhoneSDK6FriendC03addB6Number5phoneySS_tF#Adds a phone number in this friend.)///    Adds a phone number in this friend. 
&/// - Parameter phone: number to add 
/// 
.ñE0As:14HDLLinPhoneSDK7AddressC15asStringUriOnlySSyF‹Returns the SIP uri only as a string, that is display name is removed. The returned char * must be freed by the application. Use ms_free().L///    Returns the SIP uri only as a string, that is display name is removed. 
J/// The returned char * must be freed by the application. Use ms_free(). 
 ó´%È-Ÿs:14HDLLinPhoneSDK4CoreC15limeX3DhEnabledSbvp)Tells wether LIME X3DH is enabled or not.//// Tells wether LIME X3DH is enabled or not. 
'/// - Returns: The current lime state 
³öԘÒ3|s:14HDLLinPhoneSDK4CoreC21sessionExpiresEnabledSbvp/Check if the Session Timers feature is enabled.5/// Check if the Session Timers feature is enabled. 
ã÷41–Rús:14HDLLinPhoneSDK12CallDelegateC21onInfoMessageReceived4call3msgyAA0D0C_AA0gH0CtF%Callback for receiving info messages.+///    Callback for receiving info messages. 
C/// - Parameter call: LinphoneCall whose info message belongs to. 
2/// - Parameter msg: LinphoneInfoMessage object. 
/// 
è÷„ø—WÃs:14HDLLinPhoneSDK4CoreC23inviteAddressWithParams4addr6paramsAA4CallCSgAA0F0C_AA0kH0CtF?Initiates an outgoing call given a destination Address The Address can be constructed directly using linphone_address_new, or created by {@link Core#interpretUrl}. The application doesn’t own a reference to the returned Call object. Use linphone_call_ref to safely keep the Call pointer valid within your application. R///    Initiates an outgoing call given a destination `Address` The `Address` can be
J///    constructed directly using linphone_address_new, or created by {@link
///    Core#interpretUrl}. 
O/// The application doesn't own a reference to the returned `Call` object. Use
J/// linphone_call_ref to safely keep the `Call` pointer valid within your
/// application. 
/// 
B/// - Parameter addr: The destination of the call (sip address). 
)/// - Parameter params: Call parameters 
/// 
/// 
:/// - Returns: A `Call` object or nil in case of failure 
tûÄd:Ts:14HDLLinPhoneSDK12EventLogTypeO17ConferenceCreatedyA2CmFConference (created) event.!/// Conference (created) event. 
,eÇì5Ns:14HDLLinPhoneSDK14LoggingServiceC12logLevelMaskSuvpGets the log level mask./// Gets the log level mask. 
r;Õ4æs:14HDLLinPhoneSDK7CallLogC13remoteAddressAA0G0CSgvpHGet the remote address (that is from or to depending on call direction).N/// Get the remote address (that is from or to depending on call direction). 
0/// - Returns: The remote address of the call. 
<?‹P„s:14HDLLinPhoneSDK8ChatRoomC23getHistoryMessageEvents02nbI0SayAA8EventLogCGSi_tFdGets nb_events most recent chat message events from cr chat room, sorted from oldest to most recent.    R///    Gets nb_events most recent chat message events from cr chat room, sorted from
///    oldest to most recent. 
M/// - Parameter nbEvents: Number of events to retrieve. 0 means everything. 
/// 
/// 
R/// - Returns: A list of `EventLog` objects. LinphoneEventLog  The objects inside
R/// the list are freshly allocated with a reference counter equal to one, so they
N/// need to be freed on list destruction with bctbx_list_free_with_data() for
/// instance.   
ï•6Æ.ws:14HDLLinPhoneSDK14AccountCreatorC6domainSSvpGet the domain./// Get the domain. 
3/// - Returns: The domain of the `AccountCreator` 
{µnF*ûs:14HDLLinPhoneSDK4CoreC12nortpTimeoutSivp-Gets the value of the no-rtp timeout. When no RTP or RTCP packets have been received for a while Core will consider the call is broken (remote end crashed or disconnected from the network), and thus will terminate the call. The no-rtp timeout is the duration above which the call is considered broken.+/// Gets the value of the no-rtp timeout. 
T/// When no RTP or RTCP packets have been received for a while `Core` will consider
R/// the call is broken (remote end crashed or disconnected from the network), and
Q/// thus will terminate the call. The no-rtp timeout is the duration above which
$/// the call is considered broken. 
/// 
;/// - Returns: The value of the no-rtp timeout in seconds 
Æՙq@s:14HDLLinPhoneSDK10CallParamsC20usedAudioPayloadTypeAA0hI0CSgvp<Get the audio payload type that has been selected by a call.B/// Get the audio payload type that has been selected by a call. 
S/// - Returns: The selected payload type. nil is returned if no audio payload type
#/// has been seleced by the call. 
YÅ_L$ås:14HDLLinPhoneSDK6PlayerC5startyyKFCStart playing a file that has been opened with {@link Player#open}.I///    Start playing a file that has been opened with {@link Player#open}. 
9/// - Returns: 0 on success, a negative value otherwise 
¿µÛ<0Rs:14HDLLinPhoneSDK9UpnpStateO11BlacklistedyA2CmFIGD router is blacklisted. /// IGD router is blacklisted. 
ÏŪÈ+³s:14HDLLinPhoneSDK4CoreC13serializeLogsyyFZ¾Enable logs serialization (output logs from either the thread that creates the linphone core or the thread that calls {@link Core#iterate}). Must be called before creating the linphone core.S///    Enable logs serialization (output logs from either the thread that creates the
C///    linphone core or the thread that calls {@link Core#iterate}). 
7/// Must be called before creating the linphone core. 
e¥â$^s:14HDLLinPhoneSDK6ConfigC6reloadyyF Reload the config from the file.&///    Reload the config from the file. 
/%%_b4Fs:14HDLLinPhoneSDK6ReasonO18UnsupportedContentyA2CmFUnsupported content./// Unsupported content. 
“& ó@Ñs:14HDLLinPhoneSDK4CoreC34isSenderNameHiddenInForwardMessageSbvp@Returns whether or not sender name is hidden in forward message.F/// Returns whether or not sender name is hidden in forward message. 
+/// - Returns: whether or not the feature 
°'Õ®‡;s:14HDLLinPhoneSDK14AccountCreatorC08activateD0AC6StatusOyF0Send a request to activate an account on server.6///    Send a request to activate an account on server. 
S/// - Returns: LinphoneAccountCreatorStatusRequestOk if the request has been sent,
9/// LinphoneAccountCreatorStatusRequestFailed otherwise 
†*Å¢,4as:14HDLLinPhoneSDK14AccountCreatorC14LanguageStatusO"Enum describing language checking.'///Enum describing language checking. 
^+{u7×s:14HDLLinPhoneSDK11ProxyConfigC7contactAA7AddressCSgvp/Return the contact address of the proxy config.5/// Return the contact address of the proxy config. 
S/// - Returns: a `Address` correspong to the contact address of the proxy config. 
2U3Z-vs:14HDLLinPhoneSDK4CoreC15provisioningUriSSvpGet provisioning URI./// Get provisioning URI. 
&/// - Returns: the provisioning URI. 
Ò6§¿8Ðs:14HDLLinPhoneSDK13XmlRpcRequestC9addIntArg5valueySi_tF.Add an integer argument to an XML-RPC request.4///    Add an integer argument to an XML-RPC request. 
A/// - Parameter value: The integer value of the added argument. 
/// 
75mî;<s:14HDLLinPhoneSDK14AccountCreatorC6StatusO9RequestOkyA2EmFRequest status./// Request status. 
=:¥¸#8s:14HDLLinPhoneSDK5VcardC12sipAddressesSayAA7AddressCGvp’Returns the list of SIP addresses (as LinphoneAddress) in the vCard (all the IMPP attributes that has an URI value starting by â€œsip:”) or nil.Q/// Returns the list of SIP addresses (as LinphoneAddress) in the vCard (all the
G/// IMPP attributes that has an URI value starting by "sip:") or nil. 
>/// - Returns: A list of `Address` objects. LinphoneAddress  
k=5ø—BOs:14HDLLinPhoneSDK15PresenceServiceC10getNthNote3idxAA0dH0CSgSu_tF(Gets the nth note of a presence service..///    Gets the nth note of a presence service. 
S/// - Parameter idx: The index of the note to get (the first note having the index
    /// 0). 
/// 
/// 
S/// - Returns: A pointer to a `PresenceNote` object if successful, nil otherwise. 
>…ö=âs:14HDLLinPhoneSDK10CallParamsC24earlyMediaSendingEnabledSbvp4Indicate whether sending of early media was enabled.:/// Indicate whether sending of early media was enabled. 
T/// - Returns: A boolean value telling whether sending of early media was enabled. 
J>%A;<s:14HDLLinPhoneSDK14AccountCreatorC6StatusO0D7CreatedyA2EmFAccount status./// Account status. 
A@u~Ê0Ás:14HDLLinPhoneSDK10CallParamsC11sessionNameSSvpŸGet the session name of the media session (ie in SDP). Subject from the SIP message can be retrieved using {@link CallParams#getCustomHeader} and is different.</// Get the session name of the media session (ie in SDP). 
?/// Subject from the SIP message can be retrieved using {@link
3/// CallParams#getCustomHeader} and is different. 
/// 
7/// - Returns: The session name of the media session. 
XDµn“MÒs:14HDLLinPhoneSDK4CoreC24getCallHistoryForAddress4addrSayAA0F3LogCGAA0I0C_tFÑGet the list of call logs (past calls) that matches the given Address. At the contrary of linphone_core_get_call_logs, it is your responsibility to unref the logs and free this list once you are done using it.N///    Get the list of call logs (past calls) that matches the given `Address`. 
Q/// At the contrary of linphone_core_get_call_logs, it is your responsibility to
C/// unref the logs and free this list once you are done using it. 
/// 
(/// - Parameter addr: `Address` object 
/// 
/// 
T/// - Returns: A list of `CallLog` objects. LinphoneCallLog  The objects inside the
S/// list are freshly allocated with a reference counter equal to one, so they need
T/// to be freed on list destruction with bctbx_list_free_with_data() for instance. 
///  
/// 
Q/// - deprecated: Use linphone_core_get_call_history_2 instead. Deprecated since
/// 2018-10-29. 
bGu;s:14HDLLinPhoneSDK14ChatRoomParamsC7backendAA0dE7BackendVvpUGet the backend implementation of the chat room associated with the given parameters.N/// Get the backend implementation of the chat room associated with the given
/// parameters. 
(/// - Returns: LinphoneChatRoomBackend 
J%õ n¤s:14HDLLinPhoneSDK12CoreDelegateC23onCallEncryptionChanged2lc4call0F019authenticationTokenyAA0D0C_AA0G0CSbSStF!Call encryption changed callback.'///    Call encryption changed callback. 
&/// - Parameter lc: the LinphoneCore 
@/// - Parameter call: the call on which encryption is changed. 
6/// - Parameter on: whether encryption is activated. 
P/// - Parameter authenticationToken: an authentication_token, currently set for
#/// ZRTP kind of encryption only. 
/// 
&K…8ý6•s:14HDLLinPhoneSDK7FactoryC16createTransportsAA0F0CyKF%Creates an object LinphoneTransports.+///    Creates an object LinphoneTransports. 
%/// - Returns: `Transports` object. 
L•=,s:14HDLLinPhoneSDK4CoreC15startDtmfStreamyyFxSpecial function to warm up dtmf feeback stream. linphone_core_stop_dtmf_stream must() be called before entering FG modeT/// Special function to warm up dtmf feeback stream. linphone_core_stop_dtmf_stream
./// must() be called before entering FG mode 
 N¥¹Drs:14HDLLinPhoneSDK6ConfigC19getSkipFlagForEntry7section3keySbSS_SStF*Retrieves the skip flag for a config item.0///    Retrieves the skip flag for a config item. 
%OÅÖ`)0s:14HDLLinPhoneSDK4CallC5StateO3EndyA2EmF    Call end./// Call end. 
ßPe­'0 s:14HDLLinPhoneSDK9CallStatsC13localLateRateSfvp+Gets the local late rate since last report.1/// Gets the local late rate since last report. 
$/// - Returns: The local late rate 
qU50¬s:14HDLLinPhoneSDK8DialPlanC5byCcc3cccACSgSS_tFZFind best match for given CCC.$///    Find best match for given CCC. 
J/// - Returns: Return matching dial plan, or a generic one if none found 
´X¥J¸)Ïs:14HDLLinPhoneSDK11ChatMessageC4textSSvpGet text part of this message.$/// Get text part of this message. 
(/// - Returns: text or nil if no text. 
/// 
0/// - deprecated: use getTextContent() instead 
¥ZÕfz3ùs:14HDLLinPhoneSDK4CoreC21audioMulticastEnabledSbvp+Use to get multicast state of audio stream.1/// Use to get multicast state of audio stream. 
I/// - Returns: true if subsequent calls will propose multicast ip set by
,/// linphone_core_set_audio_multicast_addr 
r^åMÑ*4s:14HDLLinPhoneSDK6ToneIDO9UndefinedyA2CmF Not a tone./// Not a tone. 
Â_åB,Fs:14HDLLinPhoneSDK11ProxyConfigC7expiresSivp./// - Returns: the duration of registration. 
a•#Ivs:14HDLLinPhoneSDK12EventLogTypeO32ConferenceParticipantDeviceAddedyA2CmF,Conference participant device (added) event.2/// Conference participant device (added) event. 
5eõ*$&1s:14HDLLinPhoneSDK4CoreC9videoDscpSivpeGet the DSCP field for outgoing video streams. The DSCP defines the quality of service in IP packets.4/// Get the DSCP field for outgoing video streams. 
</// The DSCP defines the quality of service in IP packets. 
/// 
'/// - Returns: The current DSCP value 
e…’™3\s:14HDLLinPhoneSDK8EventLogC18deleteFromDatabaseyyFDelete event log from database.%///    Delete event log from database. 
ðg¡º/òs:14HDLLinPhoneSDK11ParticipantC8userDataSvSgvpERetrieve the user pointer associated with the conference participant.K/// Retrieve the user pointer associated with the conference participant. 
B/// - Returns: The user pointer associated with the participant. 
•h•²@s:14HDLLinPhoneSDK11ChatMessageC7putChar9characterys6UInt32V_tKF´Fulfill a chat message char by char. Message linked to a Real Time Text Call send char in realtime following RFC 4103/T.140 To commit a message, use linphone_chat_room_send_message*///    Fulfill a chat message char by char. 
P/// Message linked to a Real Time Text Call send char in realtime following RFC
I/// 4103/T.140 To commit a message, use linphone_chat_room_send_message 
/// 
'/// - Parameter character: T.140 char 
/// 
/// 
/// - Returns: 0 if succeed. 
´neš-"s:14HDLLinPhoneSDK13XmlRpcArgTypeO@Enum describing the types of argument for LinphoneXmlRpcRequest.E///Enum describing the types of argument for LinphoneXmlRpcRequest. 
Ñr¡Z.ìs:14HDLLinPhoneSDK6FriendC4save2lcyAA4CoreC_tFISaves a friend either in database if configured, otherwise in linphonerc.O///    Saves a friend either in database if configured, otherwise in linphonerc. 
'/// - Parameter lc: the linphone core 
/// 
;vUm÷,†s:14HDLLinPhoneSDK5EventC6reasonAA6ReasonOvp4Return reason code (in case of error state reached).:/// Return reason code (in case of error state reached). 
ÏxÅg]Vs:14HDLLinPhoneSDK12CoreDelegateC26onNewSubscriptionRequested2lc2lf3urlyAA0D0C_AA6FriendCSStF¦Reports that a new subscription request has been received and wait for a decision. Status on this subscription request is notified by changing policy  for this friend    M///    Reports that a new subscription request has been received and wait for a
///    decision. 
Q/// Status on this subscription request is notified by changing policy  for this
 /// friend 
/// 
)/// - Parameter lc: LinphoneCore object 
D/// - Parameter lf: LinphoneFriend corresponding to the subscriber 
(/// - Parameter url: of the subscriber 
/// 
y•\u3ds:14HDLLinPhoneSDK9NatPolicyC17resolveStunServeryyF#Start a STUN server DNS resolution.)///    Start a STUN server DNS resolution. 
yÅé"Kns:14HDLLinPhoneSDK14PresencePersonC20getNthActivitiesNote3idxAA0dI0CSgSu_tF2Gets the nth activities note of a presence person.8///    Gets the nth activities note of a presence person. 
T/// - Parameter idx: The index of the activities note to get (the first note having
/// the index 0). 
/// 
/// 
S/// - Returns: A pointer to a `PresenceNote` object if successful, nil otherwise. 
õz•AJ0as:14HDLLinPhoneSDK4CoreC18fileTransferServerSSvpoGet the globaly set http file transfer server to be used for content type application/vnd.gsma.rcs-ft-http+xml.N/// Get the globaly set http file transfer server to be used for content type
+/// application/vnd.gsma.rcs-ft-http+xml. 
Q/// - Returns: URL of the file server like https://file.linphone.org/upload.php 
žµT34¬s:14HDLLinPhoneSDK8ChatRoomC12localAddressAA0G0CSgvp.get local address associated to  this ChatRoom6/// get local address associated to  this `ChatRoom` 
(/// - Returns: `Address` local address 
ԁe¢bs:14HDLLinPhoneSDK7CallLogC"Structure representing a call log.(/// Structure representing a call log. 
3¥àP@s:14HDLLinPhoneSDK6ConfigC9setIntHex7section3key5valueySS_SSSitF9Sets an integer config item, but store it as hexadecimal.?///    Sets an integer config item, but store it as hexadecimal. 
4‡µã0&s:14HDLLinPhoneSDK4CoreC18preferredFramerateSfvp\Returns the preferred video framerate, previously set by {@link Core#setPreferredFramerate}.D/// Returns the preferred video framerate, previously set by {@link
"/// Core#setPreferredFramerate}. 
</// - Returns: frame rate in number of frames per seconds. 
ʉïr5ûs:14HDLLinPhoneSDK4CoreC23echoCancellerFilterNameSSvpCGet the name of the mediastreamer2 filter used for echo cancelling.I/// Get the name of the mediastreamer2 filter used for echo cancelling. 
O/// - Returns: The name of the mediastreamer2 filter used for echo cancelling 
š‰å`ü.Ws:14HDLLinPhoneSDK11MagicSearchC9delimiterSSvp?/// - Returns: the delimiter used to find matched filter word 
{E.Xs:14HDLLinPhoneSDK4CoreC16missedCallsCountSivppGet the number of missed calls. Once checked, this counter can be reset with {@link Core#resetMissedCallsCount}.%/// Get the number of missed calls. 
8/// Once checked, this counter can be reset with {@link
"/// Core#resetMissedCallsCount}. 
/// 
,/// - Returns: The number of missed calls. 
¿’ÕmD@;s:14HDLLinPhoneSDK5EventC15subscriptionDirAA012SubscriptionF0OvpƒGet subscription direction. If the object wasn’t created by a subscription mechanism, LinphoneSubscriptionInvalidDir is returned.!/// Get subscription direction. 
>/// If the object wasn't created by a subscription mechanism,
1/// LinphoneSubscriptionInvalidDir is returned. 
Ò—•Æ0Üs:14HDLLinPhoneSDK11ChatMessageC10isOutgoingSbvpYReturns true if the message has been sent, returns true if the message has been received.T/// Returns true if the message has been sent, returns true if the message has been
/// received. 
ž˜%061‰s:14HDLLinPhoneSDK11ChatMessageC5stateAC5StateOvpGet the state of the message.#/// Get the state of the message. 
)/// - Returns: LinphoneChatMessageState 
¤œ¥ƒ2]s:14HDLLinPhoneSDK14AccountCreatorC12DomainStatusO Enum describing Domain checking.%///Enum describing Domain checking. 
Vž…Å-Œs:14HDLLinPhoneSDK8AuthInfoC11tlsCertPathSSvpGets the TLS certificate path.$/// Gets the TLS certificate path. 
*/// - Returns: The TLS certificate path. 
¶ž5sQAs:14HDLLinPhoneSDK5EventC15updateSubscribe4bodyyAA7ContentCSg_tKF=Update (refresh) an outgoing subscription, changing the body.C///    Update (refresh) an outgoing subscription, changing the body. 
R/// - Parameter body: an optional body to include in the subscription update, may
/// be nil.    
/// 
ᡵá79¤s:14HDLLinPhoneSDK4CoreC19takePreviewSnapshot4fileySS_tKFÈTake a photo of currently from capture device and write it into a jpeg file. Note that the snapshot is asynchronous, an application shall not assume that the file is created when the function returns.    R///    Take a photo of currently from capture device and write it into a jpeg file. 
Q/// Note that the snapshot is asynchronous, an application shall not assume that
3/// the file is created when the function returns.
/// 
?/// - Parameter file: a path where to write the jpeg content. 
/// 
/// 
O/// - Returns: 0 if successfull, -1 otherwise (typically if jpeg format is not
/// supported). 
«¢õÌ>*ës:14HDLLinPhoneSDK11ChatMessageC6resendyyFTResend a chat message if it is in the â€˜not delivered’ state for whatever reason.M///    Resend a chat message if it is in the 'not delivered' state for whatever
 ///    reason. 
L/// - Note: Unlike linphone_chat_message_resend, that function only takes a
R/// reference on the `ChatMessage` instead of totaly takes ownership on it. Thus,
Q/// the `ChatMessage` object must be released by the API user after calling that
/// function.
·¢Õk@•s:14HDLLinPhoneSDK8AuthInfoC*Object holding authentication information.0/// Object holding authentication information. 
R/// - Note: The object's fields should not be accessed directly. Prefer using the
/// accessor methods.
/// 
R/// In most case, authentication information consists of a username and password.
I/// Sometimes, a userid is required by proxy, and realm can be useful to
(/// discriminate different SIP domains.
/// 
R/// Once created and filled, a `AuthInfo` must be added to the `Core` in order to
R/// become known and used automatically when needed. Use {@link Core#addAuthInfo}
/// for that purpose.
/// 
T/// The `Core` object can take the initiative to request authentication information
S/// when needed to the application through the auth_info_requested callback of the
"/// LinphoneCoreVTable structure.
/// 
O/// The application can respond to this information request later using {@link
Q/// Core#addAuthInfo}. This will unblock all pending authentication transactions
1/// and retry them with authentication headers. 
®¤¥E4„s:14HDLLinPhoneSDK17SubscriptionStateO7PendingyA2CmF3Subscription is pending, waiting for user approval.9/// Subscription is pending, waiting for user approval. 
¼¤…‘;s:14HDLLinPhoneSDK4CoreC12createConfig8filenameAA0F0CSS_tKF/Create a Config object from a user config file.7///    Create a `Config` object from a user config file. 
N/// - Parameter filename: The filename of the config file to read to fill the
/// instantiated `Config` 
/// 
4¤Õæå1\s:14HDLLinPhoneSDK5EventC18acceptSubscriptionyyKFAccept an incoming subcription.%///    Accept an incoming subcription. 
Õ¦•úE4°s:14HDLLinPhoneSDK20PresenceActivityTypeO4AwayyA2CmFIThe person is physically away from all interactive communication devices.O/// The person is physically away from all interactive communication devices. 
`ªÅ²Ô9ÿs:14HDLLinPhoneSDK13ImNotifPolicyC17sendImdnDisplayedSbvp9Tell whether imdn displayed notifications are being sent.?/// Tell whether imdn displayed notifications are being sent. 
T/// - Returns: Boolean value telling whether imdn displayed notifications are being
 /// sent. 
d¬%Ø®"Šs:14HDLLinPhoneSDK6FriendC4doneyyF6Commits modification made to the friend configuration.<///    Commits modification made to the friend configuration. 
0­õs@Dxs:14HDLLinPhoneSDK4CoreC25createNatPolicyFromConfig3refAA0fG0CSS_tKFSCreate a new NatPolicy by reading the config of a Core according to the passed ref.P///    Create a new `NatPolicy` by reading the config of a `Core` according to the
///    passed ref. 
P/// - Parameter ref: The reference of a NAT policy in the config of the `Core` 
/// 
/// 
*/// - Returns: A new `NatPolicy` object. 
>³Œ1ºs:14HDLLinPhoneSDK4CallC19authenticationTokenSSvp0Returns the ZRTP authentication token to verify.6/// Returns the ZRTP authentication token to verify. 
4/// - Returns: the authentication token to verify. 
ç¹›W(ös:14HDLLinPhoneSDK6ReasonO7NoMatchyA2CmFgOperation could not be executed by server or remote client because it didn’t have any context for it.Q/// Operation could not be executed by server or remote client because it didn't
/// have any context for it. 
˜¿•xMVs:14HDLLinPhoneSDK14AccountCreatorC14PasswordStatusO17MissingCharactersyA2EmFMissing specific characters."/// Missing specific characters. 
eÀuM|'es:14HDLLinPhoneSDK8AuthInfoC6tlsKeySSvpGets the TLS key./// Gets the TLS key. 
/// - Returns: The TLS key. 
·Á5„h0Õs:14HDLLinPhoneSDK4CoreC18audioMulticastAddrSSvp9Use to get multicast address to be used for audio stream.?/// Use to get multicast address to be used for audio stream. 
=/// - Returns: an ipv4/6 multicast address or default value 
qÁ5¦^K_s:14HDLLinPhoneSDK4CoreC26getNewChatRoomFromConfAddr04chathK0AA0gH0CSgSS_tF9Get the chat room we have been added into using the chat_room_addr included in the push notification body This will start the core given in parameter, iterate until the new chat room is received and return it. By default, after 25 seconds the function returns because iOS kills the app extension after 30 seconds.
S///    Get the chat room we have been added into using the chat_room_addr included in
T///    the push notification body This will start the core given in parameter, iterate
8///    until the new chat room is received and return it. 
P/// By default, after 25 seconds the function returns because iOS kills the app
!/// extension after 30 seconds. 
/// 
@/// - Parameter chatRoomAddr: The sip address of the chat room 
/// 
/// 
'/// - Returns: The `ChatRoom` object. 
hÅUˆN3ès:14HDLLinPhoneSDK19PresenceBasicStatusO4OpenyA2CmF_This value means that the associated contact element, if any, is ready to accept communication.N/// This value means that the associated contact element, if any, is ready to
/// accept communication. 
{È(Á@xs:14HDLLinPhoneSDK6ConfigC21getSkipFlagForSection7sectionSbSS_tF-Retrieves the skip flag for a config section.3///    Retrieves the skip flag for a config section. 
&Êå0‹2™s:14HDLLinPhoneSDK7FactoryC17logCollectionPathSSvpSets the log collection path.#/// Sets the log collection path. 
,/// - Parameter path: the path of the logs 
/// 
ù˕³T3Üs:14HDLLinPhoneSDK11GlobalStateO11ConfiguringyA2CmFYTransient state between Startup and On if there is a remote provisionning URI configured.R/// Transient state between Startup and On if there is a remote provisionning URI
/// configured. 
B͕:E5üs:14HDLLinPhoneSDK5VcardC06removeB6Number5phoneySS_tFKRemoves a phone number in the vCard (if it exists), using the TEL property.Q///    Removes a phone number in the vCard (if it exists), using the TEL property. 
3/// - Parameter phone: the phone number to remove 
/// 
uÍõf7¨s:14HDLLinPhoneSDK20ChatRoomCapabilitiesV05OneToG0ACvpZEA communication between two participants (can be Basic or Conference)K/// A communication between two participants (can be Basic or Conference) 
Î%Þ#5Ýs:14HDLLinPhoneSDK8EventLogC13deviceAddressAA0G0CSgvpDReturns the device address of a conference participant device event.J/// Returns the device address of a conference participant device event. 
//// - Returns: The conference device address. 
æÏUdã:Çs:14HDLLinPhoneSDK14LoggingServiceC8logLevelAA03LogG0VSgvpÂSet the verbosity of the log. For instance, a level of LinphoneLogLevelMessage will let pass fatal, error, warning and message-typed messages whereas trace and debug messages will be dumped out.#/// Set the verbosity of the log. 
Q/// For instance, a level of LinphoneLogLevelMessage will let pass fatal, error,
P/// warning and message-typed messages whereas trace and debug messages will be
/// dumped out. 
qÐu¦.T!s:14HDLLinPhoneSDK4CoreC34getUnreadChatMessageCountFromLocal7addressSiAA7AddressC_tF?Return the unread chat message count for a given local address.E///    Return the unread chat message count for a given local address. 
,/// - Parameter address: `Address` object. 
/// 
/// 
//// - Returns: The unread chat message count. 
lÑÕ/d£s:14HDLLinPhoneSDK4CoreC7publish8resource5event7expires4bodyAA5EventCSgAA7AddressC_SSSiAA7ContentCtFÕPublish an event state. This first create a Event with {@link Core#createPublish} and calls {@link Event#sendPublish} to actually send it. After expiry, the publication is refreshed unless it is terminated before. ///    Publish an event state. 
Q/// This first create a `Event` with {@link Core#createPublish} and calls {@link
M/// Event#sendPublish} to actually send it. After expiry, the publication is
//// refreshed unless it is terminated before. 
/// 
:/// - Parameter resource: the resource uri for the event 
'/// - Parameter event: the event name 
T/// - Parameter expires: the lifetime of event being published, -1 if no associated
7/// duration, in which case it will not be refreshed. 
1/// - Parameter body: the actual published data 
/// 
/// 
@/// - Returns: the `Event` holding the context of the publish. 
…×5Ìã%Ês:14HDLLinPhoneSDK6FriendC6inListSbyF0Check that the given friend is in a friend list.6///    Check that the given friend is in a friend list. 
D/// - Returns:  if the friend is in a friend list, true otherwise. 
7Ýõ ç5Ös:14HDLLinPhoneSDK15VideoDefinitionC11isUndefinedSbvp-Tells whether a VideoDefinition is undefined.5/// Tells whether a `VideoDefinition` is undefined. 
T/// - Returns: A boolean value telling whether the `VideoDefinition` is undefined. 
}ß% Æ_ñs:14HDLLinPhoneSDK11MagicSearchC24getContactListFromFilter6filter6domainSayAA0E6ResultCGSS_SStFiCreate a sorted list of SearchResult from SipUri, Contact name, Contact displayname, Contact phone number, which match with a filter word The last item list will be an address formed with â€œfilter” if a proxy config exist During the first search, a cache is created and used for the next search Use {@link MagicSearch#resetSearchCache} to begin a new search.L///    Create a sorted list of SearchResult from SipUri, Contact name, Contact
T///    displayname, Contact phone number, which match with a filter word The last item
T///    list will be an address formed with "filter" if a proxy config exist During the
M///    first search, a cache is created and used for the next search Use {@link
:///    MagicSearch#resetSearchCache} to begin a new search. 
(/// - Parameter filter: word we search 
</// - Parameter domain: domain which we want to search only
/// 
/// 
/// 
@/// - Returns: sorted list of A list of `SearchResult` objects.
S/// LinphoneSearchResult  The objects inside the list are freshly allocated with a
Q/// reference counter equal to one, so they need to be freed on list destruction
6/// with bctbx_list_free_with_data() for instance.   
áµÿM4~s:14HDLLinPhoneSDK11ChatMessageC9toAddressAA0G0CSgvpGet destination of the message.%/// Get destination of the message. 
/// - Returns: `Address` 
¨âµÚ:1ãs:14HDLLinPhoneSDK7FactoryC16dataResourcesDirSSvp7Get the directory where the data resources are located.=/// Get the directory where the data resources are located. 
O/// - Returns: The path to the directory where the data resources are located 
ôåÕc6@s:14HDLLinPhoneSDK12SearchResultC6friendAA6FriendCSgvp(/// - Returns: LinphoneFriend associed 
AêņÒ/.s:14HDLLinPhoneSDK13AddressFamilyO6UnspecyA2CmFUnknown./// Unknown. 
 
íµZ^4³s:14HDLLinPhoneSDK13PresenceModelC12clearPersonsyyKF'Clears the persons of a presence model.-///    Clears the persons of a presence model. 
?/// - Returns: 0 if successful, a value < 0 in case of error. 
ÚîÅV×*ks:14HDLLinPhoneSDK8AuthInfoC9algorithmSSvpGets the algorithm./// Gets the algorithm. 
/// - Returns: The algorithm. 
¯Ž4s:14HDLLinPhoneSDK7AddressC8getParam9paramNameS2S_tF,Get the value of a parameter of the address.2///    Get the value of a parameter of the address. 
6/// - Parameter paramName: The name of the parameter 
/// 
/// 
+/// - Returns: The value of the parameter 
¥ïÕ¨3/¶s:14HDLLinPhoneSDK6PlayerC15currentPositionSivp,Get the current position in the opened file.2/// Get the current position in the opened file. 
8/// - Returns: The current position in the opened file 
·ò…N-¤s:14HDLLinPhoneSDK8ChatRoomC11historySizeSivp+Gets the number of messages in a chat room.1/// Gets the number of messages in a chat room. 
(/// - Returns: the number of messages. 
ÏóuåÂ5ôs:14HDLLinPhoneSDK14PresencePersonC12nbActivitiesSuvp>Gets the number of activities included in the presence person.D/// Gets the number of activities included in the presence person. 
R/// - Returns: The number of activities included in the `PresencePerson` object. 
ëø¥Úb4's:14HDLLinPhoneSDK11ProxyConfigC15refreshRegisteryyFxRefresh a proxy registration. This is useful if for example you resuming from suspend, thus IP address may have changed.#///    Refresh a proxy registration. 
Q/// This is useful if for example you resuming from suspend, thus IP address may
/// have changed. 
/ü³U:ûs:14HDLLinPhoneSDK4CoreC28logCollectionUploadServerUrlSSvpCGets the url of the server where to upload the collected log files.I/// Gets the url of the server where to upload the collected log files. 
O/// - Returns: The url of the server where to upload the collected log files. 
¶ýU œ3xs:14HDLLinPhoneSDK15SubscribePolicyO8SPAcceptyA2CmF-Automatically accepts a subscription request.3/// Automatically accepts a subscription request. 
³ÿµ§_3Ås:14HDLLinPhoneSDK4CoreC19nativeVideoWindowIdSvSgvp1Get the native window handle of the video window.7/// Get the native window handle of the video window. 
=/// - Returns: The native window handle of the video window 
Äüc$€s:14HDLLinPhoneSDK4CoreC7callsNbSivpGet the number of Call./// Get the number of Call. 
,/// - Returns: The current number of calls 
~¤W5Ýs:14HDLLinPhoneSDK4CoreC21nativePreviewWindowIdSvSgvp9Get the native window handle of the video preview window.?/// Get the native window handle of the video preview window. 
E/// - Returns: The native window handle of the video preview window 
ÃP |s:14HDLLinPhoneSDK11MagicSearchC.A MagicSearch is used to do specifics searchs.6/// A `MagicSearch` is used to do specifics searchs. 
zJJ?|s:14HDLLinPhoneSDK4CallC9zoomVideo0E6Factor2cx2cyySf_SpySfGAHtF4Perform a zoom of the video displayed during a call. :///    Perform a zoom of the video displayed during a call. 
R/// - Parameter zoomFactor: a floating point number describing the zoom factor. A
//// value 1.0 corresponds to no zoom applied. 
R/// - Parameter cx: a floating point number pointing the horizontal center of the
C/// zoom to be applied. This value should be between 0.0 and 1.0. 
P/// - Parameter cy: a floating point number pointing the vertical center of the
C/// zoom to be applied. This value should be between 0.0 and 1.0. 
/// 
/// 
T/// - deprecated: use linphone_call_zoom instead cx and cy are updated in return in
S/// case their coordinates were too excentrated for the requested zoom factor. The
D/// zoom ensures that all the screen is fullfilled with the video. 
2Æ÷Bs:14HDLLinPhoneSDK13PresenceModelC10addService7serviceyAA0dG0C_tKF#Adds a service to a presence model.)///    Adds a service to a presence model. 
L/// - Parameter service: The `PresenceService` object to add to the model. 
/// 
/// 
?/// - Returns: 0 if successful, a value < 0 in case of error. 
×
6f¿1s:14HDLLinPhoneSDK9CallStatsC14roundTripDelaySfvpGet the round trip delay in s.$/// Get the round trip delay in s. 
+/// - Returns: The round trip delay in s. 
u¶û‡/Rs:14HDLLinPhoneSDK15MediaEncryptionO4ZRTPyA2CmFUse ZRTP media encryption. /// Use ZRTP media encryption. 
\ö1Å<s:14HDLLinPhoneSDK11ProxyConfigC02isB6Number8usernameSbSS_tF3Detect if the given input is a phone number or not.9///    Detect if the given input is a phone number or not. 
,/// - Parameter username: string to parse. 
/// 
/// 
=/// - Returns:  if input is a phone number, true otherwise. 
+vìþ3s:14HDLLinPhoneSDK4CoreC24LogCollectionUploadStateOwLinphoneCoreLogCollectionUploadState is used to notify if log collection upload have been succesfully delivered or not.S///LinphoneCoreLogCollectionUploadState is used to notify if log collection upload
,///have been succesfully delivered or not. 
YöŸö2´s:14HDLLinPhoneSDK4CoreC21migrateLogsFromRcToDbyyFKMigrates the call logs from the linphonerc to the database if not done yet.Q///    Migrates the call logs from the linphonerc to the database if not done yet. 
|–¤0@ßs:14HDLLinPhoneSDK4CoreC34isEchoCancellerCalibrationRequiredSbvpCCheck whether the device is echo canceller calibration is required.I/// Check whether the device is echo canceller calibration is required. 
3/// - Returns:  if it is required, true otherwise 
ªVÐ .ªs:14HDLLinPhoneSDK4CoreC16staticPictureFpsSfvp&Get the frame rate for static picture.,/// Get the frame rate for static picture. 
8/// - Returns: The frame rate used for static picture. 
ì&ÏR7‚s:14HDLLinPhoneSDK4CoreC13addFriendList4listyAA0fG0C_tFAdd a friend list.///    Add a friend list. 
+/// - Parameter list: `FriendList` object 
/// 
fý7Çs:14HDLLinPhoneSDK11ChatMessageC18cancelFileTransferyyFNCancel an ongoing file transfer attached to this message. (upload or download)?///    Cancel an ongoing file transfer attached to this message. 
/// (upload or download) 
®%6**G9s:14HDLLinPhoneSDK4CoreC22getCallByRemoteAddress06remoteI0AA0F0CSgSS_tF/Get the call with the remote_address specified.5///    Get the call with the remote_address specified. 
S/// - Parameter remoteAddress: The remote address of the call that we want to get 
/// 
/// 
@/// - Returns: The call if it has been found, nil otherwise    
_*vDþ5>s:14HDLLinPhoneSDK4CallC5StateO14StreamsRunningyA2EmFStreams running./// Streams running. 
Ù*F˛%2s:14HDLLinPhoneSDK6ToneIDO4BusyyA2CmF
Busy tone./// Busy tone. 
Ã+†ˆ-@s:14HDLLinPhoneSDK14AccountCreatorC11proxyConfigAA05ProxyG0CSgvp<Assign a proxy config pointer to the LinphoneAccountCreator.B/// Assign a proxy config pointer to the LinphoneAccountCreator. 
C/// - Parameter cfg: The LinphoneProxyConfig to associate with the
/// LinphoneAccountCreator. 
/// 
-&ŽÞ-xs:14HDLLinPhoneSDK5EventC4fromAA7AddressCSgvp/Get the â€œfrom” address of the subscription.1/// Get the "from" address of the subscription. 
Ì.ßïgAs:14HDLLinPhoneSDK22AccountCreatorDelegateC15onActivateAlias7creator6status4respyAA0dE0C_AI6StatusOSStF(Callback to notify a response of server..///    Callback to notify a response of server. 
8/// - Parameter creator: LinphoneAccountCreator object 
P/// - Parameter status: The status of the LinphoneAccountCreator test existence
&/// operation that has just finished 
/// 
Ù0Fòa8 s:14HDLLinPhoneSDK20ParticipantImdnStateC8userDataSvSgvpIRetrieve the user pointer associated with a LinphoneParticipantImdnState.O/// Retrieve the user pointer associated with a LinphoneParticipantImdnState. 
S/// - Returns: The user pointer associated with the LinphoneParticipantImdnState. 
 :[§8`s:14HDLLinPhoneSDK10CallParamsC19localConferenceModeSbvp@Tell whether the call is part of the locally managed conference.F/// Tell whether the call is part of the locally managed conference. 
S/// - Warning: If a conference server is used to manage conferences, that function
P/// does not return true even if the conference is running. If you want to test
F/// whether the conference is running, you should test whether {@link
4/// Core#getConference} return a non-null pointer. 
/// 
O/// - Returns: A boolean value telling whether the call is part of the locally
/// managed conference. 
K:feCs:14HDLLinPhoneSDK7ContentC03addD13TypeParameter4name5valueySS_SStF+Adds a parameter to the ContentType header.1///    Adds a parameter to the ContentType header. 
9/// - Parameter name: the name of the parameter to add. 
;/// - Parameter value: the value of the parameter to add. 
/// 
P;Çi5s:14HDLLinPhoneSDK7CallLogC9errorInfoAA05ErrorG0CSgvpBWhen the call was failed, return an object describing the failure.H/// When the call was failed, return an object describing the failure. 
S/// - Returns: information about the error encountered by the call associated with
/// this call log. 
7;¦ >os:14HDLLinPhoneSDK4CoreC24verifyServerCertificates5yesnoySb_tF`Specify whether the tls server certificate must be verified when connecting to a SIP/TLS server.S///    Specify whether the tls server certificate must be verified when connecting to
///    a SIP/TLS server. 
R/// - Parameter yesno: A boolean value telling whether the tls server certificate
/// must be verified 
/// 
°=¶£&?s:14HDLLinPhoneSDK5EventC9terminateyyFýTerminate an incoming or outgoing subscription that was previously acccepted, or a previous publication. The Event shall not be used anymore after this operation, unless the application explicitely took a reference on the object with linphone_event_ref.R///    Terminate an incoming or outgoing subscription that was previously acccepted,
 ///    or a previous publication. 
K/// The `Event` shall not be used anymore after this operation, unless the
U/// application explicitely took a reference on the object with linphone_event_ref. 
ß>6¤ôJTs:14HDLLinPhoneSDK14AccountCreatorC11EmailStatusO17InvalidCharactersyA2EmFContain invalid characters.!/// Contain invalid characters. 
iHV!m)›s:14HDLLinPhoneSDK7CallLogC9startDateSivpGet the start date of the call.%/// Get the start date of the call. 
7/// - Returns: The date of the beginning of the call. 
=JÖdÌBìs:14HDLLinPhoneSDK11ProxyConfigC09normalizeB6Number8usernameS2S_tFäNormalize a human readable phone number into a basic string. 888-444-222 becomes 888444222 or +33888444222 depending on the ProxyConfig object. This function will always generate a normalized username if input is a phone number.
B///    Normalize a human readable phone number into a basic string. 
Q/// 888-444-222 becomes 888444222 or +33888444222 depending on the `ProxyConfig`
S/// object. This function will always generate a normalized username if input is a
/// phone number. 
/// 
//// - Parameter username: the string to parse 
/// 
/// 
R/// - Returns:  if input is an invalid phone number, normalized phone number from
/// username input otherwise. 
,NFªr.Ñs:14HDLLinPhoneSDK11ChatMessageC9isSecuredSbvp1Get if the message was encrypted when transfered.7/// Get if the message was encrypted when transfered. 
I/// - Returns: whether the message was encrypted when transfered or not 
 PfYu$•s:14HDLLinPhoneSDK15SubscribePolicyO<Enum controlling behavior for incoming subscription request.A///Enum controlling behavior for incoming subscription request. 
°XVèé'æs:14HDLLinPhoneSDK11ChatMessageC5StateO_LinphoneChatMessageState is used to notify if messages have been successfully delivered or not.Q///LinphoneChatMessageState is used to notify if messages have been successfully
///delivered or not. 
‚\&‘4´s:14HDLLinPhoneSDK4CoreC22unreadChatMessageCountSivp,Return the global unread chat message count.2/// Return the global unread chat message count. 
6/// - Returns: The global unread chat message count. 
ú]6qd=s:14HDLLinPhoneSDK16ChatRoomDelegateC26onParticipantDeviceRemoved2cr8eventLogyAA0dE0C_AA05EventM0CtFHCallback used to notify a chat room that a participant has been removed.N///    Callback used to notify a chat room that a participant has been removed. 
-/// - Parameter cr: LinphoneChatRoom object 
E/// - Parameter eventLog: LinphoneEventLog The event to be notified 
/// 
^†MÁ0Œs:14HDLLinPhoneSDK4CoreC19uploadLogCollectionyyF7Upload the log collection to the configured server url.=///    Upload the log collection to the configured server url. 
®_&ŒaMs:14HDLLinPhoneSDK12CoreDelegateC17onMessageReceived2lc4room7messageyAA0D0C_AA8ChatRoomCAA0lG0CtF Chat message callback prototype.&///    Chat message callback prototype. 
)/// - Parameter lc: LinphoneCore object 
P/// - Parameter room: LinphoneChatRoom involved in this conversation. Can be be
Q/// created by the framework in case the from  is not present in any chat room. 
/// 
`6†%>$s:14HDLLinPhoneSDK4CoreC19setQrcodeDecodeRect1x1y1w1hySi_S3itF9Set the rectangle where the decoder will search a QRCode.?///    Set the rectangle where the decoder will search a QRCode. 
/// - Parameter x: axis 
/// - Parameter y: axis 
/// - Parameter w: width 
/// - Parameter h: height 
/// 
—``'LYs:14HDLLinPhoneSDK7FactoryC29createVideoDefinitionFromName4nameAA0fG0CSS_tKF?Create a VideoDefinition from a given standard definition name.G///    Create a `VideoDefinition` from a given standard definition name. 
N/// - Parameter name: The standard definition name of the video definition to
 /// create 
/// 
/// 
//// - Returns: A new `VideoDefinition` object 
f¶n'> s:14HDLLinPhoneSDK4CoreC20createPresencePerson2idAA0fG0CSS_tKF*Create a PresencePerson with the given id.2///    Create a `PresencePerson` with the given id. 
9/// - Parameter id: The id of the person to be created. 
/// 
/// 
5/// - Returns: The created `PresencePerson` object. 
FiVÞ·(Fs:14HDLLinPhoneSDK11ChatMessageC4sendyyFSend a chat message.///    Send a chat message. 
¸iv16Ës:14HDLLinPhoneSDK4CoreC18removeSupportedTag3tagySS_tFRemove a supported tag.///    Remove a supported tag. 
'/// - Parameter tag: The tag to remove
/// 
/// 
./// - See also: {@link Core#addSupportedTag} 
“p¶‘}3>s:14HDLLinPhoneSDK20ChatRoomCapabilitiesV4NoneACvpZNo capabilities./// No capabilities. 
q&Ž{)`s:14HDLLinPhoneSDK4CoreC11uploadPtimeSivp›Set audio packetization time linphone will send (in absence of requirement from peer) A value of 0 stands for the current codec default packetization time.T/// Set audio packetization time linphone will send (in absence of requirement from
Q/// peer) A value of 0 stands for the current codec default packetization time. 
ýx¬5vs:14HDLLinPhoneSDK8ChatRoomC5StateO10TerminatedyA2EmF,Chat room exists on server but not in local.2/// Chat room exists on server but not in local. 
Áx–Yª-­s:14HDLLinPhoneSDK12PresenceNoteC7contentSSvp$Gets the content of a presence note.*/// Gets the content of a presence note. 
?/// - Returns: A pointer to the content of the presence note. 
æ|†w.Ùs:14HDLLinPhoneSDK7CallLogC13wasConferenceSbyF:Tells whether that call was a call to a conference server.@///    Tells whether that call was a call to a conference server. 
?/// - Returns:  if the call was a call to a conference server 
C‡¶,òg½s:14HDLLinPhoneSDK12CoreDelegateC33onLogCollectionUploadStateChanged2lc5state4infoyAA0D0C_AI0ghiJ0OSStFDCallback prototype for reporting log collection upload state change.J///    Callback prototype for reporting log collection upload state change. 
)/// - Parameter lc: LinphoneCore object 
?/// - Parameter state: The state of the log collection upload 
T/// - Parameter info: Additional information: error message in case of error state,
./// URL of uploaded file in case of success. 
/// 
.–È´6Ús:14HDLLinPhoneSDK20PresenceActivityTypeO6DinneryA2CmFXThe person is having his or her main meal of the day, eaten in the evening or at midday.R/// The person is having his or her main meal of the day, eaten in the evening or
/// at midday. 
c—v&0?s:14HDLLinPhoneSDK7ContentC7getPart3idxACSgSi_tF;Get a part from a multipart content according to its index.A///    Get a part from a multipart content according to its index. 
4/// - Parameter idx: The index of the part to get. 
/// 
/// 
M/// - Returns: A `Content` object holding the part if found, nil otherwise. 
S—ÖZÒ>ès:14HDLLinPhoneSDK13PresenceModelC11basicStatusAA0d5BasicG0Ovp*Gets the basic status of a presence model.0/// Gets the basic status of a presence model. 
S/// - Returns: The LinphonePresenceBasicStatus of the `PresenceModel` object given
/// as parameter. 
Éš6VO`±s:14HDLLinPhoneSDK4CoreC14createAuthInfo8username6userid6passwd3ha15realm6domainAA0fG0CSS_S5StKFLCreate an authentication information with default values from Linphone core.R///    Create an authentication information with default values from Linphone core. 
T/// - Parameter username: String containing the username part of the authentication
/// credentials 
O/// - Parameter userid: String containing the username to use to calculate the
&/// authentication digest (optional) 
M/// - Parameter passwd: String containing the password of the authentication
>/// credentials (optional, either passwd or ha1 must be set) 
T/// - Parameter ha1: String containing a ha1 hash of the password (optional, either
 /// passwd or ha1 must be set) 
P/// - Parameter realm: String used to discriminate different SIP authentication
/// domains (optional) 
H/// - Parameter domain: String containing the SIP domain for which this
Q/// authentication information is valid, if it has to be restricted for a single
/// SIP domain. 
/// 
/// 
2/// - Returns: `AuthInfo` with default values set
/// 
?/// - deprecated: use {@link Factory#createAuthInfo} instead. 
*F¿3K s:14HDLLinPhoneSDK8ChatRoomC15addParticipants9addressesSbSayAA7AddressCG_tFÑAdd several participants to a chat room at once. This may fail if this type of chat room does not handle participants. Use {@link ChatRoom#canHandleParticipants} to know if this chat room handles participants.    6///    Add several participants to a chat room at once. 
N/// This may fail if this type of chat room does not handle participants. Use
M/// {@link ChatRoom#canHandleParticipants} to know if this chat room handles
/// participants. 
/// 
J/// - Parameter addresses: A list of `Address` objects. LinphoneAddress  
/// 
/// 
:/// - Returns: True if everything is OK, False otherwise 
ߟFKÈ:’s:14HDLLinPhoneSDK4CoreC16textPayloadTypesSayAA0F4TypeCGvp4Return the list of the available text payload types.:/// Return the list of the available text payload types. 
O/// - Returns: A list of `PayloadType` objects. LinphonePayloadType  A freshly
S/// allocated list of the available payload types. The list must be destroyed with
R/// bctbx_list_free() after usage. The elements of the list haven't to be unref. 
ð¡6á¨%€s:14HDLLinPhoneSDK7AddressC5isSipSbvp1returns true if address is a routable sip address7/// returns true if address is a routable sip address 
—¡¦\BJs:14HDLLinPhoneSDK14AccountCreatorC6StatusO0B13NumberInvalidyA2EmFError cannot send SMS./// Error cannot send SMS. 
O¥&,0As:14HDLLinPhoneSDK11ProxyConfigC10serverAddrSSvp)/// - Returns: the proxy's SIP address. 
"¨–|±4Âs:14HDLLinPhoneSDK11ChatMessageC14hasTextContentSbyF4Returns true if the chat message has a text content.:///    Returns true if the chat message has a text content. 
4/// - Returns: true if it has one, false otherwise 
³©Ά5Ýs:14HDLLinPhoneSDK11ChatMessageC15externalBodyUrlSSvp?Linphone message can carry external body as defined by rfc2017.E/// Linphone message can carry external body as defined by rfc2017. 
9/// - Returns: external body url or nil if not present. 
•«Æ¨Û&Ñs:14HDLLinPhoneSDK7ContentC6isFileSbvp2Tells whether or not this content contains a file.8/// Tells whether or not this content contains a file. 
G/// - Returns: True if this content contains a file, false otherwise. 
C¬6(k4ñs:14HDLLinPhoneSDK13PresenceModelC12nbActivitiesSuvp=Gets the number of activities included in the presence model.C/// Gets the number of activities included in the presence model. 
Q/// - Returns: The number of activities included in the `PresenceModel` object. 
ΰÍðM+s:14HDLLinPhoneSDK11ProxyConfigC15setCustomHeader10headerName0I5ValueySS_SStFISet the value of a custom header sent to the server in REGISTERs request.O///    Set the value of a custom header sent to the server in REGISTERs request. 
-/// - Parameter headerName: the header name 
1/// - Parameter headerValue: the header's value 
/// 
0²6)Ès:14HDLLinPhoneSDK11PayloadTypeC4typeSivpGet the type of a payload type.%/// Get the type of a payload type. 
H/// - Returns: The type of the payload e.g. PAYLOAD_AUDIO_CONTINUOUS or
/// PAYLOAD_VIDEO. 
­´6h~Ls:14HDLLinPhoneSDK10CallParamsC15addCustomHeader10headerName0I5ValueySS_SStF1Add a custom SIP header in the INVITE for a call.7///    Add a custom SIP header in the INVITE for a call. 
</// - Parameter headerName: The name of the header to add. 
@/// - Parameter headerValue: The content of the header to add. 
/// 
a¶v°¶1bs:14HDLLinPhoneSDK4CoreC19sessionExpiresValueSivp"Returns the session expires value.(/// Returns the session expires value. 
æ¸vG-1fs:14HDLLinPhoneSDK8ChatRoomC5StateO7DeletedyA2EmF$Chat room was deleted on the server.*/// Chat room was deleted on the server. 
ù& os:14HDLLinPhoneSDK19ChatMessageDelegateC18onFileTransferRecv3msg7content6bufferyAA0dE0C_AA7ContentCAA6BufferCtFÈFile transfer receive callback prototype. This function is called by the core upon an incoming File transfer is started. This function may be call several time for the same file in case of large file.    ////    File transfer receive callback prototype. 
S/// This function is called by the core upon an incoming File transfer is started.
U/// This function may be call several time for the same file in case of large file. 
/// 
S/// - Parameter msg: LinphoneChatMessage message from which the body is received. 
G/// - Parameter content: LinphoneContent incoming content information 
O/// - Parameter buffer: LinphoneBuffer holding the received data. Empty buffer
/// means end of file. 
/// 
ï¼&0‡.Js:14HDLLinPhoneSDK6ReasonO12DoNotDisturbyA2CmFDo not disturb reason./// Do not disturb reason. 
•¾ÆÌ+›s:14HDLLinPhoneSDK10TransportsC7tlsPortSivp+Gets the TLS port in the Transports object.3/// Gets the TLS port in the `Transports` object. 
/// - Returns: the TLS port 
H¿&@¤,Ts:14HDLLinPhoneSDK4CoreC14videoSupportedSbyFTest if video is supported.!///    Test if video is supported. 
²À&á-„s:14HDLLinPhoneSDK11PayloadTypeC8channelsSivpGet the number of channels.!/// Get the number of channels. 
(/// - Returns: The number of channels. 
¢Á¦Žø3fs:14HDLLinPhoneSDK4CoreC15addSupportedTag3tagySS_tFwThis function controls signaling features supported by the core. They are typically included in a SIP Supported header.F///    This function controls signaling features supported by the core. 
</// They are typically included in a SIP Supported header. 
/// 
+/// - Parameter tag: The feature tag name 
/// 
"ÄÜ +és:14HDLLinPhoneSDK4CallC14startRecordingyyFÓStart call recording. Video record is only available if this function is called in state StreamRunning. The output file where audio is recorded must be previously specified with {@link CallParams#setRecordFile}.///    Start call recording. 
G/// Video record is only available if this function is called in state
N/// StreamRunning. The output file where audio is recorded must be previously
6/// specified with {@link CallParams#setRecordFile}. 
(Äæj>8s:14HDLLinPhoneSDK14AccountCreatorC15TransportStatusO2OkyA2EmF Transport ok./// Transport ok. 
TÆ6»j-—s:14HDLLinPhoneSDK4CoreC6tunnelAA6TunnelCSgvp get tunnel instance if available&/// get tunnel instance if available 
1/// - Returns: `Tunnel` or nil if not available 
ùÈV 'hs:14HDLLinPhoneSDK16ChatRoomDelegateC30onEphemeralMessageTimerStarted2cr8eventLogyAA0dE0C_AA05EventN0CtFÆCallback used to notify a chat room that the lifespan of an ephemeral message before disappearing has started to decrease. This callback is called when the ephemeral message is read by the receiver.R///    Callback used to notify a chat room that the lifespan of an ephemeral message
2///    before disappearing has started to decrease. 
Q/// This callback is called when the ephemeral message is read by the receiver. 
/// 
-/// - Parameter cr: LinphoneChatRoom object 
/// 
ùÉ6¯â1ès:14HDLLinPhoneSDK13XmlRpcRequestC8userDataSvSgvp>Retrieve the user pointer associated with the XML-RPC request.D/// Retrieve the user pointer associated with the XML-RPC request. 
F/// - Returns: The user pointer associated with the XML-RPC request. 
ŒÍ6óÊ:Ìs:14HDLLinPhoneSDK11ChatMessageC9errorInfoAA05ErrorG0CSgvp8Get full details about delivery error of a chat message.>/// Get full details about delivery error of a chat message. 
6/// - Returns: a `ErrorInfo` describing the details. 
”Í&-<0³s:14HDLLinPhoneSDK4CoreC18echoLimiterEnabledSbvp&Tells whether echo limiter is enabled.,/// Tells whether echo limiter is enabled. 
A/// - Returns:  if the echo limiter is enabled, true otherwise. 
›ΖîTKs:14HDLLinPhoneSDK6ConfigC21getSectionParamString7section3key12defaultValueS2S_S2StF‘Retrieves a section parameter item as a string, given its section and key. The default value string is returned if the config item isn’t found.P///    Retrieves a section parameter item as a string, given its section and key. 
J/// The default value string is returned if the config item isn't found. 
$ÎFq+²s:14HDLLinPhoneSDK4CoreC13guessHostnameSbvpJReturns true if hostname part of primary contact is guessed automatically.P/// Returns true if hostname part of primary contact is guessed automatically. 
¢Ó&˙8¥s:14HDLLinPhoneSDK13XmlRpcRequestC6statusAA0dE6StatusOvp&Get the status of the XML-RPC request.,/// Get the status of the XML-RPC request. 
3/// - Returns: The status of the XML-RPC request. 
ŠÓFÆè*Ks:14HDLLinPhoneSDK5EventC12pausePublishyyFPrevent an event from refreshing its publish. This is useful to let registrations to expire naturally (or) when the application wants to keep control on when refreshes are sent. The refreshing operations can be resumed with {@link ProxyConfig#refreshRegister}.3///    Prevent an event from refreshing its publish. 
J/// This is useful to let registrations to expire naturally (or) when the
Q/// application wants to keep control on when refreshes are sent. The refreshing
I/// operations can be resumed with {@link ProxyConfig#refreshRegister}. 
ÚÔf”Z5s:14HDLLinPhoneSDK16ChatRoomDelegateC16onSubjectChanged2cr8eventLogyAA0dE0C_AA05EventL0CtFDCallback used to notify that the subject of a chat room has changed.J///    Callback used to notify that the subject of a chat room has changed. 
-/// - Parameter cr: LinphoneChatRoom object 
E/// - Parameter eventLog: LinphoneEventLog The event to be notified 
/// 
Õ6™t4˜s:14HDLLinPhoneSDK11ProxyConfigC14dialEscapePlusSbvpP/// - Returns: whether liblinphone should replace "+" by "00" in dialed numbers
(/// (passed to linphone_core_invite ). 
Ö¦:>s:14HDLLinPhoneSDK4CoreC24startConferenceRecording4pathySS_tKF'Start recording the running conference.-///    Start recording the running conference. 
L/// - Parameter path: Path to the file where the recording will be written 
/// 
/// 
:/// - Returns: 0 if succeeded. Negative number if failed 
Ÿ֖=)s:14HDLLinPhoneSDK20ParticipantImdnStateCyThe LinphoneParticipantImdnState object represents the state of chat message for a participant of a conference chat room.Q/// The LinphoneParticipantImdnState object represents the state of chat message
2/// for a participant of a conference chat room. 
œÙæ‡R‰\
s:14HDLLinPhoneSDK7FactoryC16createSharedCore14configFilename17factoryConfigPath13systemContext10appGroupId04mainG0AA0G0CSS_SSSvSgSSSbtKFInstantiate a shared Core object. The shared Core allow you to create several Core with the same config. Two Core can’t run at the same time.%)///    Instantiate a shared `Core` object. 
S/// The shared `Core` allow you to create several `Core` with the same config. Two
'/// `Core` can't run at the same time.
/// 
N/// A shared `Core` can be a "Main Core" or an "Executor Core". A "Main Core"
R/// automatically stops a running "Executor Core" when calling {@link Core#start}
P/// An "Executor Core" can't start unless no other `Core` is started. It can be
P/// stopped by a "Main Core" and switch to LinphoneGlobalState Off at any time.
/// 
S/// Shared Executor Core are used in iOS UNNotificationServiceExtension to receive
Q/// new messages from push notifications. When the application is in background,
%/// its Shared Main Core is stopped.
/// 
L/// The `Core` object is not started automatically, you need to call {@link
S/// Core#start} to that effect. The returned `Core` will be in LinphoneGlobalState
L/// Ready. Core ressources can be released using {@link Core#stop} which is
9/// strongly encouraged on garbage collected languages. 
/// 
S/// - Parameter configFilename: The name of the config file. If it does not exists
P/// it will be created. Its path is computed using the app_group_id. The config
N/// file is used to store all settings, proxies... so that all these settings
Q/// become persistent over the life of the `Core` object. It is allowed to set a
G/// nil config file. In that case `Core` will not store any settings. 
Q/// - Parameter factoryConfigPath: A path to a read-only config file that can be
L/// used to store hard-coded preferences such as proxy settings or internal
S/// preferences. The settings in this factory file always override the ones in the
>/// normal config file. It is optional, use nil if unneeded. 
T/// - Parameter systemContext: A pointer to a system object required by the core to
R/// operate. Currently it is required to pass an android Context on android, pass
/// nil on other platforms. 
T/// - Parameter appGroupId: Name of iOS App Group that lead to the file system that
6/// is shared between an app and its app extensions. 
L/// - Parameter mainCore: Indicate if we want to create a "Main Core" or an
/// "Executor Core". 
/// 
/// 
A/// - See also: linphone_factory_create_shared_core_with_config 
âö}47    s:14HDLLinPhoneSDK4CallC17transferToAnother4destyAC_tKFËTransfers a call to destination of another running call. This is used for â€œattended transfer” scenarios. The transfered call is supposed to be in paused state, so that it is able to accept the transfer immediately. The destination call is a call previously established to introduce the transfered person. This method will send a transfer request to the transfered person. The phone of the transfered is then expected to automatically call to the destination of the transfer. The receiver of the transfer will then automatically close the call with us (the â€˜dest’ call). It is possible to follow the progress of the transfer provided that transferee sends notification about it. In this case, the transfer_state_changed callback of the LinphoneCoreVTable is invoked to notify of the state of the new call at the other party. The notified states are #LinphoneCallOutgoingInit , #LinphoneCallOutgoingProgress, #LinphoneCallOutgoingRinging and #LinphoneCallConnected.>///    Transfers a call to destination of another running call. 
T/// This is used for "attended transfer" scenarios. The transfered call is supposed
R/// to be in paused state, so that it is able to accept the transfer immediately.
K/// The destination call is a call previously established to introduce the
R/// transfered person. This method will send a transfer request to the transfered
R/// person. The phone of the transfered is then expected to automatically call to
L/// the destination of the transfer. The receiver of the transfer will then
N/// automatically close the call with us (the 'dest' call). It is possible to
T/// follow the progress of the transfer provided that transferee sends notification
G/// about it. In this case, the transfer_state_changed callback of the
P/// LinphoneCoreVTable is invoked to notify of the state of the new call at the
E/// other party. The notified states are #LinphoneCallOutgoingInit ,
D/// #LinphoneCallOutgoingProgress, #LinphoneCallOutgoingRinging and
/// #LinphoneCallConnected. 
/// 
T/// - Parameter dest: A running call whose remote person will receive the transfer 
/// 
/// 
,/// - Returns: 0 on success, -1 on failure 
/í֏E\9s:14HDLLinPhoneSDK16ChatRoomDelegateC18onParticipantAdded2cr8eventLogyAA0dE0C_AA05EventL0CtFFCallback used to notify a chat room that a participant has been added.L///    Callback used to notify a chat room that a participant has been added. 
-/// - Parameter cr: LinphoneChatRoom object 
E/// - Parameter eventLog: LinphoneEventLog The event to be notified 
/// 
ûñæúG(s:14HDLLinPhoneSDK14PresencePersonC17addActivitiesNote4noteyAA0dH0C_tKF-Adds an activities note to a presence person.3///    Adds an activities note to a presence person. 
G/// - Parameter note: The `PresenceNote` object to add to the person. 
/// 
/// 
?/// - Returns: 0 if successful, a value < 0 in case of error. 
ïôVª-¬s:14HDLLinPhoneSDK12PublishStateO5ErroryA2CmFGPublish encoutered an error, {@link Event#getReason} gives reason code.M/// Publish encoutered an error, {@link Event#getReason} gives reason code. 
ˆü†µ'bs:14HDLLinPhoneSDK8AuthInfoC6domainSSvpGets the domain./// Gets the domain. 
/// - Returns: The domain. 
°ü&»ï>ës:14HDLLinPhoneSDK4CoreC14checkForUpdate14currentVersionySS_tF8Checks if a new version of the application is available.>///    Checks if a new version of the application is available. 
H/// - Parameter currentVersion: The current version of the application 
/// 
$þ–+û:ùs:14HDLLinPhoneSDK10CallParamsC21audioMulticastEnabledSbvp+Use to get multicast state of audio stream.1/// Use to get multicast state of audio stream. 
I/// - Returns: true if subsequent calls will propose multicast ip set by
,/// linphone_core_set_audio_multicast_addr 
HW!ujs:14HDLLinPhoneSDK13PresenceModelC30hasCapabilityWithVersionOrMore10capability7versionSbAA06FriendG0V_SftFfReturns whether or not the PresenceModel object has a given capability with a certain version or more.T///    Returns whether or not the `PresenceModel` object has a given capability with a
///    certain version or more. 
5/// - Parameter capability: The capability to test. 
6/// - Parameter version: The wanted version to test. 
/// 
/// 
P/// - Returns: whether or not the `PresenceModel` object has a given capability
%/// with a certain version or more. 
ã·ƒ>:s:14HDLLinPhoneSDK14PresencePersonC17nbActivitiesNotesSuvpDGets the number of activities notes included in the presence person.J/// Gets the number of activities notes included in the presence person. 
O/// - Returns: The number of activities notes included in the `PresencePerson`
 /// object. 
ì·ÎŽBBs:14HDLLinPhoneSDK14AccountCreatorC14UsernameStatusO7TooLongyA2EmFUsername too long./// Username too long. 
mGDx@&s:14HDLLinPhoneSDK4CoreC21videoActivationPolicyAA05VideofG0CSgvp]Get the default policy for video. See {@link Core#setVideoActivationPolicy} for more details.'/// Get the default policy for video. 
A/// See {@link Core#setVideoActivationPolicy} for more details. 
/// 
,/// - Returns: The video policy being used 
×Y4s:14HDLLinPhoneSDK11ProxyConfigC14publishExpiresSivp^get the publish expiration time in second. Default value is the registration expiration value.0/// get the publish expiration time in second. 
9/// Default value is the registration expiration value. 
/// 
"/// - Returns: expires in second 
w–Z#­s:14HDLLinPhoneSDK6ConfigC4dumpSSyF&Dumps the Config as INI into a buffer..///    Dumps the `Config` as INI into a buffer. 
9/// - Returns: The buffer that contains the config dump 
 
÷âöVÚs:14HDLLinPhoneSDK8ChatRoomC25setParticipantAdminStatus11participant02isH0yAA0G0C_SbtFfChange the admin status of a participant of a chat room (you need to be an admin yourself to do this).O///    Change the admin status of a participant of a chat room (you need to be an
!///    admin yourself to do this). 
S/// - Parameter participant: The Participant for which to change the admin status 
T/// - Parameter isAdmin: A boolean value telling whether the participant should now
/// be an admin or not 
/// 
ý
WÅ1:Ós:14HDLLinPhoneSDK11ChatMessageC8contentsSayAA7ContentCGvp,Returns the list of contents in the message.2/// Returns the list of contents in the message. 
U/// - Returns: A list of `Content` objects. LinphoneContent  the list of `Content`. 
 gPœ*ös:14HDLLinPhoneSDK6TunnelC10sipEnabledSbvp5Check whether tunnel is set to transport SIP packets.;/// Check whether tunnel is set to transport SIP packets. 
R/// - Returns: A boolean value telling whether SIP packets shall pass through the
 /// tunnel 
TÇÊ0ès:14HDLLinPhoneSDK13PresenceModelC9nbPersonsSuvp:Gets the number of persons included in the presence model.@/// Gets the number of persons included in the presence model. 
N/// - Returns: The number of persons included in the `PresenceModel` object. 
χéÓAXs:14HDLLinPhoneSDK14AccountCreatorC013loginLinphoneD0AC6StatusOyFXSend a request to get the password & algorithm of an account using the confirmation key.K///    Send a request to get the password & algorithm of an account using the
///    confirmation key. 
O/// - Returns: LinphoneAccountCreatorStatusRequestOk if everything is OK, or a
/// specific error otherwise. 
·zž5ïs:14HDLLinPhoneSDK4CoreC15startEchoTester4rateySu_tKFIStart the simulation of call to test the latency with an external device.O///    Start the simulation of call to test the latency with an external device. 
*/// - Parameter rate: Sound sample rate. 
/// 
¢ç    MÚs:14HDLLinPhoneSDK11ChatMessageC15addCustomHeader10headerName0I5ValueySS_SStF"Add custom headers to the message.(///    Add custom headers to the message. 
0/// - Parameter headerName: name of the header 
+/// - Parameter headerValue: header value 
/// 
«'Kö<øs:14HDLLinPhoneSDK4CoreC16currentCallbacksAA0D8DelegateCSgvp³Gets the current LinphoneCoreCbs. This is meant only to be called from a callback to be able to get the user_data associated with the LinphoneCoreCbs that is calling the callback.'/// Gets the current LinphoneCoreCbs. 
T/// This is meant only to be called from a callback to be able to get the user_data
G/// associated with the LinphoneCoreCbs that is calling the callback. 
/// 
F/// - Returns: the LinphoneCoreCbs that has called the last callback 
‹ ×ž,:s:14HDLLinPhoneSDK9NatPolicyC23tcpTurnTransportEnabledSbvpGTells whether TCP TURN transport is enabled. Used when TURN is enabled.2/// Tells whether TCP TURN transport is enabled. 
 /// Used when TURN is enabled. 
/// 
M/// - Returns: Boolean value telling whether TCP TURN transport is enabled. 
‰!wb¤46s:14HDLLinPhoneSDK4CoreC15reloadMsPlugins4pathySS_tF7Reload mediastreamer2 plugins from specified directory.=///    Reload mediastreamer2 plugins from specified directory. 
T/// - Parameter path: the path from where plugins are to be loaded, pass nil to use
9/// default (compile-time determined) plugin directory. 
/// 
Š$' £/^s:14HDLLinPhoneSDK4CoreC17limeX3DhAvailableSbyF Tells if LIME X3DH is available.&///    Tells if LIME X3DH is available. 
y1× á5¡s:14HDLLinPhoneSDK14AccountCreatorC12setAsDefaultSbvp Get the set_as_default property.&/// Get the set_as_default property. 
;/// - Returns: The set_as_default of the `AccountCreator` 
‚3‡±H.âs:14HDLLinPhoneSDK4CallC16acceptEarlyMediayyKFAccept an early media session for an incoming call. This is identical as calling {@link Call#acceptEarlyMediaWithParams} with nil parameters.9///    Accept an early media session for an incoming call. 
R/// This is identical as calling {@link Call#acceptEarlyMediaWithParams} with nil
/// parameters. 
/// 
./// - Returns: 0 if successful, -1 otherwise 
/// 
9/// - See also: {@link Call#acceptEarlyMediaWithParams} 
4‡ž»4s:14HDLLinPhoneSDK6FriendC11createVcard4nameSbSS_tKFªCreates a vCard object associated to this friend if there isn’t one yet and if the full name is available, either by the parameter or the one in the friend’s SIP URI.
S///    Creates a vCard object associated to this friend if there isn't one yet and if
S///    the full name is available, either by the parameter or the one in the friend's
///    SIP URI. 
Q/// - Parameter name: The full name of the friend or nil to use the one from the
/// friend's SIP URI 
/// 
/// 
T/// - Returns: true if the vCard has been created, false if it wasn't possible (for
Q/// exemple if name and the friend's SIP URI are null or if the friend's SIP URI
D/// doesn't have a display name), or if there is already one vcard 
/5§åÛ%Rs:14HDLLinPhoneSDK6ReasonO4GoneyA2CmFResource no longer exists. /// Resource no longer exists. 
š;§è8Ýs:14HDLLinPhoneSDK4CoreC17loadConfigFromXml6xmlUriySS_tF<Update current config with the content of a xml config file.B///    Update current config with the content of a xml config file. 
2/// - Parameter xmlUri: the path to the xml file 
/// 
z<Çd•Cps:14HDLLinPhoneSDK14AccountCreatorC6StatusO16MissingCallbacksyA2EmF)Request failed due to missing callback(s)//// Request failed due to missing callback(s) 
@@“\%—s:14HDLLinPhoneSDK16FriendCapabilityV=Enum describing the status of a LinphoneFriendList operation.B///Enum describing the status of a LinphoneFriendList operation. 
<@÷ª"Bbs:14HDLLinPhoneSDK14AccountCreatorC6StatusO15UnexpectedErroryA2EmF#< Error algo isn’t MD5 or SHA-256'/// < Error algo isn't MD5 or SHA-256 
RL§Gh3ës:14HDLLinPhoneSDK15VideoDefinitionC8userDataSvSgvp?Retrieve the user pointer associated with the video definition.E/// Retrieve the user pointer associated with the video definition. 
G/// - Returns: The user pointer associated with the video definition. 
LÇü9¸s:14HDLLinPhoneSDK20PresenceActivityTypeO9BreakfastyA2CmFMThe person is eating the first meal of the day, usually eaten in the morning.S/// The person is eating the first meal of the day, usually eaten in the morning. 
aM§†Ý5»s:14HDLLinPhoneSDK8ChatRoomC19unreadMessagesCountSivp3Gets the number of unread messages in the chatroom.9/// Gets the number of unread messages in the chatroom. 
//// - Returns: the number of unread messages. 
ÜO7óª/¶s:14HDLLinPhoneSDK4CoreC17audioMulticastTtlSivp5Use to get multicast ttl to be used for audio stream.;/// Use to get multicast ttl to be used for audio stream. 
&/// - Returns: a time to leave value 
sT×ÅXChs:14HDLLinPhoneSDK12EventLogTypeO26ConferenceParticipantAddedyA2CmF%Conference participant (added) event.+/// Conference participant (added) event. 
1X§×7Ês:14HDLLinPhoneSDK20PresenceActivityTypeO7WorkingyA2CmFPThe person is engaged in, typically paid, labor, as part of a profession or job.P/// The person is engaged in, typically paid, labor, as part of a profession or
 
/// job. 
x]ÇÆ+)js:14HDLLinPhoneSDK6ReasonO8NotFoundyA2CmF&Destination of the call was not found.,/// Destination of the call was not found. 
_çÂ3ùs:14HDLLinPhoneSDK4CoreC21videoMulticastEnabledSbvp+Use to get multicast state of video stream.1/// Use to get multicast state of video stream. 
I/// - Returns: true if subsequent calls will propose multicast ip set by
,/// linphone_core_set_video_multicast_addr 
aW°¦)ús:14HDLLinPhoneSDK4CoreC11videoPresetSSvp*Get the video preset used for video calls.0/// Get the video preset used for video calls. 
T/// - Returns: The name of the video preset used for video calls (can be nil if the
$/// default video preset is used). 
aç‹7Às:14HDLLinPhoneSDK5EventC13remoteContactAA7AddressCSgvp2Get the â€œcontact” address of the subscription.4/// Get the "contact" address of the subscription. 
:/// - Returns: The "contact" address of the subscription 
Ðc7`aCs:14HDLLinPhoneSDK7ContentC9setBuffer6buffer4sizeySPys5UInt8VG_SitF.Set the content data buffer, usually a string.4///    Set the content data buffer, usually a string. 
2/// - Parameter buffer: The content data buffer. 
</// - Parameter size: The size of the content data buffer. 
/// 
TfgH6Ts:14HDLLinPhoneSDK13XmlRpcRequestC14stringResponseSSvpsGet the response to an XML-RPC request sent with {@link XmlRpcSession#sendRequest} and returning a string response.</// Get the response to an XML-RPC request sent with {@link
A/// XmlRpcSession#sendRequest} and returning a string response. 
</// - Returns: The string response to the XML-RPC request. 
‹fwE4gòs:14HDLLinPhoneSDK12CoreDelegateC39onLogCollectionUploadProgressIndication2lc6offset5totalyAA0D0C_S2itFKCallback prototype for reporting log collection upload progress indication.Q///    Callback prototype for reporting log collection upload progress indication. 
)/// - Parameter lc: LinphoneCore object 
/// 
)k÷qð-ùs:14HDLLinPhoneSDK4CoreC15uploadBandwidthSivpgRetrieve the maximum available upload bandwidth. This value was set by {@link Core#setUploadBandwidth}.6/// Retrieve the maximum available upload bandwidth. 
</// This value was set by {@link Core#setUploadBandwidth}. 
üqç?™,Üs:14HDLLinPhoneSDK11ChatMessageC7appdataSSvp¡Linphone message has an app-specific field that can store a text. The application might want to use it for keeping data over restarts, like thumbnail image path.G/// Linphone message has an app-specific field that can store a text. 
N/// The application might want to use it for keeping data over restarts, like
/// thumbnail image path. 
/// 
N/// - Returns: the application-specific data or nil if none has been stored. 
‹s§ÔÄ3Ys:14HDLLinPhoneSDK12SearchResultC12capabilitiesSivpA/// - Returns: the capabilities associated to the search result 
@xÇ{Ñ)bs:14HDLLinPhoneSDK11ChatMessageC4timeSivp"Get the time the message was sent.(/// Get the time the message was sent. 
§{§ï1I¸s:14HDLLinPhoneSDK4CoreC16notifyAllFriends8presenceyAA13PresenceModelC_tF(Notify all friends that have subscribed..///    Notify all friends that have subscribed. 
5/// - Parameter presence: `PresenceModel` to notify 
/// 
~|Wçª/Vs:14HDLLinPhoneSDK12PublishStateO7ClearedyA2CmFEvent has been un published."/// Event has been un published. 
Ё÷¶X3©s:14HDLLinPhoneSDK8ChatRoomC11peerAddressAA0G0CSgvp-get peer address associated to  this ChatRoom5/// get peer address associated to  this `ChatRoom` 
'/// - Returns: `Address` peer address 
؁…-s:14HDLLinPhoneSDK7CallLogC12videoEnabledSbvp=Tell whether video was enabled at the end of the call or not.C/// Tell whether video was enabled at the end of the call or not. 
S/// - Returns: A boolean value telling whether video was enabled at the end of the
 /// call. 
A‚Gê2‘s:14HDLLinPhoneSDK4CoreC6invite3urlAA4CallCSgSS_tFÇInitiates an outgoing call. The application doesn’t own a reference to the returned LinphoneCall object. Use linphone_call_ref to safely keep the LinphoneCall pointer valid within your application.    !///    Initiates an outgoing call. 
Q/// The application doesn't own a reference to the returned LinphoneCall object.
T/// Use linphone_call_ref to safely keep the LinphoneCall pointer valid within your
/// application.
/// 
R/// - Parameter url: The destination of the call (sip address, or phone number). 
/// 
/// 
:/// - Returns: A `Call` object or nil in case of failure 
rƒçÎ7:    s:14HDLLinPhoneSDK4CoreC28audioAdaptiveJittcompEnabledSbvp@Tells whether the audio adaptive jitter compensation is enabled.F/// Tells whether the audio adaptive jitter compensation is enabled. 
K/// - Returns:  if the audio adaptive jitter compensation is enabled, true
/// otherwise. 
n„BýbQs:14HDLLinPhoneSDK7FactoryC31createParticipantDeviceIdentity7address4nameAA0fgH0CAA7AddressC_SStKF3Create a #LinphoneParticipantDeviceIdentity object.9///    Create a #LinphoneParticipantDeviceIdentity object. 
,/// - Parameter address: `Address` object. 
5/// - Parameter name: the name given to the device. 
/// 
/// 
:/// - Returns: A new #LinphoneParticipantDeviceIdentity. 
ˆ'02ýs:14HDLLinPhoneSDK14AccountCreatorC8userDataSvSgvpERetrieve the user pointer associated with the LinphoneAccountCreator.K/// Retrieve the user pointer associated with the LinphoneAccountCreator. 
M/// - Returns: The user pointer associated with the LinphoneAccountCreator. 
„ˆ×*[s:14HDLLinPhoneSDK21ChatRoomSecurityLevelO”TODO move to encryption engine object when available LinphoneChatRoomSecurityLevel is used to indicate the encryption security level of a chat room.8///TODO move to encryption engine object when available
S///LinphoneChatRoomSecurityLevel is used to indicate the encryption security level
///of a chat room. 
‰÷'£Ìs:14HDLLinPhoneSDK4CoreC13createCallLog4from2to3dir8duration9startTime09connectedM06status12videoEnabled7qualityAA0fG0CAA7AddressC_AqA0F0C3DirOS3iAS6StatusOSbSftKFCreates a fake LinphoneCallLog. %///    Creates a fake LinphoneCallLog. 
1/// - Parameter from: LinphoneAddress of caller 
//// - Parameter to: LinphoneAddress of callee 
./// - Parameter dir: LinphoneCallDir of call 
2/// - Parameter duration: call length in seconds 
9/// - Parameter startTime: timestamp of call start time 
=/// - Parameter connectedTime: timestamp of call connection 
4/// - Parameter status: LinphoneCallStatus of call 
N/// - Parameter videoEnabled: whether video was enabled or not for this call 
'/// - Parameter quality: call quality 
/// 
/// 
'/// - Returns: LinphoneCallLog object 
+‘(å0ès:14HDLLinPhoneSDK4CoreC18videoDisplayFilterSSvpCGet the name of the mediastreamer2 filter used for rendering video.I/// Get the name of the mediastreamer2 filter used for rendering video. 
</// - Returns: The currently selected video display filter 
“×îÅ5xs:14HDLLinPhoneSDK4CallC23echoCancellationEnabledSbvp-Returns true if echo cancellation is enabled.3/// Returns true if echo cancellation is enabled. 
õ”'·?Ïs:14HDLLinPhoneSDK4CallC16acceptWithParams6paramsyAA0dG0CSg_tKF>Accept an incoming call, with parameters. Basically the application is notified of incoming calls within the call_state_changed callback of the LinphoneCoreVTable structure, where it will receive a LinphoneCallIncoming event with the associated Call object. The application can later accept the call using this method. ////    Accept an incoming call, with parameters. 
G/// Basically the application is notified of incoming calls within the
S/// call_state_changed callback of the LinphoneCoreVTable structure, where it will
P/// receive a LinphoneCallIncoming event with the associated `Call` object. The
>/// application can later accept the call using this method. 
/// 
S/// - Parameter params: The specific parameters for this call, for example whether
D/// video is accepted or not. Use nil to use default parameters    
/// 
/// 
,/// - Returns: 0 on success, -1 on failure 
•g§Ÿ*˜s:14HDLLinPhoneSDK7FactoryC8userDataSvSgvp)Gets the user data in the Factory object.1/// Gets the user data in the `Factory` object. 
/// - Returns: the user data 
ÿ™·žÔ3ûs:14HDLLinPhoneSDK4CoreC21adaptiveRateAlgorithmSSvpOReturns which adaptive rate algorithm is currently configured for future calls.U/// Returns which adaptive rate algorithm is currently configured for future calls. 
7/// - See also: {@link Core#setAdaptiveRateAlgorithm} 
lš÷Ƨ0às:14HDLLinPhoneSDK7FactoryC15topResourcesDirSSvp6Get the top directory where the resources are located.</// Get the top directory where the resources are located. 
N/// - Returns: The path to the top directory where the resources are located 
þ£×>,zs:14HDLLinPhoneSDK4CoreC14conferenceSizeSivpˆGet the number of participant in the running conference. The local participant is included in the count only if it is in the conference.>/// Get the number of participant in the running conference. 
U/// The local participant is included in the count only if it is in the conference. 
/// 
*/// - Returns: The number of participant 
†ªâ)žs:14HDLLinPhoneSDK7PrivacyO7SessionyA2CmF@Request that privacy services provide privacy for session media.F/// Request that privacy services provide privacy for session media. 
€³G -Ðs:14HDLLinPhoneSDK4CoreC15hasCrappyOpenglSbyF6Check whether the device is flagged has crappy opengl.<///    Check whether the device is flagged has crappy opengl. 
>/// - Returns:  if crappy opengl flag is set, true otherwise 
o¶úõ$Ðs:14HDLLinPhoneSDK4CallC7referToSSvp3Gets the refer-to uri (if the call was transfered).9/// Gets the refer-to uri (if the call was transfered). 
D/// - Returns: The refer-to uri of the call (if it was transfered) 
»7ÓXN©s:14HDLLinPhoneSDK12CoreDelegateC18onNetworkReachable2lc9reachableyAA0D0C_SbtFCallback prototype for reporting network change either automatically detected or notified by linphone_core_set_network_reachable.R///    Callback prototype for reporting network change either automatically detected
9///    or notified by linphone_core_set_network_reachable. 
&/// - Parameter lc: the LinphoneCore 
:/// - Parameter reachable: true if network is reachable. 
/// 
¿wr9ÿs:14HDLLinPhoneSDK13ImNotifPolicyC17sendImdnDeliveredSbvp9Tell whether imdn delivered notifications are being sent.?/// Tell whether imdn delivered notifications are being sent. 
T/// - Returns: Boolean value telling whether imdn delivered notifications are being
 /// sent. 
cÀ· ”H{s:14HDLLinPhoneSDK12CoreDelegateC13onCallCreated2lc4callyAA0D0C_AA0G0CtFZCallback notifying that a new LinphoneCall (either incoming or outgoing) has been created.Q///    Callback notifying that a new LinphoneCall (either incoming or outgoing) has
///    been created. 
C/// - Parameter lc: LinphoneCore object that has created the call 
=/// - Parameter call: The newly created LinphoneCall object 
/// 
$Á·q<`s:14HDLLinPhoneSDK8ChatRoomC5StateO17TerminationFailedyA2EmF!The chat room termination failed.'/// The chat room termination failed. 
ÂÁ']lAs:14HDLLinPhoneSDK13EventDelegateC16onNotifyResponse2evyAA0D0C_tF6Callback used to notify the response to a sent NOTIFY.<///    Callback used to notify the response to a sent NOTIFY. 
T/// - Parameter ev: The LinphoneEvent object that has sent the NOTIFY and for which
/// we received a response 
/// 
2ÄWÐ-^s:14HDLLinPhoneSDK4CallC6StatusO6MissedyA2EmF The call was missed (unanswered)&/// The call was missed (unanswered) 
ÉÄ'l„S‘s:14HDLLinPhoneSDK6ConfigC15getDefaultInt647section3key12defaultValues0G0VSS_SSAItF®Retrieves a default configuration item as a 64 bit integer, given its section, key, and default value. The default integer value is returned if the config item isn’t found.S///    Retrieves a default configuration item as a 64 bit integer, given its section,
///    key, and default value. 
K/// The default integer value is returned if the config item isn't found. 
ħÉo/As:14HDLLinPhoneSDK11MagicSearchC07limitedE0Sbvp)/// - Returns: if the search is limited 
|Å÷œ2ns:14HDLLinPhoneSDK4CallC8sendDtmf4dtmfys4Int8V_tKFFSend the specified dtmf. The dtmf is automatically played to the user.///    Send the specified dtmf. 
3/// The dtmf is automatically played to the user. 
/// 
R/// - Parameter dtmf: The dtmf name specified as a char, such as '0', '#' etc... 
/// 
/// 
./// - Returns: 0 if successful, -1 on error. 
$ÈgVKŒs:14HDLLinPhoneSDK4CoreC16setCallErrorTone6reason9audiofileyAA6ReasonO_SStFPAssign an audio file to be played locally upon call failure, for a given reason.M///    Assign an audio file to be played locally upon call failure, for a given
 ///    reason. 
Q/// - Parameter reason: the LinphoneReason representing the failure error code. 
T/// - Parameter audiofile: a wav file to be played when such call failure happens. 
/// 
–É7ë‹/«s:14HDLLinPhoneSDK4CallC6paramsAA0D6ParamsCSgvpReturns local parameters associated with the call. This is typically the parameters passed at call initiation to {@link Core#inviteAddressWithParams} or {@link Call#acceptWithParams}, or some default parameters if no CallParams was explicitely passed during call initiation.8/// Returns local parameters associated with the call. 
I/// This is typically the parameters passed at call initiation to {@link
T/// Core#inviteAddressWithParams} or {@link Call#acceptWithParams}, or some default
R/// parameters if no `CallParams` was explicitely passed during call initiation. 
/// 
-/// - Returns: the call's local parameters. 
üÉ÷0n.Ÿs:14HDLLinPhoneSDK9NatPolicyC11turnEnabledSbvpTell whether TURN is enabled.#/// Tell whether TURN is enabled. 
?/// - Returns: Boolean value telling whether TURN is enabled. 
‹Ô7X-^ês:14HDLLinPhoneSDK13PresenceModelC15newWithActivity8activity11descriptionACSgAA0dH4TypeO_SStFZ0Creates a presence model specifying an activity. 6///    Creates a presence model specifying an activity. 
O/// - Parameter activity: The activity to set for the created presence model. 
O/// - Parameter description: An additional description of the activity (mainly
O/// useful for the 'other' activity). Set it to nil to not add a description. 
/// 
/// 
H/// - Returns: The created presence model, or nil if an error occured. 
/// 
-/// - See also: linphone_presence_model_new 
/// 
C/// - See also: linphone_presence_model_new_with_activity_and_note
/// 
N/// The created presence model has the activity specified in the parameters. 
Æ֗ƒ6¨s:14HDLLinPhoneSDK6FriendC06removeB6Number5phoneySS_tF&Removes a phone number in this friend.,///    Removes a phone number in this friend. 
)/// - Parameter phone: number to remove 
/// 
:×7
ˆODs:14HDLLinPhoneSDK12CoreDelegateC18onBuddyInfoUpdated2lc2lfyAA0D0C_AA6FriendCtFCallback prototype.///    Callback prototype. 
Øgxs:14HDLLinPhoneSDK9NatPolicyC-Policy to use to pass through NATs/firewalls.3/// Policy to use to pass through NATs/firewalls. 
ƒٗ‘?Fs:14HDLLinPhoneSDK14AccountCreatorC6StatusO0D10NotCreatedyA2EmFAccount not created./// Account not created. 
BÞGúÆ-œs:14HDLLinPhoneSDK7ContentC12stringBufferSSvp#Get the string content data buffer.)/// Get the string content data buffer. 
0/// - Returns: The string content data buffer. 
Lã·°Ê5s:14HDLLinPhoneSDK4CoreC23conferenceServerEnabledSbvp7Tells whether the conference server feature is enabled.=/// Tells whether the conference server feature is enabled. 
P/// - Returns: A boolean value telling whether the conference server feature is
/// enabled or not 
…å'MíQìs:14HDLLinPhoneSDK4CoreC12findChatRoom8peerAddr05localI0AA0fG0CSgAA7AddressC_AKtFmFind a chat room. No reference is transfered to the application. The Core keeps a reference on the chat room.    ///    Find a chat room. 
S/// No reference is transfered to the application. The `Core` keeps a reference on
/// the chat room. 
/// 
//// - Parameter peerAddr: a linphone address. 
0/// - Parameter localAddr: a linphone address. 
/// 
/// 
;/// - Returns: `ChatRoom` where messaging can take place. 
Yè· Œ3+s:14HDLLinPhoneSDK6ConfigC8readFile8filenameySS_tKFIReads a user config file and fill the Config with the read config values.Q///    Reads a user config file and fill the `Config` with the read config values. 
N/// - Parameter filename: The filename of the config file to read to fill the
/// `Config` 
/// 
-éGR.7¨s:14HDLLinPhoneSDK4CoreC19createPresenceModelAA0fG0CyKF'Create a default LinphonePresenceModel.-///    Create a default LinphonePresenceModel. 
4/// - Returns: The created `PresenceModel` object. 
BêW/ÌHks:14HDLLinPhoneSDK6ConfigC8getFloat7section3key12defaultValueSfSS_SSSftF›Retrieves a configuration item as a float, given its section, key, and default value. The default float value is returned if the config item isn’t found.S///    Retrieves a configuration item as a float, given its section, key, and default
 ///    value. 
I/// The default float value is returned if the config item isn't found. 
ñÇd./›s:14HDLLinPhoneSDK6PlayerC4open8filenameySS_tKFOpen a file for playing.///    Open a file for playing. 
8/// - Parameter filename: The path to the file to open 
/// 
¼óGû9Ïs:14HDLLinPhoneSDK4CoreC27retransmissionOnNackEnabledSbvp-Tells whether NACK context is enabled or not.3/// Tells whether NACK context is enabled or not. 
O/// - Returns: A boolean value telling whether NACK context is enabled or not 
ØôG¸]4Ôs:14HDLLinPhoneSDK11ChatMessageC14isFileTransferSbvp8Return whether or not a chat message is a file transfer.>/// Return whether or not a chat message is a file transfer. 
>/// - Returns: Whether or not the message is a file transfer 
›õwçP3es:14HDLLinPhoneSDK4CoreC19sipNetworkReachableSbSgvp This method is called by the application to notify the linphone core library when the SIP network is reachable. This is for advanced usage, when SIP and RTP layers are required to use different interfaces. Most applications just need {@link Core#setNetworkReachable}.Q/// This method is called by the application to notify the linphone core library
(/// when the SIP network is reachable. 
L/// This is for advanced usage, when SIP and RTP layers are required to use
=/// different interfaces. Most applications just need {@link
 /// Core#setNetworkReachable}. 
èù—ïÎg_s:14HDLLinPhoneSDK10ConferenceC18inviteParticipants9addresses6paramsySayAA7AddressCG_AA10CallParamsCtKFFInvite participants to the conference, by supplying a list of Address.N///    Invite participants to the conference, by supplying a list of `Address`. 
J/// - Parameter addresses: A list of `Address` objects. LinphoneAddress  
L/// - Parameter params: `CallParams` to use for inviting the participants. 
/// 
 
øÌWCDs:14HDLLinPhoneSDK14AccountCreatorC20ActivationCodeStatusO2OkyA2EmFActivation code ok./// Activation code ok. 
Z(¹E)fs:14HDLLinPhoneSDK4CallC5stateAC5StateOvp%Retrieves the call’s current state.)/// Retrieves the call's current state. 
 
èî2Ws:14HDLLinPhoneSDK13PresenceModelC11setActivity8activity11descriptionyAA0dG4TypeO_SStKFDSets the activity of a presence model (limits to only one activity). J///    Sets the activity of a presence model (limits to only one activity). 
R/// - Parameter activity: The LinphonePresenceActivityType to set for the model. 
R/// - Parameter description: An additional description of the activity to set for
H/// the model. Can be nil if no additional description is to be added. 
/// 
/// 
>/// - Returns: 0 if successful, a value < 0 in case of error.
/// 
R/// WARNING: This function will modify the basic status of the model according to
N/// the activity being set. If you don't want the basic status to be modified
9/// automatically, you can use the combination of {@link
T/// PresenceModel#setBasicStatus}, {@link PresenceModel#clearActivities} and {@link
!/// PresenceModel#addActivity}. 
ä8ã÷9s:14HDLLinPhoneSDK4CoreC27NativePreviewWindowIdStringSSvp9Get the native window handle of the video preview window.>/// Get the native window handle of the video preview window.
X˜¶F,`s:14HDLLinPhoneSDK6ReasonO10NoResponseyA2CmF!No response received from remote.'/// No response received from remote. 
Ù*:zs:14HDLLinPhoneSDK20ChatRoomCapabilitiesV10MigratableACvpZ.Chat room migratable from Basic to Conference.4/// Chat room migratable from Basic to Conference. 
    ˆÞ™3s:14HDLLinPhoneSDK7AddressCêObject that represents a SIP address. The Address is an opaque object to represents SIP addresses, ie the content of SIP’s â€˜from’ and â€˜to’ headers. A SIP address is made of display name, username, domain name, port, and various uri headers (such as tags). It looks like â€˜Alice sip:alice@example.net’. The Address has methods to extract and manipulate all parts of the address. When some part of the address (for example the username) is empty, the accessor methods return nil.+/// Object that represents a SIP address. 
R/// The `Address` is an opaque object to represents SIP addresses, ie the content
M/// of SIP's 'from' and 'to' headers. A SIP address is made of display name,
R/// username, domain name, port, and various uri headers (such as tags). It looks
S/// like 'Alice <sip:alice@example.net>'. The `Address` has methods to extract and
T/// manipulate all parts of the address. When some part of the address (for example
>/// the username) is empty, the accessor methods return nil. 
”
èï­\ s:14HDLLinPhoneSDK12CoreDelegateC20onGlobalStateChanged2lc6gstate7messageyAA0D0C_AA0gH0OSStF#Global state notification callback.)///    Global state notification callback. 
'/// - Parameter lc: the LinphoneCore. 
*/// - Parameter gstate: the global state 
1/// - Parameter message: informational message. 
/// 
-ãé=>s:14HDLLinPhoneSDK14AccountCreatorC0B12NumberStatusO2OkyA2EmFPhone number ok./// Phone number ok. 
qŸ<[s:14HDLLinPhoneSDK8DialPlanC17lookupCccFromE1644e164SiSS_tFZWFunction to get call country code from an e164 number, ex: +33952650121 will return 33.Q///    Function to get call country code from an e164 number, ex: +33952650121 will
///    return 33. 
$/// - Parameter e164: phone number 
/// 
/// 
5/// - Returns: call country code or -1 if not found 
·¸~‘2:s:14HDLLinPhoneSDK14MediaDirectionO8SendRecvyA2CmFrecv only mode/// recv only mode 
XHŽ8%s:14HDLLinPhoneSDK11PayloadTypeC18encoderDescriptionSSvp@Get a description of the encoder used to provide a payload type.F/// Get a description of the encoder used to provide a payload type. 
Q/// - Returns: The description of the encoder. Can be nil if the payload type is
&/// not supported by Mediastreamer2. 
¥x§O_s:14HDLLinPhoneSDK13PresenceModelC13hasCapability10capabilitySbAA06FriendG0V_tFGReturns whether or not the PresenceModel object has a given capability.O///    Returns whether or not the `PresenceModel` object has a given capability. 
5/// - Parameter capability: The capability to test. 
/// 
/// 
R/// - Returns: whether or not the `PresenceModel` object has a given capability. 
áh× s:14HDLLinPhoneSDK4CoreC4stopyyFâStop a Core object after it has been instantiated and started. If stopped, it can be started again using {@link Core#start}. Must be called only if LinphoneGlobalState is either On. State will changed to Shutdown and then Off.F///    Stop a `Core` object after it has been instantiated and started. 
Q/// If stopped, it can be started again using {@link Core#start}. Must be called
Q/// only if LinphoneGlobalState is either On. State will changed to Shutdown and
/// then Off.
£(ÇyÍs:14HDLLinPhoneSDK7FactoryC26createSharedCoreWithConfig6config13systemContext10appGroupId04mainG0AA0G0CAA0I0C_SvSgSSSbtKFInstantiate a shared Core object. The shared Core allow you to create several Core with the same config. Two Core can’t run at the same time.)///    Instantiate a shared `Core` object. 
S/// The shared `Core` allow you to create several `Core` with the same config. Two
'/// `Core` can't run at the same time.
/// 
N/// A shared `Core` can be a "Main Core" or an "Executor Core". A "Main Core"
R/// automatically stops a running "Executor Core" when calling {@link Core#start}
P/// An "Executor Core" can't start unless no other `Core` is started. It can be
P/// stopped by a "Main Core" and switch to LinphoneGlobalState Off at any time.
/// 
S/// Shared Executor Core are used in iOS UNNotificationServiceExtension to receive
Q/// new messages from push notifications. When the application is in background,
%/// its Shared Main Core is stopped.
/// 
L/// The `Core` object is not started automatically, you need to call {@link
S/// Core#start} to that effect. The returned `Core` will be in LinphoneGlobalState
L/// Ready. Core ressources can be released using {@link Core#stop} which is
9/// strongly encouraged on garbage collected languages. 
/// 
S/// - Parameter config: A `Config` object holding the configuration for the `Core`
/// to be instantiated. 
T/// - Parameter systemContext: A pointer to a system object required by the core to
R/// operate. Currently it is required to pass an android Context on android, pass
/// nil on other platforms. 
T/// - Parameter appGroupId: Name of iOS App Group that lead to the file system that
6/// is shared between an app and its app extensions. 
L/// - Parameter mainCore: Indicate if we want to create a "Main Core" or an
/// "Executor Core". 
/// 
/// 
5/// - See also: linphone_factory_create_shared_core 
¨ö®/Ús:14HDLLinPhoneSDK7ContentC14isFileTransferSbvp5Tells whether or not this content is a file transfer.;/// Tells whether or not this content is a file transfer. 
J/// - Returns: True if this content is a file transfer, false otherwise. 
D ¸²-hs:14HDLLinPhoneSDK8ChatRoomC4coreAA4CoreCSgvp$Returns back pointer to Core object.,/// Returns back pointer to `Core` object. 
É!XãS+çs:14HDLLinPhoneSDK12TunnelConfigC5delaySivpEGet the UDP packet round trip delay in ms for a tunnel configuration.K/// Get the UDP packet round trip delay in ms for a tunnel configuration. 
7/// - Returns: The UDP packet round trip delay in ms. 
]!ø,7zs:14HDLLinPhoneSDK20PresenceActivityTypeO7HolidayyA2CmF.This is a scheduled national or local holiday.4/// This is a scheduled national or local holiday. 
d$85-‡s:14HDLLinPhoneSDK24VersionUpdateCheckResultO5Enum describing the result of a version update check.:///Enum describing the result of a version update check. 
Ð%xÿÐ;¥s:14HDLLinPhoneSDK4CoreC14transportsUsedAA10TransportsCSgvpRetrieves the real port number assigned for each sip transport (udp, tcp, tls). A zero value means that the transport is not activated. If LC_SIP_TRANSPORT_RANDOM was passed to linphone_core_set_sip_transports, the random port choosed by the system is returned.U/// Retrieves the real port number assigned for each sip transport (udp, tcp, tls). 
?/// A zero value means that the transport is not activated. If
P/// LC_SIP_TRANSPORT_RANDOM was passed to linphone_core_set_sip_transports, the
4/// random port choosed by the system is returned. 
/// 
C/// - Returns: A `Transports` structure with the ports being used 
ø&ØC!-hs:14HDLLinPhoneSDK4CoreC16clearAllAuthInfoyyF%Clear all authentication information.+///    Clear all authentication information. 
%'øk/‚s:14HDLLinPhoneSDK13ImNotifPolicyC9enableAllyyF2Enable all receiving and sending of notifications.8///    Enable all receiving and sending of notifications. 
h((6®eAs:14HDLLinPhoneSDK22AccountCreatorDelegateC13onIsAliasUsed7creator6status4respyAA0dE0C_AI6StatusOSStF(Callback to notify a response of server..///    Callback to notify a response of server. 
8/// - Parameter creator: LinphoneAccountCreator object 
P/// - Parameter status: The status of the LinphoneAccountCreator test existence
&/// operation that has just finished 
/// 
Ü,ø @îs:14HDLLinPhoneSDK10CallParamsC14customContentsSayAA7ContentCGvp%Gets a list of Content set if exists.-/// Gets a list of `Content` set if exists. 
Q/// - Returns: A list of `Content` objects. LinphoneContent  A list of `Content`
#/// set if exists, nil otherwise. 
I-È9$Jðs:14HDLLinPhoneSDK12CoreDelegateC26onEcCalibrationAudioUninit2lcyAA0D0C_tFOFunction prototype used by #linphone_core_cbs_set_ec_calibrator_audio_uninit().U///    Function prototype used by #linphone_core_cbs_set_ec_calibrator_audio_uninit(). 
/// - Parameter lc: The core. 
/// 
,/3¹?s:14HDLLinPhoneSDK10CallParamsC19usedTextPayloadTypeAA0hI0CSgvp;Get the text payload type that has been selected by a call.A/// Get the text payload type that has been selected by a call. 
R/// - Returns: The selected payload type. nil is returned if no text payload type
#/// has been seleced by the call. 
Z4‘î=Ys:14HDLLinPhoneSDK11ProxyConfigC23qualityReportingEnabledSbvppIndicates whether quality statistics during call should be stored and sent to a collector according to RFC 6035.T/// Indicates whether quality statistics during call should be stored and sent to a
&/// collector according to RFC 6035. 
G/// - Returns: True if quality repotring is enabled, false otherwise. 
7˜õ‰2”s:14HDLLinPhoneSDK8IceStateO14HostConnectionyA2CmF;ICE has established a direct connection to the remote host.A/// ICE has established a direct connection to the remote host. 
H8økL2+s:14HDLLinPhoneSDK4CoreC16soundDevicesListSaySSGvp-Gets the list of the available sound devices.3/// Gets the list of the available sound devices. 
R/// - Returns: A list of char * objects. char *  An unmodifiable array of strings
Q/// contanining the names of the available sound devices that is nil terminated 
ê;xwð!>s:14HDLLinPhoneSDK12TunnelConfigCTunnel settings./// Tunnel settings. 
\A0Š1Æs:14HDLLinPhoneSDK11ChatMessageC11textContentSSvp/Gets the text content if available as a string.5/// Gets the text content if available as a string. 
B/// - Returns: the `Content` buffer if available, null otherwise 
¦Aø‚:.(s:14HDLLinPhoneSDK13AddressFamilyO5Inet6yA2CmFIpV6. /// IpV6. 
    B(Ä;¢s:14HDLLinPhoneSDK10FriendListC20subscriptionBodylessSbSgvpBSet wheter the subscription of the friend list is bodyless or not.H/// Set wheter the subscription of the friend list is bodyless or not. 
GCØÅ³=¬s:14HDLLinPhoneSDK6TunnelC9addServer12tunnelConfigyAA0dH0C_tF"Add a tunnel server configuration.(///    Add a tunnel server configuration. 
5/// - Parameter tunnelConfig: `TunnelConfig` object 
/// 
UDø@Ê2bs:14HDLLinPhoneSDK4CoreC21resetMissedCallsCountyyF"Reset the counter of missed calls.(///    Reset the counter of missed calls. 
”EøœA4ìs:14HDLLinPhoneSDK4CoreC21compressLogCollectionSSyFZ-Compress the log collection in a single file.3///    Compress the log collection in a single file. 
S/// - Returns: The path of the compressed log collection file (to be freed calling
/// ms_free()). 
]F˜¢â&Ws:14HDLLinPhoneSDK17SubscriptionStateOEnum for subscription states."///Enum for subscription states. 
¸GxÁ[@Âs:14HDLLinPhoneSDK4CoreC20removeFromConference4callyAA4CallC_tKF"Remove a call from the conference.(///    Remove a call from the conference. 
R/// - Parameter call: a call that has been previously merged into the conference.
/// 
/// 
S/// After removing the remote participant belonging to the supplied call, the call
T/// becomes a normal call in paused state. If one single remote participant is left
Q/// alone together with the local user in the conference after the removal, then
F/// the conference is automatically transformed into a simple call in
L/// StreamsRunning state. The conference's resources are then automatically
/// destroyed.
/// 
R/// In other words, unless {@link Core#leaveConference} is explicitly called, the
R/// last remote participant of a conference is automatically put in a simple call
/// in running state.
/// 
//// - Returns: 0 if successful, -1 otherwise. 
H¸ >³s:14HDLLinPhoneSDK4CoreC32realtimeTextGetKeepaliveIntervalSuyF+Gets keep alive interval of real time text.1///    Gets keep alive interval of real time text. 
7/// - Returns: keep alive interval of real time text. 
†H˜^3¦s:14HDLLinPhoneSDK8EventLogC11peerAddressAA0G0CSgvp/Returns the peer address of a conference event.5/// Returns the peer address of a conference event. 
"/// - Returns: The peer address. 
ëNxoÎ9s:14HDLLinPhoneSDK20PresenceActivityTypeO9SpectatoryA2CmF9The person is observing an event, such as a sports event.?/// The person is observing an event, such as a sports event. 
rNtWpDs:14HDLLinPhoneSDK13PresenceModelC22newWithActivityAndNote8activity11description4note4langACSgAA0dH4TypeO_S3StFZBCreates a presence model specifying an activity and adding a note.H///    Creates a presence model specifying an activity and adding a note. 
O/// - Parameter activity: The activity to set for the created presence model. 
O/// - Parameter description: An additional description of the activity (mainly
O/// useful for the 'other' activity). Set it to nil to not add a description. 
Q/// - Parameter note: An additional note giving additional information about the
/// contact presence. 
S/// - Parameter lang: The language the note is written in. It can be set to nil in
4/// order to not specify the language of the note. 
/// 
/// 
H/// - Returns: The created presence model, or nil if an error occured. 
/// 
;/// - See also: linphone_presence_model_new_with_activity 
/// 
C/// - See also: linphone_presence_model_new_with_activity_and_note
/// 
N/// The created presence model has the activity and the note specified in the
/// parameters. 
ÇP(­°+ås:14HDLLinPhoneSDK4CoreC13videoJittcompSivp=Returns the nominal video jitter buffer size in milliseconds.C/// Returns the nominal video jitter buffer size in milliseconds. 
E/// - Returns: The nominal video jitter buffer size in milliseconds 
RȒD;”s:14HDLLinPhoneSDK4CoreC17videoPayloadTypesSayAA0F4TypeCGvp5Return the list of the available video payload types.;/// Return the list of the available video payload types. 
O/// - Returns: A list of `PayloadType` objects. LinphonePayloadType  A freshly
S/// allocated list of the available payload types. The list must be destroyed with
R/// bctbx_list_free() after usage. The elements of the list haven't to be unref. 
R¨ 3Ôs:14HDLLinPhoneSDK4CoreC15createNatPolicyAA0fG0CyKFACreate a new NatPolicy object with every policies being disabled.I///    Create a new `NatPolicy` object with every policies being disabled. 
*/// - Returns: A new `NatPolicy` object. 
=TH ö,Bs:14HDLLinPhoneSDK6ToneIDO10CallOnHoldyA2CmFCall waiting tone./// Call waiting tone. 
ÄU˜‹nC¶s:14HDLLinPhoneSDK7FactoryC27createVideoActivationPolicyAA0fgH0CyKF0Creates an object LinphoneVideoActivationPolicy.6///    Creates an object LinphoneVideoActivationPolicy. 
0/// - Returns: `VideoActivationPolicy` object. 
YØùÙ,Ós:14HDLLinPhoneSDK7ContentC11isMultipartSbvp.Tell whether a content is a multipart content.4/// Tell whether a content is a multipart content. 
Q/// - Returns: A boolean value telling whether the content is multipart or not. 
EZhwB=6s:14HDLLinPhoneSDK14AccountCreatorC14LanguageStatusO2OkyA2EmF Language ok./// Language ok. 
_]X-5Às:14HDLLinPhoneSDK4CoreC23hasBuiltinEchoCancellerSbyF7Check whether the device has a hardware echo canceller.=///    Check whether the device has a hardware echo canceller. 
,/// - Returns:  if it does, true otherwise 
n](;F< s:14HDLLinPhoneSDK4CoreC12interpretUrl3urlAA7AddressCSgSS_tFqSee linphone_proxy_config_normalize_sip_uri for documentation. Default proxy config is used to parse the address.D///    See linphone_proxy_config_normalize_sip_uri for documentation. 
8/// Default proxy config is used to parse the address. 
q^Th#s:14HDLLinPhoneSDK14MediaDirectionO1Indicates for a given media the stream direction.6///Indicates for a given media the stream direction. 
U_ÈȒ8
s:14HDLLinPhoneSDK10CallParamsC19audioBandwidthLimitSivp³Refine bandwidth settings for this call by setting a bandwidth limit for audio streams. As a consequence, codecs whose bitrates are not compatible with this limit won’t be used.S/// Refine bandwidth settings for this call by setting a bandwidth limit for audio
/// streams. 
O/// As a consequence, codecs whose bitrates are not compatible with this limit
/// won't be used. 
/// 
A/// - Parameter bw: The audio bandwidth limit to set in kbit/s. 
/// 
E`ˆŠ27ôs:14HDLLinPhoneSDK20PresenceActivityTypeO7MeetingyA2CmFeThe person is in an assembly or gathering of people, as for a business, social, or religious purpose.T/// The person is in an assembly or gathering of people, as for a business, social,
/// or religious purpose. 
ib¸ —Ss:14HDLLinPhoneSDK8IceStateOEnum describing ICE states. ///Enum describing ICE states. 
DcxANWDs:14HDLLinPhoneSDK7FactoryC26isChatroomBackendAvailable08chatroomG0SbAA08ChatRoomG0V_tF<Indicates if the given LinphoneChatRoomBackend is available.B///    Indicates if the given LinphoneChatRoomBackend is available. 
>/// - Parameter chatroomBackend: the LinphoneChatRoomBackend 
/// 
/// 
F/// - Returns:  if the chatroom backend is available, true otherwise 
g »=s:14HDLLinPhoneSDK8ChatRoomC07receiveD7Message3msgyAA0dG0C_tFTUsed to receive a chat message when using async mechanism with IM encryption engine.Q///    Used to receive a chat message when using async mechanism with IM encryption
 ///    engine. 
+/// - Parameter msg: `ChatMessage` object 
/// 
ùqˆÉ|.Ts:14HDLLinPhoneSDK8IceStateO10InProgressyA2CmFICE process is in progress.!/// ICE process is in progress. 
Gv¨>s:14HDLLinPhoneSDK10ConferenceC12participantsSayAA7AddressCGvpÃGet URIs of all participants of one conference The returned bctbx_list_t contains URIs of all participant. That list must be freed after use and each URI must be unref with linphone_address_unrefM/// Get URIs of all participants of one conference The returned bctbx_list_t
'/// contains URIs of all participant. 
F/// That list must be freed after use and each URI must be unref with
/// linphone_address_unref 
/// 
>/// - Returns: A list of `Address` objects. LinphoneAddress  
vØŒ)ts:14HDLLinPhoneSDK4CoreC10getVersionSSvpZ,Returns liblinphone’s version as a string.0/// Returns liblinphone's version as a string. 
bz¨Õ1Äs:14HDLLinPhoneSDK14AccountCreatorC9algorithmSSvp4Get the algorithm configured in the account creator.:/// Get the algorithm configured in the account creator. 
6/// - Returns: The algorithm of the `AccountCreator` 
wz¸Fºs:14HDLLinPhoneSDK6FriendCwRepresents a buddy, all presence actions like subscription and status change notification are performed on this object.Q/// Represents a buddy, all presence actions like subscription and status change
0/// notification are performed on this object. 
{hlÖDÌs:14HDLLinPhoneSDK7FactoryC22createBufferFromString4dataAA0F0CSS_tKFCreates an object Buffer.!///    Creates an object `Buffer`. 
5/// - Parameter data: the data to set in the buffer 
/// 
/// 
/// - Returns: a `Buffer` 
Ø50œs:14HDLLinPhoneSDK4CoreC18remoteRingbackToneSSvp?Get the ring back tone played to far end during incoming calls.E/// Get the ring back tone played to far end during incoming calls. 
ׂ¸çk9´s:14HDLLinPhoneSDK21VideoActivationPolicyC8userDataSvSgvp7Gets the user data in the VideoActivationPolicy object.?/// Gets the user data in the `VideoActivationPolicy` object. 
/// - Returns: the user data 
z‚È{«&¦s:14HDLLinPhoneSDK7PrivacyO4UseryA2CmFDRequest that privacy services provide a user-level privacy function.J/// Request that privacy services provide a user-level privacy function. 
~…Xc    #ìs:14HDLLinPhoneSDK4CallC6acceptyyKF-Accept an incoming call. Basically the application is notified of incoming calls within the call_state_changed callback of the LinphoneCoreVTable structure, where it will receive a LinphoneCallIncoming event with the associated Call object. The application can later accept the call using this method.///    Accept an incoming call. 
G/// Basically the application is notified of incoming calls within the
S/// call_state_changed callback of the LinphoneCoreVTable structure, where it will
P/// receive a LinphoneCallIncoming event with the associated `Call` object. The
>/// application can later accept the call using this method. 
/// 
,/// - Returns: 0 on success, -1 on failure 
…xOÞ,:s:14HDLLinPhoneSDK4CallC3DirO8OutgoingyA2EmFoutgoing calls/// outgoing calls 
φ(. Às:14HDLLinPhoneSDK11ProxyConfigCFThe ProxyConfig object represents a proxy configuration to be used by the Core object. Its fields must not be used directly in favour of the accessors methods. Once created and filled properly the ProxyConfig can be given to Core with {@link Core#addProxyConfig}. This will automatically triggers the registration, if enabled.P/// The `ProxyConfig` object represents a proxy configuration to be used by the
/// `Core` object. 
R/// Its fields must not be used directly in favour of the accessors methods. Once
N/// created and filled properly the `ProxyConfig` can be given to `Core` with
T/// {@link Core#addProxyConfig}. This will automatically triggers the registration,
/// if enabled.
/// 
Q/// The proxy configuration are persistent to restarts because they are saved in
R/// the configuration file. As a consequence, after linphone_core_new there might
K/// already be a list of configured proxy that can be examined with {@link
/// Core#getProxyConfigList}.
/// 
T/// The default proxy (see linphone_core_set_default_proxy ) is the one of the list
(/// that is used by default for calls. 
†˜Ð)hs:14HDLLinPhoneSDK8AuthInfoC8usernameSSvpGets the username./// Gets the username. 
/// - Returns: The username. 
ºˆZö)Ês:14HDLLinPhoneSDK20ChatRoomCapabilitiesVQLinphoneChatRoomCapabilities is used to indicate the capabilities of a chat room.O///LinphoneChatRoomCapabilities is used to indicate the capabilities of a chat
 
///room. 
‰8h)Bs:14HDLLinPhoneSDK6ToneIDO8CallLostyA2CmFCall on hold tone./// Call on hold tone. 
ʼnh¬Œ(·s:14HDLLinPhoneSDK4CoreC10micEnabledSbvp(Tells whether the microphone is enabled../// Tells whether the microphone is enabled. 
A/// - Returns:  if the microphone is enabled, true if disabled. 
½Џ,œs:14HDLLinPhoneSDK9CallStatsC8userDataSvSgvp+Gets the user data in the CallStats object.3/// Gets the user data in the `CallStats` object. 
/// - Returns: the user data 
}ŒøRCs:14HDLLinPhoneSDK6ConfigC17writeRelativeFile8filename4dataySS_SStFPWrite a string in a file placed relatively with the Linphone configuration file.O///    Write a string in a file placed relatively with the Linphone configuration
 ///    file. 
L/// - Parameter filename: Name of the file where to write data. The name is
./// relative to the place of the config file 
'/// - Parameter data: String to write 
/// 
=x¤(9ns:14HDLLinPhoneSDK4CallC6StatusO17DeclinedElsewhereyA2EmF(The call was declined on another device../// The call was declined on another device. 
͍3¶Z7s:14HDLLinPhoneSDK4CoreC14createChatRoom7subject12participantsAA0fG0CSS_SayAA7AddressCGtKF=/// - Parameter subject: The subject of the group chat room 
P/// - Parameter participants: A list of `Address` objects. LinphoneAddress  The
3/// initial list of participants of the chat room 
/// 
/// 
-/// - Returns: The newly created chat room. 
.Hâ"¦s:14HDLLinPhoneSDK13XmlRpcRequestCCThe XmlRpcRequest object representing a XML-RPC request to be sent.K/// The `XmlRpcRequest` object representing a XML-RPC request to be sent. 
…ØÌÚ7‹s:14HDLLinPhoneSDK23PushNotificationMessageC6isTextSbvp$return true if it is a text message.*/// return true if it is a text message. 
/// - Returns: The is_text. 
4‘83_s:14HDLLinPhoneSDK8LogLevelV!Verbosity levels of log messages.&///Verbosity levels of log messages. 
N‘¨M8)^s:14HDLLinPhoneSDK4CoreC11chatEnabledSbvp Returns whether chat is enabled.&/// Returns whether chat is enabled. 
“ˆ$…EÅs:14HDLLinPhoneSDK20ParticipantImdnStateC5stateAA11ChatMessageC0F0Ovp1Get the chat message state the participant is in.7/// Get the chat message state the participant is in. 
=/// - Returns: The chat message state the participant is in 
ž”¨þ7:–s:14HDLLinPhoneSDK11ProxyConfigC20conferenceFactoryUriSSvpGet the conference factory uri.%/// Get the conference factory uri. 
2/// - Returns: The uri of the conference factory 
”(‚ˆ0¥s:14HDLLinPhoneSDK8DialPlanC14isoCountryCodeSSvp-Returns the iso country code of the dialplan.3/// Returns the iso country code of the dialplan. 
%/// - Returns: the iso country code 
½˜ˆÿ#Bds:14HDLLinPhoneSDK6ConfigC8setInt647section3key5valueySS_SSs0F0VtF#Sets a 64 bits integer config item.)///    Sets a 64 bits integer config item. 
3™(K~Cfs:14HDLLinPhoneSDK13PresenceModelC13getNthService3idxAA0dH0CSgSu_tF)Gets the nth service of a presence model.////    Gets the nth service of a presence model. 
S/// - Parameter idx: The index of the service to get (the first service having the
/// index 0). 
/// 
/// 
J/// - Returns: A pointer to a `PresenceService` object if successful, nil
/// otherwise. 
àšèÀÿ)ds:14HDLLinPhoneSDK8ChatRoomC9allowCpimyyF#Allow cpim on a basic chat room   .)///    Allow cpim on a basic chat room   . 
àœH+ø*«s:14HDLLinPhoneSDK4CallC08replacedD0ACSgvp.Returns the call object this call is replacing, if any. Call replacement can occur during call transfers. By default, the core automatically terminates the replaced call and accept the new one. This function allows the application to know whether a new incoming call is a one that replaces another one.=/// Returns the call object this call is replacing, if any. 
K/// Call replacement can occur during call transfers. By default, the core
L/// automatically terminates the replaced call and accept the new one. This
Q/// function allows the application to know whether a new incoming call is a one
 /// that replaces another one. 
§hg{Cs:14HDLLinPhoneSDK13XmlRpcSessionC11sendRequest7requestyAA0deH0C_tFSend an XML-RPC request.///    Send an XML-RPC request. 
:/// - Parameter request: The `XmlRpcRequest` to be sent. 
/// 
“¨xÕ
6«s:14HDLLinPhoneSDK4CoreC24preferredVideoSizeByNameSSvpçSets the preferred video size by its name. This is identical to linphone_core_set_preferred_video_size except that it takes the name of the video resolution as input. Video resolution names are: qcif, svga, cif, vga, 4cif, svga â€¦0/// Sets the preferred video size by its name. 
O/// This is identical to linphone_core_set_preferred_video_size except that it
Q/// takes the name of the video resolution as input. Video resolution names are:
)/// qcif, svga, cif, vga, 4cif, svga ...
/// 
O/// - deprecated: Use {@link Factory#createVideoDefinitionFromName} and {@link
//// Core#setPreferredVideoDefinition} instead 
̨x „.Zs:14HDLLinPhoneSDK6PlayerC5StateO6ClosedyA2EmFNo file is opened for playing.$/// No file is opened for playing. 
²©È¤°+ës:14HDLLinPhoneSDK4CoreC13inCallTimeoutSivpGGets the in call timeout See {@link Core#setInCallTimeout} for details.M/// Gets the in call timeout See {@link Core#setInCallTimeout} for details. 
7/// - Returns: The current in call timeout in seconds 
§©(„?7s:14HDLLinPhoneSDK5EventC12publishStateAA07PublishF0OvpoGet publish state. If the event object was not created by a publish mechanism, LinphonePublishNone is returned./// Get publish state. 
T/// If the event object was not created by a publish mechanism, LinphonePublishNone
/// is returned. 
έhâ°5ìs:14HDLLinPhoneSDK4CoreC13imNotifPolicyAA02ImfG0CSgvpMGet the ImNotifPolicy object controlling the instant messaging notifications.U/// Get the `ImNotifPolicy` object controlling the instant messaging notifications. 
*/// - Returns: A `ImNotifPolicy` object. 
¦­Ø&’=“s:14HDLLinPhoneSDK4CoreC13getZrtpStatus4addrAA0f4PeerG0OSS_tF¦Get the zrtp sas validation status for a peer uri. Once the SAS has been validated or rejected, the status will never return to Unknown (unless you delete your cache)
8///    Get the zrtp sas validation status for a peer uri. 
Q/// Once the SAS has been validated or rejected, the status will never return to
,/// Unknown (unless you delete your cache) 
/// 
#/// - Parameter addr: the peer uri
/// 
/// 
T/// - Returns: - LinphoneZrtpPeerStatusUnknown: this uri is not present in cache OR
M/// during calls with the active device, SAS never was validated or rejected
/// 
m¯¸{2Bs:14HDLLinPhoneSDK9CallStatsC15uploadBandwidthSfvpdGet the bandwidth measurement of the sent stream, expressed in kbit/s, including IP/UDP/RTP headers.K/// Get the bandwidth measurement of the sent stream, expressed in kbit/s,
#/// including IP/UDP/RTP headers. 
H/// - Returns: The bandwidth measurement of the sent stream in kbit/s. 
{±h¢d/2s:14HDLLinPhoneSDK4CallC5StateO9ConnectedyA2EmF
Connected./// Connected. 
ز¨A‹#Ss:14HDLLinPhoneSDK14ChatRoomParamsCŽAn object to handle a chat room parameters. Can be created with linphone_core_get_default_chat_room_params() or linphone_chat_room_params_new.1/// An object to handle a chat room parameters. 
H/// Can be created with linphone_core_get_default_chat_room_params() or
$/// linphone_chat_room_params_new. 
ÿ³øå»^s:14HDLLinPhoneSDK12CallDelegateC15onAckProcessing4call3ack10isReceivedyAA0D0C_AA7HeadersCSbtF7Callback for notifying the processing SIP ACK messages.=///    Callback for notifying the processing SIP ACK messages. 
O/// - Parameter call: LinphoneCall for which an ACK is being received or sent 
&/// - Parameter ack: the ACK message 
T/// - Parameter isReceived: if true this ACK is an incoming one, otherwise it is an
/// ACK about to be sent. 
/// 
굈¬z9¤s:14HDLLinPhoneSDK20PresenceActivityTypeO9InTransityA2CmFCThe person is riding in a vehicle, such as a car, but not steering.I/// The person is riding in a vehicle, such as a car, but not steering. 
e»xàø$Ys:14HDLLinPhoneSDK8AuthInfoC3ha1SSvp Gets the ha1./// Gets the ha1. 
/// - Returns: The ha1. 
±¾¸…nUs:14HDLLinPhoneSDK12CoreDelegateC24onNotifyPresenceReceived2lc2lfyAA0D0C_AA6FriendCtFDReport status change for a friend previously added  to LinphoneCore.J///    Report status change for a friend previously added  to LinphoneCore. 
+/// - Parameter lc: LinphoneCore object . 
./// - Parameter lf: Updated LinphoneFriend . 
/// 
Áˆv¶Šs:14HDLLinPhoneSDK10FriendListC5The FriendList object representing a list of friends.=/// The `FriendList` object representing a list of friends. 
=Ľ6¸s:14HDLLinPhoneSDK20PresenceActivityTypeO6TravelyA2CmFMThe person is on a business or personal trip, but not necessarily in-transit.S/// The person is on a business or personal trip, but not necessarily in-transit. 
tÅHZK:^s:14HDLLinPhoneSDK20ChatRoomCapabilitiesV10ConferenceACvpZ Use server (supports group chat)&/// Use server (supports group chat) 
Ɉ‹ -s:14HDLLinPhoneSDK6PlayerC4seek6timeMsySi_tKFSeek in an opened file.///    Seek in an opened file. 
R/// - Parameter timeMs: The time we want to go to in the file (in milliseconds). 
/// 
/// 
:/// - Returns: 0 on success, a negative value otherwise. 
¾Íx÷‡7s:14HDLLinPhoneSDK8ChatRoomC13hasCapability4maskSbSi_tF,Check if a chat room has given capabilities.2///    Check if a chat room has given capabilities. 
+/// - Parameter mask: A Capabilities mask 
/// 
/// 
:/// - Returns: True if the mask matches, false otherwise 
ôÎX%ÆE&s:14HDLLinPhoneSDK4CoreC23createFriendWithAddress7addressAA0F0CSS_tKF'Create a Friend from the given address.////    Create a `Friend` from the given address. 
P/// - Parameter address: A string containing the address to create the `Friend`
 
/// from 
/// 
/// 
,/// - Returns: The created `Friend` object 
9Έ”+šs:14HDLLinPhoneSDK6PlayerC4coreAA4CoreCSgvp>Returns the Core object managing this player’s call, if any.D/// Returns the `Core` object managing this player's call, if any. 
µÐÞð-œs:14HDLLinPhoneSDK9NatPolicyC10iceEnabledSbvpTell whether ICE is enabled."/// Tell whether ICE is enabled. 
>/// - Returns: Boolean value telling whether ICE is enabled. 
…ÑèÅW9ôs:14HDLLinPhoneSDK6ReasonO23SessionIntervalTooSmallyA2CmFeThe received request contains a Session-Expires header field with a duration below the minimum timer.Q/// The received request contains a Session-Expires header field with a duration
/// below the minimum timer. 
ŸÕ¨C?;is:14HDLLinPhoneSDK4CoreC29startEchoCancellerCalibrationyyKFxStarts an echo calibration of the sound devices, in order to find adequate settings for the echo canceler automatically.O///    Starts an echo calibration of the sound devices, in order to find adequate
3///    settings for the echo canceler automatically. 
G/// - Returns: LinphoneStatus whether calibration has started or not. 
¡ÖèÜk6¬s:14HDLLinPhoneSDK8DialPlanC10byCccAsInt3cccACSgSi_tFZFind best match for given CCC.$///    Find best match for given CCC. 
J/// - Returns: Return matching dial plan, or a generic one if none found 
µÙÈ´¼6¸s:14HDLLinPhoneSDK4CallC5StateO15UpdatedByRemoteyA2EmFNThe call’s parameters are updated for example when video is asked by remote.R/// The call's parameters are updated for example when video is asked by remote. 
áژ¶–W8s:14HDLLinPhoneSDK12CallDelegateC14onStateChanged4call6cstate7messageyAA0D0C_AI0G0OSStF!Call state notification callback.'///    Call state notification callback. 
</// - Parameter call: LinphoneCall whose state is changed. 
3/// - Parameter cstate: The new state of the call 
D/// - Parameter message: An informational message about the state. 
/// 
åሿ–7Ós:14HDLLinPhoneSDK4CoreC18defaultProxyConfigAA0fG0CSgvpR/// - Returns: the default proxy configuration, that is the one used to determine
/// the current identity. 
/// 
1/// - Returns: The default proxy configuration. 
ŽâØÙÈ%›s:14HDLLinPhoneSDK6FriendC6refKeySSvp"Get the reference key of a friend.(/// Get the reference key of a friend. 
1/// - Returns: The reference key of the friend. 
(éÈýf:s:14HDLLinPhoneSDK4CoreC31createPresenceModelWithActivity7acttype11descriptionAA0fG0CAA0fI4TypeO_SStKFMCreate a PresenceModel with the given activity type and activity description.U///    Create a `PresenceModel` with the given activity type and activity description. 
R/// - Parameter acttype: The LinphonePresenceActivityType to set for the activity
/// of the created model. 
R/// - Parameter description: An additional description of the activity to set for
K/// the activity. Can be nil if no additional description is to be added. 
/// 
/// 
4/// - Returns: The created `PresenceModel` object. 
C긎's:14HDLLinPhoneSDK6TunnelC9reconnectyyF]Force reconnection to the tunnel server. This method is useful when the device switches from wifi to Edge/3G or vice versa. In most cases the tunnel client socket won’t be notified promptly that its connection is now zombie, so it is recommended to call this method that will cause the lost connection to be closed and new connection to be issued..///    Force reconnection to the tunnel server. 
P/// This method is useful when the device switches from wifi to Edge/3G or vice
R/// versa. In most cases the tunnel client socket won't be notified promptly that
P/// its connection is now zombie, so it is recommended to call this method that
R/// will cause the lost connection to be closed and new connection to be issued. 
XìxâT7’s:14HDLLinPhoneSDK14AccountCreatorC14activationCodeSSvpGet the activation code./// Get the activation code. 
</// - Returns: The activation code of the `AccountCreator` 
víxG«µs:14HDLLinPhoneSDK10CallParamsC¿The CallParams is an object containing various call related parameters. It can be used to retrieve parameters from a currently running call or modify the call’s characteristics dynamically.O/// The `CallParams` is an object containing various call related parameters. 
R/// It can be used to retrieve parameters from a currently running call or modify
-/// the call's characteristics dynamically. 
DíH× ps:14HDLLinPhoneSDK12CoreDelegateC25onAuthenticationRequested2lc8authInfo6methodyAA0D0C_AA04AuthK0CAA0M6MethodOtFJCallback for requesting authentication information to application or user.P///    Callback for requesting authentication information to application or user. 
&/// - Parameter lc: the LinphoneCore 
Q/// - Parameter authInfo: a LinphoneAuthInfo pre-filled with username, realm and
'/// domain values as much as possible 
O/// - Parameter method: the type of authentication requested Application shall
?/// reply to this callback using linphone_core_add_auth_info. 
/// 
íÈ0\?s:14HDLLinPhoneSDK12CoreDelegateC22onChatRoomStateChanged2lc2cr5stateyAA0D0C_AA0gH0CAK0I0OtFECallback prototype telling that a LinphoneChatRoom state has changed.K///    Callback prototype telling that a LinphoneChatRoom state has changed. 
)/// - Parameter lc: LinphoneCore object 
Q/// - Parameter cr: The LinphoneChatRoom object for which the state has changed 
/// 
îHÓ­]qs:14HDLLinPhoneSDK12CoreDelegateC13onMessageSent2lc4room7messageyAA0D0C_AA8ChatRoomCAA0lG0CtF Called after the #send method of the LinphoneChatMessage was called. The message will be in state InProgress. In case of resend this callback won’t be called.J///    Called after the #send method of the LinphoneChatMessage was called. 
S/// The message will be in state InProgress. In case of resend this callback won't
/// be called. 
/// 
)/// - Parameter lc: LinphoneCore object 
P/// - Parameter room: LinphoneChatRoom involved in this conversation. Can be be
Q/// created by the framework in case the from  is not present in any chat room. 
/// 
1õøM¥0˜s:14HDLLinPhoneSDK12TunnelConfigC8userDataSvSgvp*Retrieve user data from the tunnel config.0/// Retrieve user data from the tunnel config. 
/// - Returns: the user data 
cøø¤<>¢s:14HDLLinPhoneSDK11ChatMessageC5StateO15DeliveredToUseryA2EmFBMessage successfully delivered an acknowledged by the remote user.H/// Message successfully delivered an acknowledged by the remote user. 
‰ù¸xš*Ùs:14HDLLinPhoneSDK10CallParamsC4copyACSgyF>Copy an existing CallParams object to a new CallParams object.H///    Copy an existing `CallParams` object to a new `CallParams` object. 
3/// - Returns: A copy of the `CallParams` object. 
fùè2ý)hs:14HDLLinPhoneSDK8AuthInfoC8passwordSSvpGets the password./// Gets the password. 
/// - Returns: The password. 
³ù˜Ë#>~s:14HDLLinPhoneSDK4CoreC22soundDeviceCanPlayback6deviceSbSS_tF6Tells whether a specified sound device can play sound.<///    Tells whether a specified sound device can play sound. 
7/// - Parameter device: the device name as returned by
%/// linphone_core_get_sound_devices 
/// 
/// 
S/// - Returns: A boolean value telling whether the specified sound device can play
 /// sound 
œú˜æŽ ns:14HDLLinPhoneSDK11PayloadTypeC(Object representing an RTP payload type../// Object representing an RTP payload type. 
¡ü(:<s:14HDLLinPhoneSDK14AccountCreatorC6StatusO0D6LinkedyA2EmFAccount linked./// Account linked. 
LtÂAs:14HDLLinPhoneSDK20PresenceActivityTypeO16PermanentAbsenceyA2CmFmThe person will not return for the foreseeable future, e.g., because it is no longer working for the company.R/// The person will not return for the foreseeable future, e.g., because it is no
%/// longer working for the company. 
m‰F7@s:14HDLLinPhoneSDK21ChatRoomSecurityLevelO6UnsafeyA2CmFSecurity failure./// Security failure. 
©‡›:ùs:14HDLLinPhoneSDK10CallParamsC21videoMulticastEnabledSbvp+Use to get multicast state of video stream.1/// Use to get multicast state of video stream. 
I/// - Returns: true if subsequent calls will propose multicast ip set by
,/// linphone_core_set_video_multicast_addr 
_ù¬W/ds:14HDLLinPhoneSDK14ZrtpPeerStatusO5ValidyA2CmF#Peer URI SAS validated in database.)/// Peer URI SAS validated in database. 
ÖÙRKªs:14HDLLinPhoneSDK6ConfigC19setSkipFlagForEntry7section3key5valueySS_SSSbtFFSets the skip flag for a config item (used when dumping config as xml)L///    Sets the skip flag for a config item (used when dumping config as xml) 
8¹;Þ:Šs:14HDLLinPhoneSDK4CoreC16removeFriendList4listyAA0fG0C_tFRemoves a friend list.///    Removes a friend list. 
+/// - Parameter list: `FriendList` object 
/// 
™ö)ðs:14HDLLinPhoneSDK4CoreC11mediaDeviceSSvp?Gets the name of the currently assigned sound device for media.E/// Gets the name of the currently assigned sound device for media. 
L/// - Returns: The name of the currently assigned sound device for capture 
¹ ùv    'Ps:14HDLLinPhoneSDK7AddressC5cloneACSgyFClones a Address object. ///    Clones a `Address` object. 
¢ é=¸;2s:14HDLLinPhoneSDK14AccountCreatorC12DomainStatusO2OkyA2EmF
Domain ok./// Domain ok. 
W IëÓ)ãs:14HDLLinPhoneSDK7FactoryC8InstanceACvpZHCreate the Factory if that has not been done and return a pointer on it.P/// Create the `Factory` if that has not been done and return a pointer on it. 
+/// - Returns: A pointer on the `Factory` 
ó    _È0s:14HDLLinPhoneSDK9ErrorInfoC6reasonAA6ReasonOvp$Get reason code from the error info.*/// Get reason code from the error info. 
!/// - Returns: A LinphoneReason 
Ãy˜/±s:14HDLLinPhoneSDK4CallC9sendDtmfs5dtmfsySS_tKFÈSend a list of dtmf. The dtmfs are automatically sent to remote, separated by some needed customizable delay. Sending is canceled if the call state changes to something not LinphoneCallStreamsRunning.
///    Send a list of dtmf. 
I/// The dtmfs are automatically sent to remote, separated by some needed
S/// customizable delay. Sending is canceled if the call state changes to something
%/// not LinphoneCallStreamsRunning. 
/// 
=/// - Parameter dtmfs: A dtmf sequence such as '123#123123' 
/// 
/// 
R/// - Returns: -2 if there is already a DTMF sequence, -1 if call is not ready, 0
/// otherwise. 
%)Ë.ès:14HDLLinPhoneSDK25ChatRoomEncryptionBackendV`LinphoneChatRoomEncryptionBackend is used to indicate the encryption engine used by a chat room.O///LinphoneChatRoomEncryptionBackend is used to indicate the encryption engine
///used by a chat room. 
'éWè.žs:14HDLLinPhoneSDK10TransportsC8userDataSvSgvp,Gets the user data in the Transports object.4/// Gets the user data in the `Transports` object. 
/// - Returns: the user data 
J)y ´MÐs:14HDLLinPhoneSDK6FriendC27getPresenceModelForUriOrTel03urijK0AA0fG0CSgSS_tFJGet the presence model for a specific SIP URI or phone number of a friend.P///    Get the presence model for a specific SIP URI or phone number of a friend. 
T/// - Parameter uriOrTel: The SIP URI or phone number for which to get the presence
 /// model 
/// 
/// 
S/// - Returns: A `PresenceModel` object, or nil if the friend do not have presence
2/// information for this SIP URI or phone number 
3*    ¦Ö-(s:14HDLLinPhoneSDK13AddressFamilyO4InetyA2CmFIpV4. /// IpV4. 
/9"/;ks:14HDLLinPhoneSDK6ConfigC17loadFromXmlString6bufferySS_tKFRReads a xml config string and fill the Config with the read config dynamic values.Q///    Reads a xml config string and fill the `Config` with the read config dynamic
 ///    values. 
L/// - Parameter buffer: The string of the config file to fill the `Config` 
/// 
/// 
%/// - Returns: 0 in case of success 
,3‰O -–s:14HDLLinPhoneSDK9LimeStateO9PreferredyA2CmF<Lime is used only if we already shared a secret with remote.B/// Lime is used only if we already shared a secret with remote. 
M3){Ë7®s:14HDLLinPhoneSDK6FriendC18incSubscribePolicyAA0fG0Ovp/get current subscription policy for this Friend7/// get current subscription policy for this `Friend` 
(/// - Returns: LinphoneSubscribePolicy 
#4I‰W'Ps:14HDLLinPhoneSDK8LogLevelV5ErrorACvpZLevel for error messages./// Level for error messages. 
S6    ¿¥>s:14HDLLinPhoneSDK11ProxyConfigC24qualityReportingIntervalSivpGGet the interval between interval reports when using quality reporting.M/// Get the interval between interval reports when using quality reporting. 
P/// - Returns: The interval in seconds, 0 means interval reports are disabled. 
6IÒé@Ês:14HDLLinPhoneSDK8ChatRoomC12participantsSayAA11ParticipantCGvp,Get the list of participants of a chat room.2/// Get the list of participants of a chat room. 
L/// - Returns: A list of LinphoneParticipant objects. LinphoneParticipant  
×;    è_%£s:14HDLLinPhoneSDK16ConfiguringStateOBLinphoneGlobalState describes the global state of the Core object.I///LinphoneGlobalState describes the global state of the `Core` object. 
#<›Œ^œs:14HDLLinPhoneSDK16ChatRoomDelegateC30onUndecryptableMessageReceived2cr3msgyAA0dE0C_AA0dI0CtFfCallback used to notify a chat room that a message has been received but we were unable to decrypt it.P///    Callback used to notify a chat room that a message has been received but we
 ///    were unable to decrypt it. 
D/// - Parameter cr: LinphoneChatRoom involved in this conversation 
E/// - Parameter msg: The LinphoneChatMessage that has been received 
/// 
ú?9â3¾s:14HDLLinPhoneSDK14LoggingServiceC5trace3msgySS_tF2Write a LinphoneLogLevelTrace message to the logs.8///    Write a LinphoneLogLevelTrace message to the logs. 
'/// - Parameter msg: The log message. 
/// 
xEiÞ=s:14HDLLinPhoneSDK15PresenceServiceC7addNote4noteyAA0dG0C_tKF"Adds a note to a presence service.(///    Adds a note to a presence service. 
H/// - Parameter note: The `PresenceNote` object to add to the service. 
/// 
/// 
?/// - Returns: 0 if successful, a value < 0 in case of error. 
ÿM™ã
/ßs:14HDLLinPhoneSDK11ChatMessageC8userDataSvSgvp;Retrieve the user pointer associated with the chat message.A/// Retrieve the user pointer associated with the chat message. 
C/// - Returns: The user pointer associated with the chat message. 
ªM48’s:14HDLLinPhoneSDK20PresenceActivityTypeO8VacationyA2CmF:A period of time devoted to pleasure, rest, or relaxation.@/// A period of time devoted to pleasure, rest, or relaxation. 
wPi¾8!s:14HDLLinPhoneSDK4CoreC19fileFormatSupported3fmtSbSS_tF4Returns whether a specific file format is supported.:///    Returns whether a specific file format is supported. 
:/// - See also: linphone_core_get_supported_file_formats 
/// 
7/// - Parameter fmt: The format extension (wav, mkv). 
/// 
URYb"@s:14HDLLinPhoneSDK4CallC5pauseyyKFÁPauses the call. If a music file has been setup using {@link Core#setPlayFile}, this file will be played to the remote user. The only way to resume a paused call is to call {@link Call#resume}.///    Pauses the call. 
R/// If a music file has been setup using {@link Core#setPlayFile}, this file will
R/// be played to the remote user. The only way to resume a paused call is to call
/// {@link Call#resume}. 
/// 
,/// - Returns: 0 on success, -1 on failure 
/// 
%/// - See also: {@link Call#resume} 
 S    ¥G:s:14HDLLinPhoneSDK14AccountCreatorC06createD0AC6StatusOyKF.Send a request to create an account on server.4///    Send a request to create an account on server. 
S/// - Returns: LinphoneAccountCreatorStatusRequestOk if the request has been sent,
9/// LinphoneAccountCreatorStatusRequestFailed otherwise 
ˆUYjN~s:14HDLLinPhoneSDK14LoggingServiceC10setLogFile3dir8filename7maxSizeySS_SSSitFwEnables logging in a file. That function enables an internal log handler that writes log messages in log-rotated files.     ///    Enables logging in a file. 
N/// That function enables an internal log handler that writes log messages in
/// log-rotated files.
/// 
O/// - Parameter dir: Directory where to create the distinct parts of the log. 
1/// - Parameter filename: Name of the log file. 
T/// - Parameter maxSize: The maximal size of each part of the log. The log rotating
L/// is triggered each time the currently opened log part reach that limit. 
/// 
wV©¡SD!s:14HDLLinPhoneSDK7AddressC11setUriParam03uriG4Name0hG5ValueySS_SStF7Set the value of a parameter of the URI of the address.=///    Set the value of a parameter of the URI of the address. 
9/// - Parameter uriParamName: The name of the parameter 
?/// - Parameter uriParamValue: The new value of the parameter 
/// 
¬Yi…û+Šs:14HDLLinPhoneSDK6FriendC4coreAA4CoreCSgvp5Returns the Core object managing this friend, if any.=/// Returns the `Core` object managing this friend, if any. 
"]iÄBxs:14HDLLinPhoneSDK8ChatRoomC10getHistory9nbMessageSayAA0dI0CGSi_tFZGets nb_message most recent messages from cr chat room, sorted from oldest to most recent.    R///    Gets nb_message most recent messages from cr chat room, sorted from oldest to
///    most recent. 
O/// - Parameter nbMessage: Number of message to retrieve. 0 means everything. 
/// 
/// 
Q/// - Returns: A list of `ChatMessage` objects. LinphoneChatMessage  The objects
T/// inside the list are freshly allocated with a reference counter equal to one, so
S/// they need to be freed on list destruction with bctbx_list_free_with_data() for
/// instance.   
í^É>,s:14HDLLinPhoneSDK14AccountCreatorC6StatusO11ServerErroryA2EmFServer. /// Server. 
N^9ëB.³s:14HDLLinPhoneSDK4CoreC16sdp200AckEnabledSbvp)Media offer control param for SIP INVITE.//// Media offer control param for SIP INVITE. 
;/// - Returns: true if INVITE has to be sent whitout SDP. 
àcùî¼)}s:14HDLLinPhoneSDK6TunnelC4modeAC4ModeOvpGet the tunnel mode./// Get the tunnel mode. 
//// - Returns: The current LinphoneTunnelMode 
RcÌ    &Rs:14HDLLinPhoneSDK9UpnpStateO2KoyA2CmFuPnP processing has failed /// uPnP processing has failed 
Îd)v ?’s:14HDLLinPhoneSDK4CoreC13inviteAddress4addrAA4CallCSgAA0F0C_tF?Initiates an outgoing call given a destination Address The Address can be constructed directly using linphone_address_new, or created by {@link Core#interpretUrl}. The application doesn’t own a reference to the returned Call object. Use linphone_call_ref to safely keep the Call pointer valid within your application. R///    Initiates an outgoing call given a destination `Address` The `Address` can be
J///    constructed directly using linphone_address_new, or created by {@link
///    Core#interpretUrl}. 
O/// The application doesn't own a reference to the returned `Call` object. Use
J/// linphone_call_ref to safely keep the `Call` pointer valid within your
/// application. 
/// 
B/// - Parameter addr: The destination of the call (sip address). 
/// 
/// 
:/// - Returns: A `Call` object or nil in case of failure 
si9ú]ies:14HDLLinPhoneSDK12CoreDelegateC22onTransferStateChanged2lc10transfered07newCallH0yAA0D0C_AA0M0CAK0H0OtF/Callback for notifying progresses of transfers.5///    Callback for notifying progresses of transfers. 
&/// - Parameter lc: the LinphoneCore 
:/// - Parameter transfered: the call that was transfered 
R/// - Parameter newCallState: the state of the call to transfer target at the far
 
/// end. 
/// 
jYEr:vs:14HDLLinPhoneSDK8ChatRoomC5StateO15CreationPendingyA2EmF,One creation request was sent to the server.2/// One creation request was sent to the server. 
½lyGX1Hs:14HDLLinPhoneSDK9UpnpStateO12NotAvailableyA2CmFuPnP is not available/// uPnP is not available 
Ìn©£ü+ts:14HDLLinPhoneSDK11ProxyConfigC6refKeySSvpÑGet the persistent reference key associated to the proxy config. The reference key can be for example an id to an external database. It is stored in the config file, thus can survive to process exits/restarts.F/// Get the persistent reference key associated to the proxy config. 
N/// The reference key can be for example an id to an external database. It is
K/// stored in the config file, thus can survive to process exits/restarts.
/// 
N/// - Returns: The reference key string that has been associated to the proxy
1/// config, or nil if none has been associated. 
qÙrc/²s:14HDLLinPhoneSDK6ReasonO13NotAcceptableyA2CmFJOperation is rejected due to incompatible or unsupported media parameters.P/// Operation is rejected due to incompatible or unsupported media parameters. 
—q¹÷W<¼s:14HDLLinPhoneSDK20PresenceActivityTypeO11AppointmentyA2CmFOThe person has a calendar appointment, without specifying exactly of what type.U/// The person has a calendar appointment, without specifying exactly of what type. 
_rIÞS?s:14HDLLinPhoneSDK4CoreC10findFriend4addrAA0F0CSgAA7AddressC_tFSearch a Friend by its address.'///    Search a `Friend` by its address. 
@/// - Parameter addr: The address to use to search the friend. 
/// 
/// 
H/// - Returns: The `Friend` object corresponding to the given address. 
[siûE0äs:14HDLLinPhoneSDK12PublishStateO8ExpiringyA2CmF]Publish is about to expire, only sent if [sip]->refresh_generic_publish property is set to 0.L/// Publish is about to expire, only sent if [sip]->refresh_generic_publish
/// property is set to 0. 
‰wy}6¦s:14HDLLinPhoneSDK6ConfigC12cleanSection7sectionySS_tFDRemoves every pair of key,value in a section and remove the section.J///    Removes every pair of key,value in a section and remove the section. 
{iY1js:14HDLLinPhoneSDK15SubscribePolicyO6SPDenyyA2CmF&Rejects incoming subscription request.,/// Rejects incoming subscription request. 
²|y=ô<\s:14HDLLinPhoneSDK14AccountCreatorC6StatusO07AliasIsD0yA2EmFAccount was created with Alias.%/// Account was created with Alias. 
F¹;’Uss:14HDLLinPhoneSDK6FriendC27setPresenceModelForUriOrTel03urijK08presenceySS_AA0fG0CtFJSet the presence model for a specific SIP URI or phone number of a friend.P///    Set the presence model for a specific SIP URI or phone number of a friend. 
T/// - Parameter uriOrTel: The SIP URI or phone number for which to set the presence
 /// model 
=/// - Parameter presence: The `PresenceModel` object to set 
/// 
<‚ÙS5us:14HDLLinPhoneSDK4CoreC21mediaNetworkReachableSbSgvpThis method is called by the application to notify the linphone core library when the media (RTP) network is reachable. This is for advanced usage, when SIP and RTP layers are required to use different interfaces. Most applications just need {@link Core#setNetworkReachable}.Q/// This method is called by the application to notify the linphone core library
0/// when the media (RTP) network is reachable. 
L/// This is for advanced usage, when SIP and RTP layers are required to use
=/// different interfaces. Most applications just need {@link
 /// Core#setNetworkReachable}. 
¼ƒ¹f¦s:14HDLLinPhoneSDK7FactoryC10createCore10configPath013factoryConfigH013systemContextAA0F0CSS_SSSvSgtKF™Instantiate a Core object. The Core object is the primary handle for doing all phone actions. It should be unique within your application. The Core object is not started automatically, you need to call {@link Core#start} to that effect. The returned Core will be in LinphoneGlobalState Ready. Core ressources can be released using {@link Core#stop} which is strongly encouraged on garbage collected languages."///    Instantiate a `Core` object. 
S/// The `Core` object is the primary handle for doing all phone actions. It should
H/// be unique within your application. The `Core` object is not started
T/// automatically, you need to call {@link Core#start} to that effect. The returned
Q/// `Core` will be in LinphoneGlobalState Ready. Core ressources can be released
N/// using {@link Core#stop} which is strongly encouraged on garbage collected
/// languages. 
/// 
S/// - Parameter configPath: A path to a config file. If it does not exists it will
R/// be created. The config file is used to store all settings, proxies... so that
S/// all these settings become persistent over the life of the `Core` object. It is
M/// allowed to set a nil config file. In that case `Core` will not store any
/// settings. 
Q/// - Parameter factoryConfigPath: A path to a read-only config file that can be
L/// used to store hard-coded preferences such as proxy settings or internal
S/// preferences. The settings in this factory file always override the ones in the
>/// normal config file. It is optional, use nil if unneeded. 
T/// - Parameter systemContext: A pointer to a system object required by the core to
R/// operate. Currently it is required to pass an android Context on android, pass
/// nil on other platforms. 
/// 
/// 
1/// - See also: linphone_core_new_with_config_3 
 
‡Yß÷-Zs:14HDLLinPhoneSDK4CoreC16clearProxyConfigyyFErase all proxies from config.$///    Erase all proxies from config. 
'ˆùŒx-¤s:14HDLLinPhoneSDK4CallC15remoteUserAgentSSvpDReturns the far end’s user agent description string, if available.H/// Returns the far end's user agent description string, if available. 
‰I0ç)Ís:14HDLLinPhoneSDK6PlayerC8userDataSvSgvp5Retrieve the user pointer associated with the player.;/// Retrieve the user pointer associated with the player. 
=/// - Returns: The user pointer associated with the player. 
º‹¹‹?s:14HDLLinPhoneSDK4CoreC19createXmlRpcSession3urlAA0fgH0CSS_tKF'Create a XmlRpcSession for a given url.////    Create a `XmlRpcSession` for a given url. 
F/// - Parameter url: The URL to the XML-RPC server. Must be NON nil. 
/// 
/// 
0/// - Returns: The new `XmlRpcSession` object. 
MÙÕ ?Ks:14HDLLinPhoneSDK11ProxyConfigC23pushNotificationAllowedSbSgvpUIndicates whether to add to the contact parameters the push notification information.M/// Indicates whether to add to the contact parameters the push notification
/// information. 
J/// - Parameter allow: True to allow push notification information, false
/// otherwise. 
/// 
‘©…3…s:14HDLLinPhoneSDK4CoreC9playLocal9audiofileySS_tKFÊPlays an audio file to the local user. This function works at any time, during calls, or when no calls are running. It doesn’t request the underlying audio system to support multiple playback streams.    ,///    Plays an audio file to the local user. 
T/// This function works at any time, during calls, or when no calls are running. It
M/// doesn't request the underlying audio system to support multiple playback
/// streams. 
/// 
O/// - Parameter audiofile: The path to an audio file in wav PCM 16 bit format 
/// 
/// 
*/// - Returns: 0 on success, -1 on error 
ƒ’YAJ+›s:14HDLLinPhoneSDK10TransportsC7tcpPortSivp+Gets the TCP port in the Transports object.3/// Gets the TCP port in the `Transports` object. 
/// - Returns: the TCP port 
G’ÙZ{1hs:14HDLLinPhoneSDK11ChatMessageC4coreAA4CoreCSgvp$Returns back pointer to Core object.,/// Returns back pointer to `Core` object. 
’Yå°0}s:14HDLLinPhoneSDK14AccountCreatorC8usernameSSvpGet the username./// Get the username. 
5/// - Returns: The username of the `AccountCreator` 
…’™ …Tøs:14HDLLinPhoneSDK19ChatMessageDelegateC011onEphemeralE12TimerStarted3msgyAA0dE0C_tF·Callback used to notify an ephemeral message that its lifespan before disappearing has started to decrease. This callback is called when the ephemeral message is read by the receiver.J///    Callback used to notify an ephemeral message that its lifespan before
+///    disappearing has started to decrease. 
Q/// This callback is called when the ephemeral message is read by the receiver. 
/// 
1/// - Parameter msg: LinphoneChatMessage object 
/// 
ñ—Iœ>Ìs:14HDLLinPhoneSDK11ProxyConfigC5stateAA17RegistrationStateOvp5Get the registration state of the given proxy config.;/// Get the registration state of the given proxy config. 
</// - Returns: The registration state of the proxy config. 
#—)f*:s:14HDLLinPhoneSDK4CallC5StateO4IdleyA2EmFInitial state./// Initial state. 
Ò˜ÉT÷Ls:14HDLLinPhoneSDK6TunnelCLinphone tunnel object./// Linphone tunnel object. 
K˜ièKØs:14HDLLinPhoneSDK4CoreC14createChatRoom11participantAA0fG0CAA7AddressC_tKFS/// - Parameter participant: `Address` representing the initial participant to add
/// to the chat room 
/// 
/// 
-/// - Returns: The newly created chat room. 
0šéTLžs:14HDLLinPhoneSDK10FriendListC27importFriendsFromVcard4File05vcardJ0ySS_tKF^Creates and adds Friend objects to FriendList from a file that contains the vCard(s) to parse.T///    Creates and adds `Friend` objects to `FriendList` from a file that contains the
///    vCard(s) to parse. 
S/// - Parameter vcardFile: the path to a file that contains the vCard(s) to parse 
/// 
/// 
7/// - Returns: the amount of linphone friends created 
TšÉ‰I¦s:14HDLLinPhoneSDK11ParticipantC13securityLevelAA016ChatRoomSecurityF0Ovp&Get the security level of a chat room.,/// Get the security level of a chat room. 
4/// - Returns: The security level of the chat room 
”ž    g/Ãs:14HDLLinPhoneSDK5EventC16refreshSubscribeyyKF7Refresh an outgoing subscription keeping the same body.=///    Refresh an outgoing subscription keeping the same body. 
//// - Returns: 0 if successful, -1 otherwise. 
ÜŸi³w(·s:14HDLLinPhoneSDK4CoreC10natAddressSSvp,Get the public IP address of NAT being used.2/// Get the public IP address of NAT being used. 
9/// - Returns: The public IP address of NAT being used. 
Á£¡;)ˆs:14HDLLinPhoneSDK11ProxyConfigC4doneyyKF5Commits modification made to the proxy configuration.;///    Commits modification made to the proxy configuration. 
'©™uù+îs:14HDLLinPhoneSDK12TunnelConfigC5port2SivpKGet the TLS port of the second tunnel server when using dual tunnel client.Q/// Get the TLS port of the second tunnel server when using dual tunnel client. 
2/// - Returns: The TLS port of the tunnel server 
a®É%¡?zs:14HDLLinPhoneSDK11ChatMessageC5StateO16FileTransferDoneyA2EmF.File transfer has been completed successfully.4/// File transfer has been completed successfully. 
ˆ®)˜ë5s:14HDLLinPhoneSDK9NatPolicyC18stunServerUsernameSSvpìGet the username used to authenticate with the STUN/TURN server. The authentication will search for a AuthInfo with this username. If it is not set the username of the currently used ProxyConfig is used to search for a LinphoneAuthInfo.F/// Get the username used to authenticate with the STUN/TURN server. 
Q/// The authentication will search for a `AuthInfo` with this username. If it is
S/// not set the username of the currently used `ProxyConfig` is used to search for
/// a LinphoneAuthInfo. 
/// 
M/// - Returns: The username used to authenticate with the STUN/TURN server. 
ˆ°¹T6Æs:14HDLLinPhoneSDK7HeadersC8getValue10headerNameS2S_tF4Search for a given header name and return its value.:///    Search for a given header name and return its value. 
8/// - Returns: the header's value or nil if not found. 
]³iWø8Ls:14HDLLinPhoneSDK20ChatRoomCapabilitiesV9EncryptedACvpZChat room is encrypted./// Chat room is encrypted. 
¶)äÌ"¬s:14HDLLinPhoneSDK13PresenceModelCGPresence model type holding information about the presence of a person.M/// Presence model type holding information about the presence of a person. 
Å·éÔ72°s:14HDLLinPhoneSDK14PresencePersonC8userDataSvSgvp.Gets the user data of a PresencePerson object.6/// Gets the user data of a `PresencePerson` object. 
,/// - Returns: A pointer to the user data. 
î½é<ïE‚s:14HDLLinPhoneSDK6ConfigC26getOverwriteFlagForSection7sectionSbSS_tF2Retrieves the overwrite flag for a config section.8///    Retrieves the overwrite flag for a config section. 
"½    j‰Ems:14HDLLinPhoneSDK14PresencePersonC14getNthActivity3idxAA0dH0CSgSu_tF+Gets the nth activity of a presence person.1///    Gets the nth activity of a presence person. 
Q/// - Parameter idx: The index of the activity to get (the first activity having
/// the index 0). 
/// 
/// 
K/// - Returns: A pointer to a `PresenceActivity` object if successful, nil
/// otherwise. 
öÂYS=´s:14HDLLinPhoneSDK17ParticipantDeviceC7addressAA7AddressCSgvp,Get the address of a participant’s device.0/// Get the address of a participant's device. 
8/// - Returns: The address of the participant's device 
—ùsš7|s:14HDLLinPhoneSDK20PresenceActivityTypeO7WorshipyA2CmF/The person is participating in religious rites.5/// The person is participating in religious rites. 
yÈy€o7–s:14HDLLinPhoneSDK11InfoMessageC7contentAA7ContentCSgvp<Returns the info message’s content as a Content structure.B/// Returns the info message's content as a `Content` structure. 
jÍiËVC–s:14HDLLinPhoneSDK6FriendC17subscriptionStateAA012SubscriptionF0Ovp#Get subscription state of a friend.)/// Get subscription state of a friend. 
*/// - Returns: LinphoneSubscriptionState 
*×)qº+ws:14HDLLinPhoneSDK14AccountCreatorC6StatusO-Enum describing the status of server request.2///Enum describing the status of server request. 
<ÚiMâ!˜s:14HDLLinPhoneSDK12PresenceNoteC=Presence note type holding information about a presence note.C/// Presence note type holding information about a presence note. 
åÛ¡<s:14HDLLinPhoneSDK10CallParamsC24clearCustomSdpAttributesyyFrClear the custom SDP attributes related to all the streams in the SDP exchanged within SIP messages during a call.T///    Clear the custom SDP attributes related to all the streams in the SDP exchanged
(///    within SIP messages during a call. 
dÜ)Òb3ns:14HDLLinPhoneSDK5EventC9errorInfoAA05ErrorF0CSgvp(Get full details about an error occured../// Get full details about an error occured. 
Ëßé06eªs:14HDLLinPhoneSDK10CallParamsC26getCustomSdpMediaAttribute4type13attributeNameSSAA10StreamTypeO_SStF@Get a custom SDP attribute that is related to a specific stream.F///    Get a custom SDP attribute that is related to a specific stream. 
P/// - Parameter type: The type of the stream to add a custom SDP attribute to. 
B/// - Parameter attributeName: The name of the attribute to get. 
/// 
/// 
H/// - Returns: The content value of the attribute or nil if not found. 
ià‰Áì0ns:14HDLLinPhoneSDK4CallC18echoLimiterEnabledSbvp(Returns true if echo limiter is enabled../// Returns true if echo limiter is enabled. 
öã‰ã…Ijs:14HDLLinPhoneSDK8ChatRoomC16getHistoryEvents02nbH0SayAA8EventLogCGSi_tFWGets nb_events most recent events from cr chat room, sorted from oldest to most recent.    T///    Gets nb_events most recent events from cr chat room, sorted from oldest to most
 ///    recent. 
M/// - Parameter nbEvents: Number of events to retrieve. 0 means everything. 
/// 
/// 
R/// - Returns: A list of `EventLog` objects. LinphoneEventLog  The objects inside
R/// the list are freshly allocated with a reference counter equal to one, so they
N/// need to be freed on list destruction with bctbx_list_free_with_data() for
/// instance.   
îãyê†&<s:14HDLLinPhoneSDK9UpnpStateO2OkyA2CmFuPnP is enabled/// uPnP is enabled 
Í噋:*s:14HDLLinPhoneSDK4CoreC20setLogCollectionPath4pathySS_tFZSSet the path of a directory where the log files will be written for log collection.L///    Set the path of a directory where the log files will be written for log
///    collection. 
E/// - Parameter path: The path where the log files will be written. 
/// 
gé鋏9Rs:14HDLLinPhoneSDK8ChatRoomC5StateO14CreationFailedyA2EmFChat room creation failed. /// Chat room creation failed. 
¿é¹Oê(Ës:14HDLLinPhoneSDK7ContentC8encodingSSvp<Get the encoding of the data buffer, for example â€œgzip”.>/// Get the encoding of the data buffer, for example "gzip". 
1/// - Returns: The encoding of the data buffer. 
@ôÙ S8s:14HDLLinPhoneSDK11ProxyConfigC9natPolicyAA03NatG0CSgvp¨Get The policy that is used to pass through NATs/firewalls when using this proxy config. If it is set to nil, the default NAT policy from the core will be used instead.O/// Get The policy that is used to pass through NATs/firewalls when using this
/// proxy config. 
U/// If it is set to nil, the default NAT policy from the core will be used instead. 
/// 
+/// - Returns: `NatPolicy` object in use. 
/// 
+/// - See also: {@link Core#getNatPolicy} 
õ9o0Žs:14HDLLinPhoneSDK15VideoDefinitionC5cloneACSgyFClone a video definition.///    Clone a video definition. 
6/// - Returns: The new clone of the video definition 
õ9¿óW±s:14HDLLinPhoneSDK4CoreC20createOneShotPublish8resource5eventAA5EventCAA7AddressC_SStKF@Create a publish context for a one-shot publish. After being created, the publish must be sent using {@link Event#sendPublish}. The Event is automatically terminated when the publish transaction is finished, either with success or failure. The application must not call {@link Event#terminate} for such one-shot publish. 6///    Create a publish context for a one-shot publish. 
S/// After being created, the publish must be sent using {@link Event#sendPublish}.
L/// The `Event` is automatically terminated when the publish transaction is
S/// finished, either with success or failure. The application must not call {@link
1/// Event#terminate} for such one-shot publish. 
/// 
:/// - Parameter resource: the resource uri for the event 
'/// - Parameter event: the event name 
/// 
/// 
@/// - Returns: the `Event` holding the context of the publish. 
@ûyW¶|s:14HDLLinPhoneSDK19ChatMessageDelegateC32onFileTransferProgressIndication3msg7content6offset5totalyAA0dE0C_AA7ContentCS2itF5File transfer progress indication callback prototype.;///    File transfer progress indication callback prototype. 
S/// - Parameter msg: LinphoneChatMessage message from which the body is received. 
G/// - Parameter content: LinphoneContent incoming content information 
Q/// - Parameter offset: The number of bytes sent/received since the beginning of
/// the transfer. 
G/// - Parameter total: The total number of bytes to be sent/received. 
/// 
òûiV%¹s:14HDLLinPhoneSDK9ErrorInfoC4Object representing full details about a signaling error or status. All ErrorInfo object returned by the liblinphone API are readonly and transcients. For safety they must be used immediately after obtaining them. Any other function call to the liblinphone may change their content or invalidate the pointer.I/// Object representing full details about a signaling error or status. 
L/// All `ErrorInfo` object returned by the liblinphone API are readonly and
T/// transcients. For safety they must be used immediately after obtaining them. Any
R/// other function call to the liblinphone may change their content or invalidate
/// the pointer. 
¿ü    FŽ?es:14HDLLinPhoneSDK10FriendListC06removeD02lfAC6StatusOAA0D0C_tF#Remove a friend from a friend list.)///    Remove a friend from a friend list. 
E/// - Parameter lf: `Friend` object to remove from the friend list. 
/// 
/// 
>/// - Returns: #LinphoneFriendListOK if removed successfully,
L/// #LinphoneFriendListNonExistentFriend if the friend is not in the list. 
Výa®:×s:14HDLLinPhoneSDK11ProxyConfigC14avpfRrIntervals5UInt8VvpDGet the interval between regular RTCP reports when using AVPF/SAVPF.J/// Get the interval between regular RTCP reports when using AVPF/SAVPF. 
)/// - Returns: The interval in seconds. 
ý‰õ    1„s:14HDLLinPhoneSDK4CallC13remoteAddressAA0F0CSgvp3Returns the remote address associated to this call.9/// Returns the remote address associated to this call. 
zhÑ&vs:14HDLLinPhoneSDK4CallC9terminateyyKFTerminates a call.///    Terminates a call. 
,/// - Returns: 0 on success, -1 on failure 
,ªG˜0}s:14HDLLinPhoneSDK14AccountCreatorC8passwordSSvpGet the password./// Get the password. 
5/// - Returns: The password of the `AccountCreator` 
Ú×e2:s:14HDLLinPhoneSDK11ChatMessageC5StateO4IdleyA2EmFInitial state./// Initial state. 
ƒ:¢œ=s:14HDLLinPhoneSDK5EventC13updatePublish4bodyyAA7ContentC_tKFUpdate (refresh) a publish.!///    Update (refresh) a publish. 
4/// - Parameter body: the new data to be published 
/// 
àZºý9rs:14HDLLinPhoneSDK4CallC6update6paramsyAA0D6ParamsCSg_tKFœUpdates a running call according to supplied call parameters or parameters changed in the LinphoneCore. It triggers a SIP reINVITE in order to perform a new offer/answer of media capabilities. Changing the size of the transmitted video after calling linphone_core_set_preferred_video_size can be used by passing nil as params argument. In case no changes are requested through the CallParams argument, then this argument can be omitted and set to nil. WARNING: Updating a call in the #LinphoneCallPaused state will still result in a paused call even if the media directions set in the params are sendrecv. To resume a paused call, you need to call {@link Call#resume}.O///    Updates a running call according to supplied call parameters or parameters
"///    changed in the LinphoneCore. 
O/// It triggers a SIP reINVITE in order to perform a new offer/answer of media
K/// capabilities. Changing the size of the transmitted video after calling
P/// linphone_core_set_preferred_video_size can be used by passing nil as params
R/// argument. In case no changes are requested through the `CallParams` argument,
R/// then this argument can be omitted and set to nil. WARNING: Updating a call in
Q/// the #LinphoneCallPaused state will still result in a paused call even if the
R/// media directions set in the params are sendrecv. To resume a paused call, you
&/// need to call {@link Call#resume}.
/// 
H/// - Parameter params: The new call parameters to use (may be nil)    
/// 
/// 
//// - Returns: 0 if successful, -1 otherwise. 
0: 8¾s:14HDLLinPhoneSDK4CoreC14removeAuthInfo4infoyAA0fG0C_tF-Removes an authentication information object.3///    Removes an authentication information object. 
1/// - Parameter info: The `AuthInfo` to remove. 
/// 
#Ú¡ .Ÿs:14HDLLinPhoneSDK9NatPolicyC11upnpEnabledSbvpTell whether uPnP is enabled.#/// Tell whether uPnP is enabled. 
?/// - Returns: Boolean value telling whether uPnP is enabled. 
(¤µ3s:14HDLLinPhoneSDK4CoreC17linphoneSpecsListSaySSGvplGet the list of linphone specs string values representing what functionalities the linphone client supports.S/// Get the list of linphone specs string values representing what functionalities
#/// the linphone client supports. 
P/// - Returns: A list of char * objects. char *  a list of supported specs. The
;/// list must be freed with bctbx_list_free() after usage 
µ,ª1@bAs:14HDLLinPhoneSDK22AccountCreatorDelegateC08onUpdateD07creator6status4respyAA0dE0C_AI6StatusOSStF(Callback to notify a response of server..///    Callback to notify a response of server. 
8/// - Parameter creator: LinphoneAccountCreator object 
P/// - Parameter status: The status of the LinphoneAccountCreator test existence
&/// operation that has just finished 
/// 
à/–‰ZÅs:14HDLLinPhoneSDK16ChatRoomDelegateC02onD21MessageShouldBeStored2cr3msgyAA0dE0C_AA0dH0CtF†Callback used to tell the core whether or not to store the incoming message in db or not using linphone_chat_message_set_to_be_stored.S///    Callback used to tell the core whether or not to store the incoming message in
=///    db or not using linphone_chat_message_set_to_be_stored. 
-/// - Parameter cr: LinphoneChatRoom object 
E/// - Parameter msg: The LinphoneChatMessage that is being received 
/// 
 
/z‚Õ@Ùs:14HDLLinPhoneSDK4CoreC20logCollectionEnabledAA03LogF5StateOyFZ:Tells whether the linphone core log collection is enabled.@///    Tells whether the linphone core log collection is enabled. 
?/// - Returns: The state of the linphone core log collection. 
c/ŠÂWs:14HDLLinPhoneSDK4CoreC14getCallHistory8peerAddr05localI0SayAA0F3LogCGAA7AddressC_AKtF²Get the list of call logs (past calls). At the contrary of linphone_core_get_call_logs, it is your responsibility to unref the logs and free this list once you are done using it. -///    Get the list of call logs (past calls). 
Q/// At the contrary of linphone_core_get_call_logs, it is your responsibility to
C/// unref the logs and free this list once you are done using it. 
/// 
//// - Parameter peerAddr: A `Address` object. 
/// 
/// 
T/// - Returns: A list of `CallLog` objects. LinphoneCallLog  The objects inside the
S/// list are freshly allocated with a reference counter equal to one, so they need
T/// to be freed on list destruction with bctbx_list_free_with_data() for instance. 
///  
a1jPéis:14HDLLinPhoneSDK6ToneIDO&Enum listing frequent telephony tones.+///Enum listing frequent telephony tones. 
Á7ê“Ñ4s:14HDLLinPhoneSDK4CoreC15addLinphoneSpec4specySS_tFYAdd the given linphone specs to the list of functionalities the linphone client supports.T///    Add the given linphone specs to the list of functionalities the linphone client
///    supports. 
'/// - Parameter spec: The spec to add 
/// 
 9͇O–s:14HDLLinPhoneSDK17SecurityEventTypeO33ParticipantMaxDeviceCountExceededyA2CmF<Participant has exceeded the maximum number of device event.B/// Participant has exceeded the maximum number of device event. 
«>*VÖ,²s:14HDLLinPhoneSDK14AccountCreatorC5resetyyFJReset the account creator entries like username, password, phone number…P///    Reset the account creator entries like username, password, phone number... 
‘Cª¡—;âs:14HDLLinPhoneSDK4CoreC11disableChat10denyReasonyAA0H0O_tF/Inconditionnaly disable incoming chat messages.5///    Inconditionnaly disable incoming chat messages. 
Q/// - Parameter denyReason: the deny reason (LinphoneReasonNone has no effect). 
/// 
OMºk7(Hs:14HDLLinPhoneSDK7AddressC8usernameSSvpReturns the username./// Returns the username. 
žMä$’s:14HDLLinPhoneSDK4CoreC7tlsCertSSvpGets the TLS certificate./// Gets the TLS certificate. 
:/// - Returns: the TLS certificate or nil if not set yet 
óM:'.›s:14HDLLinPhoneSDK11PayloadTypeC9clockRateSivp%Get the clock rate of a payload type.+/// Get the clock rate of a payload type. 
+/// - Returns: [in] The clock rate in Hz. 
£QÚîŠ-¹s:14HDLLinPhoneSDK5EventC14refreshPublishyyKF2Refresh an outgoing publish keeping the same body.8///    Refresh an outgoing publish keeping the same body. 
//// - Returns: 0 if successful, -1 otherwise. 
ÛRêž,6s:14HDLLinPhoneSDK6ReasonO10BadGatewayyA2CmF Bad gateway./// Bad gateway. 
žXz³ÌOs:14HDLLinPhoneSDK6ConfigCyThe Config object is used to manipulate a configuration file. The format of the configuration file is a .ini like format:E/// The `Config` object is used to manipulate a configuration file. 
@/// The format of the configuration file is a .ini like format:
/// 
/// 
/// Example:  
Zúia*Ls:14HDLLinPhoneSDK4CoreC12supportedTagSSvpSet the supported tags./// Set the supported tags. 
ï\êϦ2“s:14HDLLinPhoneSDK9CallStatsC8iceStateAA03IceG0Ovp Get the state of ICE processing.&/// Get the state of ICE processing. 
-/// - Returns: The state of ICE processing. 
m_êµÅ7s:14HDLLinPhoneSDK11ChatMessageC17ephemeralLifetimeSivp„Returns lifetime of an ephemeral message. The lifetime is the duration after which the ephemeral message will disappear once viewed.//// Returns lifetime of an ephemeral message. 
R/// The lifetime is the duration after which the ephemeral message will disappear
/// once viewed. 
/// 
I/// - Returns: the lifetime of an ephemeral message, by default 86400s. 
“`ªðß(9s:14HDLLinPhoneSDK9ErrorInfoC6phraseSSvplGet textual phrase from the error info. This is the text that is provided by the peer in the protocol (SIP).-/// Get textual phrase from the error info. 
J/// This is the text that is provided by the peer in the protocol (SIP). 
/// 
!/// - Returns: The error phrase 
ÀaêÞª/×s:14HDLLinPhoneSDK8ChatRoomC13limeAvailableSbyF1Returns true if lime is available for given peer.7///    Returns true if lime is available for given peer. 
O/// - Returns: true if zrtp secrets have already been shared and ready to use 
öbr2s:14HDLLinPhoneSDK11ChatMessageC12downloadFileSbyFNStart the download of the file referenced in a ChatMessage from remote server.M///    Start the download of the file referenced in a `ChatMessage` from remote
 ///    server. 
C/// - deprecated: Use {@link ChatMessage#downloadContent} instead 
°f*î-µs:14HDLLinPhoneSDK9ErrorInfoC10retryAfterSivp1Get Retry-After delay second from the error info.7/// Get Retry-After delay second from the error info. 
-/// - Returns: The Retry-After delay second 
ÄiŠôÍ;s:14HDLLinPhoneSDK14AccountCreatorC02isD6LinkedAC6StatusOyF/Send a request to know if an account is linked.5///    Send a request to know if an account is linked. 
S/// - Returns: LinphoneAccountCreatorStatusRequestOk if the request has been sent,
9/// LinphoneAccountCreatorStatusRequestFailed otherwise 
ŒkJÊÛ)þs:14HDLLinPhoneSDK7PrivacyO7DefaultyA2CmFjSpecial keyword to use privacy as defined either globally or by proxy using {@link ProxyConfig#setPrivacy}P/// Special keyword to use privacy as defined either globally or by proxy using
$/// {@link ProxyConfig#setPrivacy} 
ƒnŠ#Es:14HDLLinPhoneSDK11ChatMessageC16currentCallbacksAA0dE8DelegateCSgvpÁGets the current LinphoneChatMessageCbs. This is meant only to be called from a callback to be able to get the user_data associated with the LinphoneChatMessageCbs that is calling the callback../// Gets the current LinphoneChatMessageCbs. 
T/// This is meant only to be called from a callback to be able to get the user_data
N/// associated with the LinphoneChatMessageCbs that is calling the callback. 
/// 
M/// - Returns: The LinphoneChatMessageCbs that has called the last callback 
‘o:ê¬1^s:14HDLLinPhoneSDK10AuthMethodO10HttpDigestyA2CmF Digest authentication requested.&/// Digest authentication requested. 
q:<.1¸s:14HDLLinPhoneSDK4CoreC19realtimeTextEnabledSbvp(Gets if realtime text is enabled or not../// Gets if realtime text is enabled or not. 
B/// - Returns: true if realtime text is enabled, false otherwise 
ÕrÊÅÀ#Js:14HDLLinPhoneSDK6PlayerC5closeyyFClose the opened file.///    Close the opened file. 
»sªÜB+Ts:14HDLLinPhoneSDK9UpnpStateO7PendingyA2CmFuPnP process is in progress!/// uPnP process is in progress 
Éy*¥ç/Œs:14HDLLinPhoneSDK4CallC6StatusO8DeclinedyA2EmF7The call was declined, either locally or by remote end.=/// The call was declined, either locally or by remote end. 
ÊyZ­8Gqs:14HDLLinPhoneSDK6BufferC11newFromData4data4sizeACSgSPys5UInt8VG_SitFZ.Create a new Buffer object from existing data.6///    Create a new `Buffer` object from existing data. 
H/// - Parameter data: The initial data to store in the LinphoneBuffer. 
T/// - Parameter size: The size of the initial data to stroe in the LinphoneBuffer. 
/// 
/// 
'/// - Returns: A new `Buffer` object. 
½zZ>7Ks:14HDLLinPhoneSDK4CoreC23videoSourceReuseEnabledSbSgvp0Enable or disable video source reuse when switching from preview to actual video call. This source reuse is useful when you always display the preview, even before calls are initiated. By keeping the video source for the transition to a real video call, you will smooth out the source close/reopen cycle. O/// Enable or disable video source reuse when switching from preview to actual
/// video call. 
Q/// This source reuse is useful when you always display the preview, even before
R/// calls are initiated. By keeping the video source for the transition to a real
C/// video call, you will smooth out the source close/reopen cycle.
/// 
P/// This function does not have any effect durfing calls. It just indicates the
Q/// `Core` to initiate future calls with video source reuse or not. Also, at the
H/// end of a video call, the source will be closed whatsoever for now. 
/// 
N/// - Parameter enable:  to enable video source reuse. true to disable it for
/// subsequent calls. 
/// 
}Šeì*¡s:14HDLLinPhoneSDK11ProxyConfigC5idkeySSvp(Get the idkey property of a ProxyConfig.0/// Get the idkey property of a `ProxyConfig`. 
)/// - Returns: The idkey string, or nil 
‡ÊVô@>s:14HDLLinPhoneSDK14AccountCreatorC6StatusO13AliasNotExistyA2EmFAlias not exist./// Alias not exist. 
H‡š«m#zs:14HDLLinPhoneSDK4CoreC6tlsKeySSvpGets the TLS key./// Gets the TLS key. 
2/// - Returns: the TLS key or nil if not set yet 
õ‘ZDY'Ps:14HDLLinPhoneSDK8LogLevelV5DebugACvpZLevel for debug messages./// Level for debug messages. 
O’ª¸"§s:14HDLLinPhoneSDK5VcardC4etagSSvpGets the eTag of the vCard.!/// Gets the eTag of the vCard. 
K/// - Returns: the eTag of the vCard in the CardDAV server, otherwise nil 
e”j{N(‘s:14HDLLinPhoneSDK8ChatRoomC7subjectSSvpGet the subject of a chat room.%/// Get the subject of a chat room. 
-/// - Returns: The subject of the chat room 
Û”Šä!Ys:14HDLLinPhoneSDK6PlayerC5StateOThe state of a LinphonePlayer.#///The state of a LinphonePlayer. 
±—Šø5Âs:14HDLLinPhoneSDK14LoggingServiceC7message3msgySS_tF4Write a LinphoneLogLevelMessage message to the logs.:///    Write a LinphoneLogLevelMessage message to the logs. 
'/// - Parameter msg: The log message. 
/// 
v˜Ú:hO8s:14HDLLinPhoneSDK4CoreC12createNotify8resource5eventAA5EventCAA7AddressC_SStKF’Create an out-of-dialog notification, specifying the destination resource, the event name. The notification can be send with {@link Event#notify}.    S///    Create an out-of-dialog notification, specifying the destination resource, the
///    event name. 
=/// The notification can be send with {@link Event#notify}. 
/// 
4/// - Parameter resource: the destination resource 
'/// - Parameter event: the event name 
/// 
/// 
C/// - Returns: a `Event` holding the context of the notification. 
?˜šèe$¤s:14HDLLinPhoneSDK15PresenceServiceCCPresence service type holding information about a presence service.I/// Presence service type holding information about a presence service. 
ø›ªe÷\.s:14HDLLinPhoneSDK12CoreDelegateC14onInfoReceived2lc4call3msgyAA0D0C_AA4CallCAA0G7MessageCtF/Callback prototype for receiving info messages.5///    Callback prototype for receiving info messages. 
&/// - Parameter lc: the LinphoneCore 
?/// - Parameter call: the call whose info message belongs to. 
(/// - Parameter msg: the info message. 
/// 
Z/UZÄs:14HDLLinPhoneSDK16ChatRoomDelegateC16onConferenceLeft2cr8eventLogyAA0dE0C_AA05EventL0CtF2Callback used to notify a chat room has been left.8///    Callback used to notify a chat room has been left. 
-/// - Parameter cr: LinphoneChatRoom object 
/// 
¢êt¾=\s:14HDLLinPhoneSDK8ChatRoomC5StateO18TerminationPendingyA2EmFWait for chat room termination.%/// Wait for chat room termination. 
À£
N,žs:14HDLLinPhoneSDK10TransportsC8dtlsPortSivp,Gets the DTLS port in the Transports object.4/// Gets the DTLS port in the `Transports` object. 
/// - Returns: the DTLS port 
F£ÚMðEHs:14HDLLinPhoneSDK4CoreC24LogCollectionUploadStateO10InProgressyA2EmFDelivery in progress./// Delivery in progress. 
Z¥:ê4ªs:14HDLLinPhoneSDK13PresenceModelC12capabilitiesSivp0Gets the capabilities of a PresenceModel object.8/// Gets the capabilities of a `PresenceModel` object. 
"/// - Returns: the capabilities. 
ʨÊúü7s:14HDLLinPhoneSDK8ChatRoomC21canHandleParticipantsSbyF9Tells whether a chat room is able to handle participants.?///    Tells whether a chat room is able to handle participants. 
H/// - Returns: A boolean value telling whether the chat room can handle
/// participants or not 
â©
Õ(,js:14HDLLinPhoneSDK7AddressC11methodParamSSvp&Get the value of the method parameter.,/// Get the value of the method parameter. 
˜¬úÌ&®s:14HDLLinPhoneSDK9NatPolicyC5clearyyFHClear a NAT policy (deactivate all protocols and unset the STUN server).N///    Clear a NAT policy (deactivate all protocols and unset the STUN server). 
­ÊTK«s:14HDLLinPhoneSDK10TransportsC´Linphone core SIP transport ports. Special values LC_SIP_TRANSPORT_RANDOM, LC_SIP_TRANSPORT_RANDOM, LC_SIP_TRANSPORT_DONTBIND can be used. Use with linphone_core_set_sip_transports(/// Linphone core SIP transport ports. 
E/// Special values LC_SIP_TRANSPORT_RANDOM, LC_SIP_TRANSPORT_RANDOM,
4/// LC_SIP_TRANSPORT_DONTBIND can be used. Use with
&/// linphone_core_set_sip_transports 
E¯ŠC‰'žs:14HDLLinPhoneSDK6PlayerC8durationSivp$Get the duration of the opened file.*/// Get the duration of the opened file. 
0/// - Returns: The duration of the opened file 
¸²ª5)às:14HDLLinPhoneSDK4CallC11isRecordingSbvp<Returns whether or not the call is currently being recorded.B/// Returns whether or not the call is currently being recorded. 
B/// - Returns: true if recording is in progress, false otherwise 
ø´Ú~‰.fs:14HDLLinPhoneSDK4CoreC15tunnelAvailableSbyFZ$True if tunnel support was compiled.*///    True if tunnel support was compiled. 
i¶ª±Ô5™s:14HDLLinPhoneSDK6FriendC10addAddress4addryAA0F0C_tFAdds an address in this friend.%///    Adds an address in this friend. 
(/// - Parameter addr: `Address` object 
/// 
-¹*õ&=s:14HDLLinPhoneSDK5EventC16currentCallbacksAA0D8DelegateCSgvpHGet the current LinphoneEventCbs object associated with a LinphoneEvent.N/// Get the current LinphoneEventCbs object associated with a LinphoneEvent. 
G/// - Returns: The current LinphoneEventCbs object associated with the
/// LinphoneEvent. 
Ê»~4;²s:14HDLLinPhoneSDK9CallStatsC24senderInterarrivalJitterSfvp#Gets the local interarrival jitter.)/// Gets the local interarrival jitter. 
F/// - Returns: The interarrival jitter at last emitted sender report 
xÀ
Î(3s:14HDLLinPhoneSDK7AddressC8passwordSSvp_Get the password encoded in the address. It is used for basic authentication (not recommended)../// Get the password encoded in the address. 
</// It is used for basic authentication (not recommended). 
/// 
5/// - Returns: the password, if any, nil otherwise. 
™Â:Š=-Âs:14HDLLinPhoneSDK4CallC15mediaInProgressSbyFúIndicates whether an operation is in progress at the media side. It can be a bad idea to initiate signaling operations (adding video, pausing the call, removing video, changing video parameters) while the media is busy in establishing the connection (typically ICE connectivity checks). It can result in failures generating loss of time in future operations in the call. Applications are invited to check this function after each call state change to decide whether certain operations are permitted or not.    F///    Indicates whether an operation is in progress at the media side. 
Q/// It can be a bad idea to initiate signaling operations (adding video, pausing
T/// the call, removing video, changing video parameters) while the media is busy in
S/// establishing the connection (typically ICE connectivity checks). It can result
J/// in failures generating loss of time in future operations in the call.
T/// Applications are invited to check this function after each call state change to
=/// decide whether certain operations are permitted or not. 
/// 
R/// - Returns:  if media is busy in establishing the connection, true otherwise. 
Åj“-µs:14HDLLinPhoneSDK11PayloadTypeC8recvFmtpSSvp/Get the format parameters for incoming streams.5/// Get the format parameters for incoming streams. 
1/// - Returns: The format parameters as string. 
«Æp#'îs:14HDLLinPhoneSDK8ChatRoomC7composeyyFbNotifies the destination of the chat message being composed that the user is typing a new message.Q///    Notifies the destination of the chat message being composed that the user is
///    typing a new message. 
ãÇZ¨á7›s:14HDLLinPhoneSDK4CallC17takeVideoSnapshot4fileySS_tKFÃTake a photo of currently received video and write it into a jpeg file. Note that the snapshot is asynchronous, an application shall not assume that the file is created when the function returns.    M///    Take a photo of currently received video and write it into a jpeg file. 
Q/// Note that the snapshot is asynchronous, an application shall not assume that
4/// the file is created when the function returns. 
/// 
?/// - Parameter file: a path where to write the jpeg content. 
/// 
/// 
O/// - Returns: 0 if successfull, -1 otherwise (typically if jpeg format is not
/// supported). 
+Çz‘Œ4Šs:14HDLLinPhoneSDK4CallC16diversionAddressAA0F0CSgvp6Returns the diversion address associated to this call.</// Returns the diversion address associated to this call. 
ó˚ˆ±>s:14HDLLinPhoneSDK4CoreC22setLogCollectionPrefix6prefixySS_tFZESet the prefix of the filenames that will be used for log collection.K///    Set the prefix of the filenames that will be used for log collection. 
Q/// - Parameter prefix: The prefix to use for the filenames for log collection. 
/// 
hÏ
@/Ãs:14HDLLinPhoneSDK7CallLogC9toAddressAA0G0CSgvp0Get the destination address (ie to) of the call.6/// Get the destination address (ie to) of the call. 
=/// - Returns: The destination address (ie to) of the call. 
?Ð:_µ<–s:14HDLLinPhoneSDK4CoreC20activateAudioSession7activedySb_tF°Special function to indicate if the audio session is activated. Must be called when ProviderDelegate of the callkit notifies that the audio session is activated or deactivated.S/// Special function to indicate if the audio session is activated. Must be called
L/// when ProviderDelegate of the callkit notifies that the audio session is
/// activated or deactivated. 
Ñ
âí:2s:14HDLLinPhoneSDK21ChatRoomSecurityLevelO9EncryptedyA2CmF
Encrypted./// Encrypted. 
!Öj7B3s:14HDLLinPhoneSDK5EventC17subscriptionStateAA012SubscriptionF0Ovp~Get subscription state. If the event object was not created by a subscription mechanism, LinphoneSubscriptionNone is returned./// Get subscription state. 
E/// If the event object was not created by a subscription mechanism,
+/// LinphoneSubscriptionNone is returned. 
Ó×ê0±CDs:14HDLLinPhoneSDK14AccountCreatorC14PasswordStatusO8TooShortyA2EmFPassword too short./// Password too short. 
bÙúzý:Ås:14HDLLinPhoneSDK8ChatRoomC13deleteMessage3msgyAA0dG0C_tF,Delete a message from the chat room history.2///    Delete a message from the chat room history. 
:/// - Parameter msg: The `ChatMessage` object to remove. 
/// 
éÚ:¡±-2s:14HDLLinPhoneSDK4CoreC15selfViewEnabledSbvp<Tells whether video self view during call is enabled or not.B/// Tells whether video self view during call is enabled or not. 
E/// - Returns: A boolean value telling whether self view is enabled 
/// 
:/// - See also: {@link Core#enableSelfView} for details. 
áÛz N(s:14HDLLinPhoneSDK7FactoryC}Factory is a singleton object devoted to the creation of all the object of Liblinphone that cannot be created by Core itself.Q/// `Factory` is a singleton object devoted to the creation of all the object of
:/// Liblinphone that cannot be created by `Core` itself. 
ñÜÚ¤s:14HDLLinPhoneSDK4CallCAThe Call object represents a call issued or received by the Core.K/// The `Call` object represents a call issued or received by the `Core`. 
ÅÝʒÎ,¬s:14HDLLinPhoneSDK8ChatRoomC4chars6UInt32VvpWhen realtime text is enabled linphone_call_params_realtime_text_enabled, LinphoneCoreIsComposingReceivedCb is call everytime a char is received from peer. At the end of remote typing a regular ChatMessage is received with committed data from LinphoneCoreMessageReceivedCb.N/// When realtime text is enabled linphone_call_params_realtime_text_enabled,
P/// LinphoneCoreIsComposingReceivedCb is call everytime a char is received from
 /// peer. 
S/// At the end of remote typing a regular `ChatMessage` is received with committed
./// data from LinphoneCoreMessageReceivedCb. 
/// 
$/// - Returns: RFC 4103/T.140 char 
ÆÞÊÅ8@<s:14HDLLinPhoneSDK14AccountCreatorC12DomainStatusO7InvalidyA2EmFDomain invalid./// Domain invalid. 
Xà¶ùBðs:14HDLLinPhoneSDK4CoreC26createPrimaryContactParsedAA7AddressCyKFbSame as {@link Core#getPrimaryContact} but the result is a Address object instead of const char *.P///    Same as {@link Core#getPrimaryContact} but the result is a `Address` object
///    instead of const char *. 
HêJ¾F0­s:14HDLLinPhoneSDK11ChatMessageC10toBeStoredSbvp&Get if a chat message is to be stored.,/// Get if a chat message is to be stored. 
;/// - Returns: Whether or not the message is to be stored 
©êŠ ê5s:14HDLLinPhoneSDK10CallParamsC16rtpBundleEnabledSbvp²Indicates whether RTP bundle mode (also known as Media Multiplexing) is enabled. See https://tools.ietf.org/html/draft-ietf-mmusic-sdp-bundle-negotiation-54 for more information.L/// Indicates whether RTP bundle mode (also known as Media Multiplexing) is
/// enabled. 
T/// See https://tools.ietf.org/html/draft-ietf-mmusic-sdp-bundle-negotiation-54 for
/// more information. 
/// 
H/// - Returns: a boolean indicating the enablement of rtp bundle mode. 
TîZÀ9ns:14HDLLinPhoneSDK4CallC6StatusO17AcceptedElsewhereyA2EmF(The call was answered on another device../// The call was answered on another device. 
ÌîŠ3,Ps:14HDLLinPhoneSDK7AddressC11displayNameSSvpReturns the display name./// Returns the display name. 
•ðZ†'bs:14HDLLinPhoneSDK8AuthInfoC6useridSSvpGets the userid./// Gets the userid. 
/// - Returns: The userid. 
¹òŠËÞOŽs:14HDLLinPhoneSDK14AccountCreatorC03setB6Number05phoneG011countryCodeSuSS_SStF Set the phone number normalized.&///    Set the phone number normalized. 
6/// - Parameter phoneNumber: The phone number to set 
J/// - Parameter countryCode: Country code to associate phone number with 
/// 
/// 
Q/// - Returns: LinphoneAccountCreatorPhoneNumberStatusOk if everything is OK, or
%/// specific(s) error(s) otherwise. 
’ôJÐ%is:14HDLLinPhoneSDK5VcardC5cloneACSgyFClone a Vcard.///    Clone a `Vcard`. 
%/// - Returns: a new `Vcard` object 
rõŠ@â/s:14HDLLinPhoneSDK4CoreC11currentCallAA0F0CSgvpGets the current call./// Gets the current call. 
>/// - Returns: The current call or nil if no call is running 
‰ö
!î^Žs:14HDLLinPhoneSDK9ErrorInfoC3set5proto6reason4code12statusString7warningySS_AA6ReasonOSiS2StF)Assign information to a ErrorInfo object.1///    Assign information to a `ErrorInfo` object. 
&/// - Parameter proto: protocol name 
9/// - Parameter reason: reason from LinphoneReason enum 
%/// - Parameter code: protocol code 
9/// - Parameter statusString: description of the reason 
*/// - Parameter warning: warning message 
/// 
Çø:H.„s:14HDLLinPhoneSDK11GlobalStateO7StartupyA2CmF3Transient state for when we call {@link Core#start}9/// Transient state for when we call {@link Core#start} 
?ü
ö¿+¢s:14HDLLinPhoneSDK11ChatMessageC6isReadSbvpBReturns true if the message has been read, otherwise returns true.H/// Returns true if the message has been read, otherwise returns true. 
Ÿ»FdOas:14HDLLinPhoneSDK12CoreDelegateC19onFriendListRemoved2lc4listyAA0D0C_AA0gH0CtF`Callback prototype for reporting when a friend list has been removed from the core friends list.R///    Callback prototype for reporting when a friend list has been removed from the
///    core friends list. 
)/// - Parameter lc: LinphoneCore object 
1/// - Parameter list: LinphoneFriendList object 
/// 
 ‹§ì&Ns:14HDLLinPhoneSDK7AddressC6domainSSvpReturns the domain name./// Returns the domain name. 
–›hø-±s:14HDLLinPhoneSDK4CoreC16ensureRegisteredyyF½Call this method when you receive a push notification. It will ensure the proxy configs are correctly registered to the proxy server, so the call or the message will be correctly delivered.<///    Call this method when you receive a push notification. 
S/// It will ensure the proxy configs are correctly registered to the proxy server,
=/// so the call or the message will be correctly delivered. 
Q    k–#‚s:14HDLLinPhoneSDK14LoggingServiceC2Singleton class giving access to logging features.8/// Singleton class giving access to logging features. 
m kç˜#Às:14HDLLinPhoneSDK6BufferC4sizeSivp/Get the size of the content of the data buffer.5/// Get the size of the content of the data buffer. 
</// - Returns: The size of the content of the data buffer. 
Á+üæus:14HDLLinPhoneSDK16ChatRoomDelegateC48onParticipantRegistrationUnsubscriptionRequested2cr15participantAddryAA0dE0C_AA7AddressCtFdCallback used when a group chat room server is unsubscribing to registration state of a participant.Q///    Callback used when a group chat room server is unsubscribing to registration
///    state of a participant. 
-/// - Parameter cr: LinphoneChatRoom object 
9/// - Parameter participantAddr: LinphoneAddress object 
/// 
ö[ê.¤s:14HDLLinPhoneSDK15VideoDefinitionC5widthSuvp&Get the width of the video definition.,/// Get the width of the video definition. 
2/// - Returns: The width of the video definition 
€kd·\·s:14HDLLinPhoneSDK6FriendC30hasCapabilityWithVersionOrMore10capability7versionSbAA0dF0V_SftFMReturns whether or not a friend has a capbility with a given version or more.S///    Returns whether or not a friend has a capbility with a given version or more. 
=/// - Parameter capability: LinphoneFriendCapability object 
./// - Parameter version: the version to test 
/// 
/// 
O/// - Returns: whether or not a friend has a capbility with a given version or
 /// more. 
6«LŽ%Bs:14HDLLinPhoneSDK8ChatRoomC5leaveyyFLeave a chat room.///    Leave a chat room. 
õ‹9î(Js:14HDLLinPhoneSDK5EventC8userDataSvSgvpRetrieve user pointer./// Retrieve user pointer. 
Ôûò¸Dks:14HDLLinPhoneSDK23PushNotificationMessageC8peerAddrAA7AddressCSgvpGets the peer_addr./// Gets the peer_addr. 
/// - Returns: The peer_addr. 
7 90s:14HDLLinPhoneSDK4CallC18hasTransferPendingSbyFReturns true if this calls has received a transfer that has not been executed yet. Pending transfers are executed when this call is being paused or closed, locally or by remote endpoint. If the call is already paused while receiving the transfer request, the transfer immediately occurs.R///    Returns true if this calls has received a transfer that has not been executed
 
///    yet. 
M/// Pending transfers are executed when this call is being paused or closed,
Q/// locally or by remote endpoint. If the call is already paused while receiving
</// the transfer request, the transfer immediately occurs. 
!ëÑËE²s:14HDLLinPhoneSDK9CallStatsC27latePacketsCumulativeNumbers6UInt64Vvp+Gets the cumulative number of late packets.1/// Gets the cumulative number of late packets. 
6/// - Returns: The cumulative number of late packets 
p+Ûµ–^As:14HDLLinPhoneSDK16ChatRoomDelegateC02onD15MessageReceived2cr8eventLogyAA0dE0C_AA05EventL0CtFJCallback used to notify a chat room that a chat message has been received.P///    Callback used to notify a chat room that a chat message has been received. 
-/// - Parameter cr: LinphoneChatRoom object 
E/// - Parameter eventLog: LinphoneEventLog The event to be notified 
/// 
ý-Ëzt7Ös:14HDLLinPhoneSDK4CoreC25qrcodeVideoPreviewEnabledSbvp/Tells whether QRCode is enabled in the preview.5/// Tells whether QRCode is enabled in the preview. 
R/// - Returns: A boolean value telling whether QRCode is enabled in the preview. 
Ô/ Ùì5vs:14HDLLinPhoneSDK20PresenceActivityTypeO5LunchyA2CmF,The person is eating his or her midday meal.2/// The person is eating his or her midday meal. 
g7;eeGss:14HDLLinPhoneSDK6ConfigC7getBool7section3key12defaultValueSbSS_SSSbtFŸRetrieves a configuration item as a boolean, given its section, key, and default value. The default boolean value is returned if the config item isn’t found.M///    Retrieves a configuration item as a boolean, given its section, key, and
///    default value. 
K/// The default boolean value is returned if the config item isn't found. 
9kNô9Bs:14HDLLinPhoneSDK7AddressC9transportAA13TransportTypeOvpGet the transport./// Get the transport. 
KKL$+ås:14HDLLinPhoneSDK4CoreC13audioJittcompSivp=Returns the nominal audio jitter buffer size in milliseconds.C/// Returns the nominal audio jitter buffer size in milliseconds. 
E/// - Returns: The nominal audio jitter buffer size in milliseconds 
pM{/=s:14HDLLinPhoneSDK4CoreC29friendListSubscriptionEnabledSbSgvpJSets whether or not to start friend lists subscription when in foreground.P/// Sets whether or not to start friend lists subscription when in foreground. 
>/// - Parameter enable: whether or not to enable the feature 
/// 
ŸO˰….Ls:14HDLLinPhoneSDK6TunnelC4ModeO7DisableyA2EmFThe tunnel is disabled./// The tunnel is disabled. 
MPû8Ã8es:14HDLLinPhoneSDK23PushNotificationMessageC7subjectSSvpGets the subject./// Gets the subject. 
/// - Returns: The subject. 
8Q«ò(”s:14HDLLinPhoneSDK6ReasonO7IOErroryA2CmF;Transport error: connection failures, disconnections etc…A/// Transport error: connection failures, disconnections etc... 
”Q çjP´s:14HDLLinPhoneSDK6ConfigC24setOverwriteFlagForEntry7section3key5valueySS_SSSbtFKSets the overwrite flag for a config item (used when dumping config as xml)Q///    Sets the overwrite flag for a config item (used when dumping config as xml) 
5R‹<‹7/s:14HDLLinPhoneSDK13ImNotifPolicyC15recvIsComposingSbvpITell whether is_composing notifications are being notified when received.O/// Tell whether is_composing notifications are being notified when received. 
R/// - Returns: Boolean value telling whether is_composing notifications are being
/// notified when received. 
bS[]4s:14HDLLinPhoneSDK20PresenceActivityTypeO4MealyA2CmFuThe person is scheduled for a meal, without specifying whether it is breakfast, lunch, or dinner, or some other meal.T/// The person is scheduled for a meal, without specifying whether it is breakfast,
+/// lunch, or dinner, or some other meal. 
hT‹É9)rs:14HDLLinPhoneSDK6FriendC8userDataSvSgvp*Retrieve user data associated with friend.0/// Retrieve user data associated with friend. 
+]ëã2Ms:14HDLLinPhoneSDK12CallDelegateC14onStatsUpdated4call5statsyAA0D0C_AA0dG0CtF4Callback for receiving quality statistics for calls.:///    Callback for receiving quality statistics for calls. 
I/// - Parameter call: LinphoneCall object whose statistics are notified 
1/// - Parameter stats: LinphoneCallStats object 
/// 
í],³_Ìs:14HDLLinPhoneSDK12CoreDelegateC21onPublishStateChanged2lc3lev5stateyAA0D0C_AA5EventCAA0gH0OtFQCallback prototype for notifying the application about changes of publish states.N///    Callback prototype for notifying the application about changes of publish
 ///    states. 
%]kÖ=Bs:14HDLLinPhoneSDK14AccountCreatorC6StatusO0D9ActivatedyA2EmFAccount activated./// Account activated. 
I^«øEns:14HDLLinPhoneSDK23PushNotificationMessageC9localAddrAA7AddressCSgvpGets the local_addr./// Gets the local_addr. 
 /// - Returns: The local_addr. 
6^ëX+šs:14HDLLinPhoneSDK11ChatMessageC6callIdSSvp,Gets the callId accociated with the message.2/// Gets the callId accociated with the message. 
/// - Returns: the call Id 
Œ`ËÈ5G s:14HDLLinPhoneSDK12CallDelegateC14onDtmfReceived4call4dtmfyAA0D0C_SitF.Callback for being notified of received DTMFs.4///    Callback for being notified of received DTMFs. 
B/// - Parameter call: LinphoneCall object that received the dtmf 
2/// - Parameter dtmf: The ascii code of the dtmf 
/// 
ëb+Ô.^s:14HDLLinPhoneSDK4CallC5StateO8ReleasedyA2EmF The call object is now released.&/// The call object is now released. 
äeKæütøs:14HDLLinPhoneSDK22LoggingServiceDelegateC19onLogMessageWritten03logE06domain3lev7messageyAA0dE0C_SSAA0H5LevelVSStFCType of callbacks called each time liblinphone write a log message.I///    Type of callbacks called each time liblinphone write a log message. 
I/// - Parameter logService: A pointer on the logging service singleton. 
Q/// - Parameter domain: A string describing which sub-library of liblinphone the
/// message is coming from. 
6/// - Parameter lev: Verbosity level of the message. 
2/// - Parameter message: Content of the message. 
/// 
8f sÕ#³s:14HDLLinPhoneSDK8ChatRoomC5StateOKLinphoneChatRoomState is used to indicate the current state of a chat room.P///LinphoneChatRoomState is used to indicate the current state of a chat room. 
ºh«ä†)šs:14HDLLinPhoneSDK20ConsolidatedPresenceO6Consolidated presence information: â€˜online’ means the user is open for communication, â€˜busy’ means the user is open for communication but involved in an other activity, â€˜do not disturb’ means the user is not open for communication, and â€˜offline’ means that no presence information is available.J///Consolidated presence information: 'online' means the user is open for
R///communication, 'busy' means the user is open for communication but involved in
F///an other activity, 'do not disturb' means the user is not open for
R///communication, and 'offline' means that no presence information is available. 
$j›iè.`s:14HDLLinPhoneSDK11ChatMessageC9messageIdSSvpvGet the message identifier. It is used to identify a message so that it can be notified as delivered and/or displayed.!/// Get the message identifier. 
T/// It is used to identify a message so that it can be notified as delivered and/or
/// displayed. 
/// 
(/// - Returns: The message identifier. 
£j  ½>2s:14HDLLinPhoneSDK14AccountCreatorC02isD9ActivatedAC6StatusOyF<Send a request to know if an account is activated on server.B///    Send a request to know if an account is activated on server. 
S/// - Returns: LinphoneAccountCreatorStatusRequestOk if the request has been sent,
9/// LinphoneAccountCreatorStatusRequestFailed otherwise 
Šmûô™3•s:14HDLLinPhoneSDK8ChatRoomC17ephemeralLifetimeSivp’Get lifetime (in seconds) for all new ephemeral messages in the chat room. After the message is read, it will be deleted after â€œtime” seconds.P/// Get lifetime (in seconds) for all new ephemeral messages in the chat room. 
I/// After the message is read, it will be deleted after "time" seconds. 
/// 
5/// - Returns: the ephemeral lifetime (in secoonds) 
ÍtûKj)ºs:14HDLLinPhoneSDK8EventLogC8notifyIdSuvp5Returns the notify id of a conference notified event.;/// Returns the notify id of a conference notified event. 
*/// - Returns: The conference notify id. 
éu›q0„s:14HDLLinPhoneSDK4CoreC18resetLogCollectionyyFZ3Reset the log collection by removing the log files.9///    Reset the log collection by removing the log files. 
d}[œP{s:14HDLLinPhoneSDK6ConfigC15getDefaultFloat7section3key12defaultValueSfSS_SSSftF£Retrieves a default configuration item as a float, given its section, key, and default value. The default float value is returned if the config item isn’t found.S///    Retrieves a default configuration item as a float, given its section, key, and
///    default value. 
I/// The default float value is returned if the config item isn't found. 
~;vðEOs:14HDLLinPhoneSDK13PresenceModelC7addNote11noteContent4langySS_SStKF Adds a note to a presence model.
&///    Adds a note to a presence model. 
J/// - Parameter noteContent: The note to be added to the presence model. 
M/// - Parameter lang: The language of the note to be added. Can be nil if no
//// language is to be specified for the note. 
/// 
/// 
>/// - Returns: 0 if successful, a value < 0 in case of error.
/// 
T/// Only one note for each language can be set, so e.g. setting a note for the 'fr'
B/// language if there is only one will replace the existing one. 
Õ›H(¡s:14HDLLinPhoneSDK4CoreC10tlsKeyPathSSvp"Gets the path to the TLS key file.(/// Gets the path to the TLS key file. 
7/// - Returns: the TLS key path or nil if not set yet 
ö‚k»".hs:14HDLLinPhoneSDK8ChatRoomC13deleteHistoryyyF%Delete all messages from the history.+///    Delete all messages from the history. 
èƒ[lÚ8As:14HDLLinPhoneSDK12SearchResultC7addressAA7AddressCSgvp)/// - Returns: LinphoneAddress associed 
?Š»®Û/Ts:14HDLLinPhoneSDK17RegistrationStateO2OkyA2CmFRegistration is successful.!/// Registration is successful. 
¥+¾0(ýs:14HDLLinPhoneSDK4CoreC10incTimeoutSivpMReturns the incoming call timeout See {@link Core#setIncTimeout} for details.S/// Returns the incoming call timeout See {@link Core#setIncTimeout} for details. 
=/// - Returns: The current incoming call timeout in seconds 
¨‘›@¹5˜s:14HDLLinPhoneSDK6ConfigC10hasSection7sectionSiSS_tF=Returns 1 if a given section is present in the configuration.C///    Returns 1 if a given section is present in the configuration. 
*“»\cAs:14HDLLinPhoneSDK22AccountCreatorDelegateC04onIsD5Exist7creator6status4respyAA0dE0C_AI6StatusOSStF(Callback to notify a response of server..///    Callback to notify a response of server. 
8/// - Parameter creator: LinphoneAccountCreator object 
P/// - Parameter status: The status of the LinphoneAccountCreator test existence
&/// operation that has just finished 
/// 
ß™ o)<Ñs:14HDLLinPhoneSDK11ProxyConfigC22unreadChatMessageCountSivp>Return the unread chat message count for a given proxy config.D/// Return the unread chat message count for a given proxy config. 
//// - Returns: The unread chat message count. 
%™›èÒJPs:14HDLLinPhoneSDK6ConfigC8setRange7section3key8minValue03maxJ0ySS_SSS2itFSets a range config item.///    Sets a range config item. 
7š+¨¦Fps:14HDLLinPhoneSDK12EventLogTypeO29ConferenceParticipantSetAdminyA2CmF)Conference participant (set admin) event.//// Conference participant (set admin) event. 
3›Ë‹Fb9s:14HDLLinPhoneSDK16ChatRoomDelegateC24onParticipantDeviceAdded2cr8eventLogyAA0dE0C_AA05EventM0CtFFCallback used to notify a chat room that a participant has been added.L///    Callback used to notify a chat room that a participant has been added. 
-/// - Parameter cr: LinphoneChatRoom object 
E/// - Parameter eventLog: LinphoneEventLog The event to be notified 
/// 
ÿ›;f%/s:14HDLLinPhoneSDK4CoreC18reloadVideoDevicesyyF¬Update detection of camera devices. Use this function when the application is notified of USB plug events, so that list of available hardwares for video capture is updated.)///    Update detection of camera devices. 
S/// Use this function when the application is notified of USB plug events, so that
?/// list of available hardwares for video capture is updated. 
ŒŸ‹8Ä9„s:14HDLLinPhoneSDK18EcCalibratorStatusO10InProgressyA2CmF3The echo canceller calibration process is on going.9/// The echo canceller calibration process is on going. 
& ë†²8˜s:14HDLLinPhoneSDK20PresenceActivityTypeO8ShoppingyA2CmF=The person is visiting stores in search of goods or services.C/// The person is visiting stores in search of goods or services. 
p »þŠ,s:14HDLLinPhoneSDK4CoreC15enterForegroundyyFlThis method is called by the application to notify the linphone core library when it enters foreground mode.Q///    This method is called by the application to notify the linphone core library
%///    when it enters foreground mode. 
T¡ëäD2Ós:14HDLLinPhoneSDK10CallParamsC13sentFramerateSfvp,Get the framerate of the video that is sent.2/// Get the framerate of the video that is sent. 
U/// - Returns: The actual sent framerate in frames per seconds, 0 if not available. 
V£ æ6ûs:14HDLLinPhoneSDK11PayloadTypeC6enable7enabledSiSb_tFEnable/disable a payload type.$///    Enable/disable a payload type. 
H/// - Parameter enabled: Set true for enabling and true for disabling. 
/// 
/// 
//// - Returns: 0 for success, -1 for failure. 
®¤«>3CDs:14HDLLinPhoneSDK14AccountCreatorC14UsernameStatusO8TooShortyA2EmFUsername too short./// Username too short. 
l¤ËO¤A%s:14HDLLinPhoneSDK4CoreC27setLogCollectionMaxFileSize4sizeySi_tFZ.Set the max file size in bytes of the files used for log collection. Warning: this function should only not be used to change size dynamically but instead only before calling - See also: linphone_core_enable_log_collection. If you increase max size on runtime, logs chronological order COULD be broken.J///    Set the max file size in bytes of the files used for log collection. 
R/// Warning: this function should only not be used to change size dynamically but
T/// instead only before calling - See also: linphone_core_enable_log_collection. If
Q/// you increase max size on runtime, logs chronological order COULD be broken. 
/// 
K/// - Parameter size: The max file size in bytes of the files used for log
/// collection. 
/// 
f§«ƒÉ_s:14HDLLinPhoneSDK10StreamTypeO!Enum describing the stream types.&///Enum describing the stream types. 
¯©Ë
ÞLs:14HDLLinPhoneSDK8DialPlanCRepresents a dial plan./// Represents a dial plan. 
³­»Žµ4‚s:14HDLLinPhoneSDK18EcCalibratorStatusO6FailedyA2CmF2The echo canceller calibration process has failed.8/// The echo canceller calibration process has failed. 
(­û»ã5ºs:14HDLLinPhoneSDK6FriendC9addressesSayAA7AddressCGvp*Returns a list of Address for this friend.2/// Returns a list of `Address` for this friend. 
>/// - Returns: A list of `Address` objects. LinphoneAddress  
¯›V%<Zs:14HDLLinPhoneSDK12EventLogTypeO19ConferenceCallStartyA2CmFConference call (start) event.$/// Conference call (start) event. 
.° 6Ks:14HDLLinPhoneSDK6ConfigC8getInt647section3key12defaultValues0F0VSS_SSAItF¦Retrieves a configuration item as a 64 bit integer, given its section, key, and default value. The default integer value is returned if the config item isn’t found.T///    Retrieves a configuration item as a 64 bit integer, given its section, key, and
///    default value. 
K/// The default integer value is returned if the config item isn't found. 
 ±;‘[7rs:14HDLLinPhoneSDK11ProxyConfigC8avpfModeAA8AVPFModeOvpDGet enablement status of RTCP feedback (also known as AVPF profile).J/// Get enablement status of RTCP feedback (also known as AVPF profile). 
J/// - Returns: the enablement mode, which can be LinphoneAVPFDefault (use
D/// LinphoneCore's mode), LinphoneAVPFEnabled (avpf is enabled), or
&/// LinphoneAVPFDisabled (disabled). 
´Ë[_+@s:14HDLLinPhoneSDK8AVPFModeO8DisabledyA2CmFAVPF is disabled./// AVPF is disabled. 
¶{‰îQŸs:14HDLLinPhoneSDK4CoreC18findContactsByChar6filter7sipOnlySayAA7AddressCGSS_SbtF,Retrieves a list of Address sort and filter.4///    Retrieves a list of `Address` sort and filter. 
4/// - Parameter filter: Chars used for the filter* 
2/// - Parameter sipOnly: Only sip address or not 
/// 
/// 
P/// - Returns: A list of `Address` objects. LinphoneAddress  a list of filtered
7/// `Address` + the `Address` created with the filter 
Z¸)_:´s:14HDLLinPhoneSDK4CoreC28ringDuringIncomingEarlyMediaSbvpKTells whether the ring play is enabled during an incoming early media call.Q/// Tells whether the ring play is enabled during an incoming early media call. 
Úº»n5/<s:14HDLLinPhoneSDK6ReasonO13ServerTimeoutyA2CmFServer timeout./// Server timeout. 
 ¾ëUVÆs:14HDLLinPhoneSDK19ChatMessageDelegateC17onMsgStateChanged3msg5stateyAA0dE0C_AH0I0OtF1Call back used to notify message delivery status.7///    Call back used to notify message delivery status. 
1/// - Parameter msg: LinphoneChatMessage object 
/// 
óËë‚Í0žs:14HDLLinPhoneSDK9CallStatsC13localLossRateSfvp*Get the local loss rate since last report.0/// Get the local loss rate since last report. 
$/// - Returns: The local loss rate 
rÏ˛ø%vs:14HDLLinPhoneSDK4CallC9oglRenderyyF,Call generic OpenGL render for a given call.2///    Call generic OpenGL render for a given call. 
ϋÐA7ãs:14HDLLinPhoneSDK16ConferenceParamsC12videoEnabledSbvp:Check whether video will be enable at conference starting.@/// Check whether video will be enable at conference starting. 
I/// - Returns: if true, the video will be enable at conference starting 
ÏûLÒ5õs:14HDLLinPhoneSDK4CoreC22getLogCollectionPrefixSSvpZEGet the prefix of the filenames that will be used for log collection.K/// Get the prefix of the filenames that will be used for log collection. 
E/// - Returns: The prefix of the filenames used for log collection. 
aÏë¯,ís:14HDLLinPhoneSDK4CoreC14delayedTimeoutSivpHGets the delayed timeout See {@link Core#setDelayedTimeout} for details.N/// Gets the delayed timeout See {@link Core#setDelayedTimeout} for details. 
7/// - Returns: The current delayed timeout in seconds 
Ð[ÔÑVŠs:14HDLLinPhoneSDK10CallParamsC29clearCustomSdpMediaAttributes4typeyAA10StreamTypeO_tFtClear the custom SDP attributes related to a specific stream in the SDP exchanged within SIP messages during a call.L///    Clear the custom SDP attributes related to a specific stream in the SDP
2///    exchanged within SIP messages during a call. 
P/// - Parameter type: The type of the stream to clear the custom SDP attributes
 /// from. 
/// 
eÐ[Eg0s:14HDLLinPhoneSDK4CallC8chatRoomAA04ChatF0CSgvp¾Create a new chat room for messaging from a call if not already existing, else return existing one. No reference is given to the caller: the chat room will be deleted when the call is ended.S/// Create a new chat room for messaging from a call if not already existing, else
/// return existing one. 
P/// No reference is given to the caller: the chat room will be deleted when the
/// call is ended. 
/// 
;/// - Returns: `ChatRoom` where messaging can take place. 
ìÑ[(LH's:14HDLLinPhoneSDK4CoreC24mediaEncryptionSupported4mencSbAA05MediaF0O_tF.Check if a media encryption type is supported.4///    Check if a media encryption type is supported. 
//// - Parameter menc: LinphoneMediaEncryption 
/// 
/// 
T/// - Returns: whether a media encryption scheme is supported by the `Core` engine 
{Ó[ÕAs:14HDLLinPhoneSDK8ChatRoomC18composingAddressesSayAA7AddressCGvp;Gets the list of participants that are currently composing.A/// Gets the list of participants that are currently composing. 
T/// - Returns: A list of `Address` objects. LinphoneAddress  list of addresses that
#/// are in the is_composing state 
ÇÓ fµBós:14HDLLinPhoneSDK10CallParamsC15getCustomHeader10headerNameS2S_tFGet a custom SIP header.///    Get a custom SIP header. 
</// - Parameter headerName: The name of the header to get. 
/// 
/// 
?/// - Returns: The content of the header or nil if not found. 
gÖ[ EBBs:14HDLLinPhoneSDK14AccountCreatorC14PasswordStatusO7TooLongyA2EmFPassword too long./// Password too long. 
cÖkd=6s:14HDLLinPhoneSDK14AccountCreatorC14UsernameStatusO2OkyA2EmF Username ok./// Username ok. 
kÙkTý,Rs:14HDLLinPhoneSDK12PublishStateO4NoneyA2CmFInitial state, do not use. /// Initial state, do not use. 
…Û»ÆÉms:14HDLLinPhoneSDK10CallParamsC26addCustomSdpMediaAttribute4type13attributeName0L5ValueyAA10StreamTypeO_S2StFkAdd a custom attribute related to a specific stream in the SDP exchanged within SIP messages during a call.T///    Add a custom attribute related to a specific stream in the SDP exchanged within
!///    SIP messages during a call. 
P/// - Parameter type: The type of the stream to add a custom SDP attribute to. 
B/// - Parameter attributeName: The name of the attribute to add. 
L/// - Parameter attributeValue: The content value of the attribute to add. 
/// 
cÛ˛H:Ìs:14HDLLinPhoneSDK6ConfigC13newFromBuffer6bufferACSgSS_tFZµInstantiates a Config object from a user provided buffer. The caller of this constructor owns a reference. linphone_config_unref must be called when this object is no longer needed. A///    Instantiates a `Config` object from a user provided buffer. 
S/// The caller of this constructor owns a reference. linphone_config_unref must be
1/// called when this object is no longer needed.
/// 
Q/// - Parameter buffer: the buffer from which the `Config` will be retrieved. We
./// expect the buffer to be null-terminated. 
/// 
/// 
2/// - See also: linphone_config_new_with_factory 
/// 
%/// - See also: linphone_config_new 
Ûk-Î@…s:14HDLLinPhoneSDK4CoreC16setTextPortRange03minG003maxG0ySi_SitFWSets the UDP port range from which to randomly select the port used for text streaming.Q///    Sets the UDP port range from which to randomly select the port used for text
///    streaming. 
H/// - Parameter minPort: The lower bound of the text port range to use 
H/// - Parameter maxPort: The upper bound of the text port range to use 
/// 
˜ÝÛQ5ùs:14HDLLinPhoneSDK17ParticipantDeviceC8userDataSvSgvpERetrieve the user pointer associated with the participant’s device.I/// Retrieve the user pointer associated with the participant's device. 
K/// - Returns: The user pointer associated with the participant's device. 
šÞËZÕ1©s:14HDLLinPhoneSDK11ChatMessageC11contentTypeSSvp'Get the content type of a chat message.-/// Get the content type of a chat message. 
5/// - Returns: The content type of the chat message 
Žß;[Ë1æs:14HDLLinPhoneSDK11ChatMessageC11isEphemeralSbvp¬Returns true if the chat message is an ephemeral message. An ephemeral message will automatically disappear from the recipient’s screen after the message has been viewed.?/// Returns true if the chat message is an ephemeral message. 
R/// An ephemeral message will automatically disappear from the recipient's screen
(/// after the message has been viewed. 
/// 
D/// - Returns: true if it is an ephemeral message, false otherwise 
šáû8•(Ès:14HDLLinPhoneSDK6TunnelC9activatedSbvp£Returns whether the tunnel is activated. If mode is set to auto, this gives indication whether the automatic detection determined that tunnel was necessary or not../// Returns whether the tunnel is activated. 
R/// If mode is set to auto, this gives indication whether the automatic detection
2/// determined that tunnel was necessary or not. 
/// 
6/// - Returns:  if tunnel is in use, true otherwise. 
PãÛË¢>Zs:14HDLLinPhoneSDK12EventLogTypeO21ConferenceChatMessageyA2CmFConference chat message event.$/// Conference chat message event. 
0櫪ã-'s:14HDLLinPhoneSDK8ChatRoomC4callAA4CallCSgvpkget Curent Call associated to this chatroom if any To commit a message, use linphone_chat_room_send_messageP/// get Curent Call associated to this chatroom if any To commit a message, use
%/// linphone_chat_room_send_message 
/// - Returns: `Call` or nil. 
Äè[ö3Js:14HDLLinPhoneSDK15SubscriptionDirO8OutgoingyA2CmFOutgoing subscription./// Outgoing subscription. 
¶è› B@s:14HDLLinPhoneSDK14AccountCreatorC14UsernameStatusO7InvalidyA2EmFInvalid username./// Invalid username. 
oê+;)Ù
s:14HDLLinPhoneSDK4CallC11deferUpdateyyKFÃWhen receiving a #LinphoneCallUpdatedByRemote state notification, prevent Core from performing an automatic answer. When receiving a #LinphoneCallUpdatedByRemote state notification (ie an incoming reINVITE), the default behaviour of Core is defined by the â€œdefer_update_default” option of the â€œsip” section of the config. If this option is 0 (the default) then the Core automatically answers the reINIVTE with call parameters unchanged. However when for example when the remote party updated the call to propose a video stream, it can be useful to prompt the user before answering. This can be achieved by calling linphone_core_defer_call_update during the call state notification, to deactivate the automatic answer that would just confirm the audio but reject the video. Then, when the user responds to dialog prompt, it becomes possible to call {@link Call#acceptUpdate} to answer the reINVITE, with eventually video enabled in the CallParams argument.N///    When receiving a #LinphoneCallUpdatedByRemote state notification, prevent
1///    `Core` from performing an automatic answer. 
L/// When receiving a #LinphoneCallUpdatedByRemote state notification (ie an
J/// incoming reINVITE), the default behaviour of `Core` is defined by the
N/// "defer_update_default" option of the "sip" section of the config. If this
Q/// option is 0 (the default) then the `Core` automatically answers the reINIVTE
S/// with call parameters unchanged. However when for example when the remote party
T/// updated the call to propose a video stream, it can be useful to prompt the user
6/// before answering. This can be achieved by calling
K/// linphone_core_defer_call_update during the call state notification, to
Q/// deactivate the automatic answer that would just confirm the audio but reject
R/// the video. Then, when the user responds to dialog prompt, it becomes possible
T/// to call {@link Call#acceptUpdate} to answer the reINVITE, with eventually video
*/// enabled in the `CallParams` argument.
/// 
T/// The #LinphoneCallUpdatedByRemote notification can also arrive when receiving an
S/// INVITE without SDP. In such case, an unchanged offer is made in the 200Ok, and
8/// when the ACK containing the SDP answer is received,
T/// #LinphoneCallUpdatedByRemote is triggered to notify the application of possible
R/// changes in the media session. However in such case defering the update has no
//// meaning since we just generating an offer.
/// 
T/// - Returns: 0 if successful, -1 if the {@link Call#deferUpdate} was done outside
7/// a valid #LinphoneCallUpdatedByRemote notification 
ô[¢Ö<*s:14HDLLinPhoneSDK20PresenceActivityTypeO11PerformanceyA2CmF€A performance is a sub-class of an appointment and includes musical, theatrical, and cinematic performances as well as lectures.I/// A performance is a sub-class of an appointment and includes musical,
A/// theatrical, and cinematic performances as well as lectures. 
lø;™â3·s:14HDLLinPhoneSDK9CallStatsC16receiverLossRateSfvp5Gets the remote reported loss rate since last report.;/// Gets the remote reported loss rate since last report. 
'/// - Returns: The receiver loss rate 
tûÛãŠ)Ïs:14HDLLinPhoneSDK4CallC4coreAA4CoreCSgvp1Get the core that has created the specified call.7/// Get the core that has created the specified call. 
G/// - Returns: The `Core` object that has created the specified call. 
îü[Ô¡A s:14HDLLinPhoneSDK8ChatRoomC16currentCallbacksAA0dE8DelegateCSgvp»Gets the current LinphoneChatRoomCbs. This is meant only to be called from a callback to be able to get the user_data associated with the LinphoneChatRoomCbs that is calling the callback.+/// Gets the current LinphoneChatRoomCbs. 
T/// This is meant only to be called from a callback to be able to get the user_data
K/// associated with the LinphoneChatRoomCbs that is calling the callback. 
/// 
J/// - Returns: The LinphoneChatRoomCbs that has called the last callback 
Êü À@*€s:14HDLLinPhoneSDK11GlobalStateO3OffyA2CmF2State in which we’re in after {@link Core#stop}.6/// State in which we're in after {@link Core#stop}. 
>ÿì};æs:14HDLLinPhoneSDK4CoreC15proxyConfigListSayAA05ProxyF0CGvp=Returns an unmodifiable list of entered proxy configurations.C/// Returns an unmodifiable list of entered proxy configurations. 
F/// - Returns: A list of `ProxyConfig` objects. LinphoneProxyConfig  
Óü‚0$‹s:14HDLLinPhoneSDK15SubscriptionDirO7Enum for subscription direction (incoming or outgoing).<///Enum for subscription direction (incoming or outgoing). 
´b=,s:14HDLLinPhoneSDK7CallLogC3dirAA0D0C3DirOvpGet the direction of the call.$/// Get the direction of the call. 
+/// - Returns: The direction of the call. 
5lDÂ:@s:14HDLLinPhoneSDK11ChatMessageC9DirectionO8OutgoingyA2EmFOutgoing message./// Outgoing message. 
lŠ Ps:14HDLLinPhoneSDK16ChatRoomDelegateC14onStateChanged2cr03newH0yAA0dE0C_AH0H0OtF6Callback used to notify a chat room state has changed.<///    Callback used to notify a chat room state has changed. 
-/// - Parameter cr: LinphoneChatRoom object 
:/// - Parameter newState: The new state of the chat room 
/// 
õ    |†äA~s:14HDLLinPhoneSDK5EventC16denySubscription6reasonyAA6ReasonO_tKF0Deny an incoming subscription with given reason.6///    Deny an incoming subscription with given reason. 
×|¦Ë'§s:14HDLLinPhoneSDK18EcCalibratorStatusOEEnum describing the result of the echo canceller calibration process.J///Enum describing the result of the echo canceller calibration process. 
%üéÿ5µs:14HDLLinPhoneSDK4CoreC23migrateToMultiTransportyyKFÞMigrate configuration so that all SIP transports are enabled. Versions of linphone < 3.7 did not support using multiple SIP transport simultaneously. This function helps application to migrate the configuration so that all transports are enabled. Existing proxy configuration are added a transport parameter so that they continue using the unique transport that was set previously. This function must be used just after creating the core, before any call to {@link Core#iterate}
C///    Migrate configuration so that all SIP transports are enabled. 
L/// Versions of linphone < 3.7 did not support using multiple SIP transport
T/// simultaneously. This function helps application to migrate the configuration so
N/// that all transports are enabled. Existing proxy configuration are added a
R/// transport parameter so that they continue using the unique transport that was
T/// set previously. This function must be used just after creating the core, before
&/// any call to {@link Core#iterate} 
/// 
M/// - Returns: 1 if migration was done, 0 if not done because unnecessary or
(/// already done, -1 in case of error. 
}%\—®/Ns:14HDLLinPhoneSDK4CoreC17limeX3DhServerUrlSSvpGet the x3dh server url./// Get the x3dh server url. 
´&,P1Œs:14HDLLinPhoneSDK14ZrtpPeerStatusO7UnknownyA2CmF7Peer URI unkown or never validated/invalidated the SAS.=/// Peer URI unkown or never validated/invalidated the SAS. 
Ô&œX/##s:14HDLLinPhoneSDK4CoreC7iterateyyFMMain loop function. It is crucial that your application call it periodically.///    Main loop function. 
>/// It is crucial that your application call it periodically.
/// 
=/// {@link Core#iterate} performs various backgrounds tasks:
/// 
w&ÜZ`F¯s:14HDLLinPhoneSDK7FactoryC19enableLogCollection5stateyAA0fG5StateO_tF#Enables or disables log collection.)///    Enables or disables log collection. 
6/// - Parameter state: the policy for log collection 
/// 
*¬éƒcxs:14HDLLinPhoneSDK11ChatMessageC26getParticipantsByImdnState5stateSayAA011ParticipantiJ0CGAC0J0O_tFvGets the list of participants for which the imdn state has reached the specified state and the time at which they did. K///    Gets the list of participants for which the imdn state has reached the
5///    specified state and the time at which they did. 
T/// - Parameter state: The LinphoneChatMessageState the imdn have reached (only use
P/// LinphoneChatMessageStateDelivered, LinphoneChatMessageStateDeliveredToUser,
Q/// LinphoneChatMessageStateDisplayed and LinphoneChatMessageStateNotDelivered) 
/// 
/// 
9/// - Returns: A list of `ParticipantImdnState` objects.
T/// LinphoneParticipantImdnState  The objects inside the list are freshly allocated
L/// with a reference counter equal to one, so they need to be freed on list
B/// destruction with bctbx_list_free_with_data() for instance.   
²-œp@<s:14HDLLinPhoneSDK14AccountCreatorC6StatusO13RequestFailedyA2EmFRequest failed./// Request failed. 
>9ü][ds:14HDLLinPhoneSDK12CoreDelegateC33onChatRoomEphemeralMessageDeleted2lc2cryAA0D0C_AA0gH0CtFQCallback prototype telling that a LinphoneChatRoom ephemeral message has expired.M///    Callback prototype telling that a LinphoneChatRoom ephemeral message has
///    expired. 
)/// - Parameter lc: LinphoneCore object 
R/// - Parameter cr: The LinphoneChatRoom object for which a message has expired. 
/// 
0;Ì ú7ts:14HDLLinPhoneSDK11ChatMessageC11fromAddressAA0G0CSgvpGet origin of the message. /// Get origin of the message. 
/// - Returns: `Address` 
™>,¢?Rs:14HDLLinPhoneSDK6ConfigC9setString7section3key5valueySS_S2StFSets a string config item. ///    Sets a string config item. 
:B-·OÛs:14HDLLinPhoneSDK6ConfigC13getStringList7section3key07defaultG0SaySSGSS_SSAHtFžRetrieves a configuration item as a list of strings, given its section, key, and default value. The default value is returned if the config item is not found.
Q///    Retrieves a configuration item as a list of strings, given its section, key,
///    and default value. 
D/// The default value is returned if the config item is not found. 
/// 
R/// - Parameter section: The section from which to retrieve a configuration item 
E/// - Parameter key: The name of the configuration item to retrieve 
L/// - Parameter defaultList: A list of const char * objects. const char *  
/// 
/// 
>/// - Returns: A list of const char * objects. const char *  
(Dl    "8Ñs:14HDLLinPhoneSDK10CallParamsC19lowBandwidthEnabledSbvpòTell whether the call has been configured in low bandwidth mode or not. This mode can be automatically discovered thanks to a stun server when activate_edge_workarounds=1 in section [net] of configuration file. An application that would have reliable way to know network capacity may not use activate_edge_workarounds=1 but instead manually configure low bandwidth mode with {@link CallParams#enableLowBandwidth}. When enabled, this param may transform a call request with video in audio only mode.
M/// Tell whether the call has been configured in low bandwidth mode or not. 
K/// This mode can be automatically discovered thanks to a stun server when
K/// activate_edge_workarounds=1 in section [net] of configuration file. An
R/// application that would have reliable way to know network capacity may not use
R/// activate_edge_workarounds=1 but instead manually configure low bandwidth mode
M/// with {@link CallParams#enableLowBandwidth}. When enabled, this param may
=/// transform a call request with video in audio only mode. 
/// 
O/// - Returns: A boolean value telling whether the low bandwidth mode has been
/// configured/detected. 
LFÜ^X?^s:14HDLLinPhoneSDK4CallC34requestNotifyNextVideoFrameDecodedyyFšRequest the callback passed to linphone_call_cbs_set_next_video_frame_decoded to be called the next time the video decoder properly decodes a video frame.R///    Request the callback passed to linphone_call_cbs_set_next_video_frame_decoded
R///    to be called the next time the video decoder properly decodes a video frame. 
"F ±5òs:14HDLLinPhoneSDK17SubscriptionStateO8ExpiringyA2CmFdSubscription is about to expire, only sent if [sip]->refresh_generic_subscribe property is set to 0.S/// Subscription is about to expire, only sent if [sip]->refresh_generic_subscribe
/// property is set to 0. 
ÀJý2+Ìs:14HDLLinPhoneSDK13ImNotifPolicyC5clearyyFQClear an IM notif policy (deactivate all receiving and sending of notifications).F///    Clear an IM notif policy (deactivate all receiving and sending of
///    notifications). 
gL Ù:s:14HDLLinPhoneSDK9NatPolicyC23tlsTurnTransportEnabledSbvpGTells whether TLS TURN transport is enabled. Used when TURN is enabled.2/// Tells whether TLS TURN transport is enabled. 
 /// Used when TURN is enabled. 
/// 
M/// - Returns: Boolean value telling whether TLS TURN transport is enabled. 
ŠMlóá/§s:14HDLLinPhoneSDK4CoreC18reloadSoundDevicesyyF¸Update detection of sound devices. Use this function when the application is notified of USB plug events, so that list of available hardwares for sound playback and capture is updated.(///    Update detection of sound devices. 
S/// Use this function when the application is notified of USB plug events, so that
L/// list of available hardwares for sound playback and capture is updated. 
‹Nœ ÂQ7s:14HDLLinPhoneSDK16ChatRoomDelegateC17onMessageReceived2cr3msgyAA0dE0C_AA0dH0CtFECallback used to notify a chat room that a message has been received.K///    Callback used to notify a chat room that a message has been received. 
-/// - Parameter cr: LinphoneChatRoom object 
E/// - Parameter msg: The LinphoneChatMessage that has been received 
/// 
O<¦o+ºs:14HDLLinPhoneSDK4CallC6reasonAA6ReasonOvpNReturns the reason for a call termination (either error or normal termination)T/// Returns the reason for a call termination (either error or normal termination) 
ÿR¬De1¯s:14HDLLinPhoneSDK16ConferenceParamsC5cloneACSgyFClone a ConferenceParams.!///    Clone a `ConferenceParams`. 
U/// - Returns: An allocated `ConferenceParams` with the same parameters than params 
Y|B™@s:14HDLLinPhoneSDK10CallParamsC20usedVideoPayloadTypeAA0hI0CSgvp<Get the video payload type that has been selected by a call.B/// Get the video payload type that has been selected by a call. 
S/// - Returns: The selected payload type. nil is returned if no video payload type
#/// has been seleced by the call. 
[[|!;+Ös:14HDLLinPhoneSDK8ChatRoomC8userDataSvSgvp8Retrieve the user pointer associated with the chat room.>/// Retrieve the user pointer associated with the chat room. 
@/// - Returns: The user pointer associated with the chat room. 
Ýaܐÿs:14HDLLinPhoneSDK8ChatRoomCjA chat room is the place where text messages are exchanged. Can be created by {@link Core#createChatRoom}.A/// A chat room is the place where text messages are exchanged. 
4/// Can be created by {@link Core#createChatRoom}. 
¹a,œ¿9ùs:14HDLLinPhoneSDK10FriendListC20subscriptionsEnabledSbvpMGets whether subscription to NOTIFYes of all friends list are enabled or not.S/// Gets whether subscription to NOTIFYes of all friends list are enabled or not. 
9/// - Returns: Whether subscriptions are enabled or not 
Hc¼0÷@As:14HDLLinPhoneSDK4CoreC19getFriendListByName4nameAA0fG0CSgSS_tFKRetrieves the list of Friend from the core that has the given display name.S///    Retrieves the list of `Friend` from the core that has the given display name. 
,/// - Parameter name: the name of the list 
/// 
/// 
5/// - Returns: the first `FriendList` object or nil 
gdìúIís:14HDLLinPhoneSDK4CoreC32realtimeTextSetKeepaliveInterval8intervalySu_tF+Set keep alive interval for real time text.1///    Set keep alive interval for real time text. 
N/// - Parameter interval: The keep alive interval of real time text, 25000 by
/// default. 
/// 
‡d\—É"žs:14HDLLinPhoneSDK5EventC4nameSSvp@Get the name of the event as specified in the event package RFC.F/// Get the name of the event as specified in the event package RFC. 
Íf<Hs#s:14HDLLinPhoneSDK7ContentC3keySSvpEGet the key associated with a RCS file transfer message if encrypted.K/// Get the key associated with a RCS file transfer message if encrypted. 
P/// - Returns: The key to encrypt/decrypt the file associated to this content. 
Gf¬ÂŠ#Ås:14HDLLinPhoneSDK4CoreC6inCallSbyF&Tells whether there is a call running.,///    Tells whether there is a call running. 
S/// - Returns: A boolean value telling whether a call is currently running or not 
phì+?2îs:14HDLLinPhoneSDK4CallC20microphoneVolumeGainSfvpGet microphone volume gain. If the sound backend supports it, the returned gain is equal to the gain set with the system mixer.!/// Get microphone volume gain. 
Q/// If the sound backend supports it, the returned gain is equal to the gain set
/// with the system mixer. 
/// 
T/// - Returns: double Percentage of the max supported volume gain. Valid values are
H/// in [ 0.0 : 1.0 ]. In case of failure, a negative value is returned 
új, è, s:14HDLLinPhoneSDK4CoreC14primaryContactSSvpAReturns the default identity when no proxy configuration is used.G/// Returns the default identity when no proxy configuration is used. 
Ðqü• 8Ôs:14HDLLinPhoneSDK15VideoDefinitionC6equals5vdef2SbAC_tFrTells whether two VideoDefinition objects are equal (the widths and the heights are the same but can be switched).N///    Tells whether two `VideoDefinition` objects are equal (the widths and the
0///    heights are the same but can be switched). 
1/// - Parameter vdef2: `VideoDefinition` object 
/// 
/// 
Q/// - Returns: A boolean value telling whether the two `VideoDefinition` objects
/// are equal. 
‚v¡þDks:14HDLLinPhoneSDK13PresenceModelC14getNthActivity3idxAA0dH0CSgSu_tF*Gets the nth activity of a presence model.0///    Gets the nth activity of a presence model. 
Q/// - Parameter idx: The index of the activity to get (the first activity having
/// the index 0). 
/// 
/// 
K/// - Returns: A pointer to a `PresenceActivity` object if successful, nil
/// otherwise. 
Þyìu@,¶s:14HDLLinPhoneSDK4CoreC14playbackGainDbSfvp3Get playback gain in db before entering sound card.9/// Get playback gain in db before entering sound card. 
*/// - Returns: The current playback gain 
ɬà@G°s:14HDLLinPhoneSDK6ConfigC21setSkipFlagForSection7section5valueySS_SbtFISets the skip flag for a config section (used when dumping config as xml)O///    Sets the skip flag for a config section (used when dumping config as xml) 
9€|«t+½s:14HDLLinPhoneSDK4CallC7callLogAA0dF0CSgvp*Gets the call log associated to this call.0/// Gets the call log associated to this call. 
C/// - Returns: The `CallLog` associated with the specified `Call` 
ê‚Â/‚s:14HDLLinPhoneSDK11GlobalStateO8ShutdownyA2CmF2Transient state for when we call {@link Core#stop}8/// Transient state for when we call {@link Core#stop} 
AƒÌ±-Fs:14HDLLinPhoneSDK9LimeStateO9MandatoryyA2CmFLime is always used./// Lime is always used. 
L†Ü%>0ÿs:14HDLLinPhoneSDK4CoreC16networkReachableSbSgvpRThis method is called by the application to notify the linphone core library when network is reachable. Calling this method with true trigger linphone to initiate a registration process for all proxies. Calling this method disables the automatic network detection mode. It means you must call this method after each network state changes.Q/// This method is called by the application to notify the linphone core library
 /// when network is reachable. 
N/// Calling this method with true trigger linphone to initiate a registration
P/// process for all proxies. Calling this method disables the automatic network
P/// detection mode. It means you must call this method after each network state
/// changes. 
Ňl·†,@s:14HDLLinPhoneSDK12EventLogTypeO4NoneyA2CmFNo defined event./// No defined event. 
+ˆlËD€Øs:14HDLLinPhoneSDK12CoreDelegateC35onNotifyPresenceReceivedForUriOrTel2lc2lf03urilM013presenceModelyAA0D0C_AA6FriendCSSAA0hR0CtFMReports presence model change for a specific URI or phone number of a friend.S///    Reports presence model change for a specific URI or phone number of a friend. 
)/// - Parameter lc: LinphoneCore object 
+/// - Parameter lf: LinphoneFriend object 
S/// - Parameter uriOrTel: The URI or phone number for which teh presence model has
 /// changed 
7/// - Parameter presenceModel: The new presence model 
/// 
ŠÜ»Z0ús:14HDLLinPhoneSDK8ChatRoomC14nbParticipantsSivpLGet the number of participants in the chat room (that is without ourselves).R/// Get the number of participants in the chat room (that is without ourselves). 
</// - Returns: The number of participants in the chat room 
ÖŠjx$Ôs:14HDLLinPhoneSDK15ChatRoomBackendVVLinphoneChatRoomBackend is used to indicate the backend implementation of a chat room.O///LinphoneChatRoomBackend is used to indicate the backend implementation of a
///chat room. 
ŠÌó>`s:14HDLLinPhoneSDK6ConfigC18relativeFileExists8filenameSbSS_tFH/// - Returns:  if file exists relative to the to the current location 
.Œ ‡î&¢s:14HDLLinPhoneSDK7CallLogC6callIdSSvp!Get the call ID used by the call.'/// Get the call ID used by the call. 
:/// - Returns: The call ID used by the call as a string. 
4’|&z!Žs:14HDLLinPhoneSDK5VcardC3uidSSvpGets the UID of the vCard. /// Gets the UID of the vCard. 
4/// - Returns: the UID of the vCard, otherwise nil 
m’,;Å6ës:14HDLLinPhoneSDK10CallParamsC17receivedFramerateSfvp0Get the framerate of the video that is received.6/// Get the framerate of the video that is received. 
M/// - Returns: The actual received framerate in frames per seconds, 0 if not
/// available. 
Q’ì18Às:14HDLLinPhoneSDK4CoreC26adaptiveRateControlEnabledSbvp1Returns whether adaptive rate control is enabled.7/// Returns whether adaptive rate control is enabled. 
8/// - See also: {@link Core#enableAdaptiveRateControl} 
m”L ˆ>Ts:14HDLLinPhoneSDK6ConfigC7setBool7section3key5valueySS_SSSbtFSets a boolean config item.!///    Sets a boolean config item. 
0•lþ*Òs:14HDLLinPhoneSDK4CallC12recordVolumeSfvp=Get the mesured record volume level (sent to remote) in dbm0.C/// Get the mesured record volume level (sent to remote) in dbm0. 
2/// - Returns: float Volume level in percentage. 
—<­ý4vs:14HDLLinPhoneSDK20PresenceActivityTypeO4BusyyA2CmF,The person is busy, without further details.2/// The person is busy, without further details. 
b›<~)Ès:14HDLLinPhoneSDK7ContentC5partsSayACGvp+Get all the parts from a multipart content.1/// Get all the parts from a multipart content. 
R/// - Returns: A A list of `Content` objects. LinphoneContent  The objects inside
R/// the list are freshly allocated with a reference counter equal to one, so they
N/// need to be freed on list destruction with bctbx_list_free_with_data() for
B/// instance.   object holding the part if found, nil otherwise. 
Jœ,_*çs:14HDLLinPhoneSDK12PresenceNoteC4langSSvp%Gets the language of a presence note.+/// Gets the language of a presence note. 
S/// - Returns: A pointer to the language string of the presence note, or nil if no
/// language is specified. 
ç¡Ü®0s:14HDLLinPhoneSDK7FactoryC15isImdnAvailableSbvp Indicates if IMDN are available.&/// Indicates if IMDN are available. 
'/// - Returns:  if IDMN are available 
ø£\U¦Kñs:14HDLLinPhoneSDK4CoreC16inviteWithParams3url6paramsAA4CallCSgSS_AA0jG0CtFÜInitiates an outgoing call according to supplied call parameters The application doesn’t own a reference to the returned Call object. Use linphone_call_ref to safely keep the Call pointer valid within your application.
I///    Initiates an outgoing call according to supplied call parameters The
H///    application doesn't own a reference to the returned `Call` object. 
N/// Use linphone_call_ref to safely keep the `Call` pointer valid within your
/// application. 
/// 
R/// - Parameter url: The destination of the call (sip address, or phone number). 
)/// - Parameter params: Call parameters 
/// 
/// 
:/// - Returns: A `Call` object or nil in case of failure 
u¥,ˆ‚/ás:14HDLLinPhoneSDK4CallC17speakerVolumeGainSfvp|Get speaker volume gain. If the sound backend supports it, the returned gain is equal to the gain set with the system mixer./// Get speaker volume gain. 
Q/// If the sound backend supports it, the returned gain is equal to the gain set
/// with the system mixer. 
/// 
R/// - Returns: Percentage of the max supported volume gain. Valid values are in [
C/// 0.0 : 1.0 ]. In case of failure, a negative value is returned 
    ¦\áÆ(}s:14HDLLinPhoneSDK8AuthInfoC7tlsCertSSvpGets the TLS certificate./// Gets the TLS certificate. 
%/// - Returns: The TLS certificate. 
µ©ŒÇÄ7šs:14HDLLinPhoneSDK11ChatMessageC5StateO9DeliveredyA2EmF>Message successfully delivered and acknowledged by the server.D/// Message successfully delivered and acknowledged by the server. 
…ª ‡!I>s:14HDLLinPhoneSDK10FriendListC04findD9ByAddress7addressAA0D0CSgAA0H0C_tF9Find a friend in the friend list using a LinphoneAddress.?///    Find a friend in the friend list using a LinphoneAddress. 
P/// - Parameter address: `Address` object of the friend we want to search for. 
/// 
/// 
4/// - Returns: A `Friend` if found, nil otherwise. 
N«,ho3ßs:14HDLLinPhoneSDK8ChatRoomC2meAA11ParticipantCSgvp9Get the participant representing myself in the chat room.?/// Get the participant representing myself in the chat room. 
G/// - Returns: The participant representing myself in the conference. 
Õ­,]Ý.Ås:14HDLLinPhoneSDK13XmlRpcRequestC7contentSSvp'Get the content of the XML-RPC request.-/// Get the content of the XML-RPC request. 
Q/// - Returns: The string representation of the content of the XML-RPC request. 
†®ÜwÓps:14HDLLinPhoneSDK5RangeC)Structure describing a range of integers.//// Structure describing a range of integers. 
:°Ìѧ95s:14HDLLinPhoneSDK13ImNotifPolicyC17recvImdnDisplayedSbvpKTell whether imdn displayed notifications are being notified when received.Q/// Tell whether imdn displayed notifications are being notified when received. 
T/// - Returns: Boolean value telling whether imdn displayed notifications are being
/// notified when received. 
a±œ#ÕF¿s:14HDLLinPhoneSDK11ChatMessageC18removeCustomHeader10headerNameySS_tF)Removes a custom header from the message.////    Removes a custom header from the message. 
:/// - Parameter headerName: name of the header to remove 
/// 
¶²¼%4'\s:14HDLLinPhoneSDK8LogLevelV5FatalACvpZLevel for fatal error messages.%/// Level for fatal error messages. 
T³œx®<s:14HDLLinPhoneSDK14AccountCreatorC11isAliasUsedAC6StatusOyF+Send a request to know if an alias is used.1///    Send a request to know if an alias is used. 
S/// - Returns: LinphoneAccountCreatorStatusRequestOk if the request has been sent,
9/// LinphoneAccountCreatorStatusRequestFailed otherwise 
³¼È=6s:14HDLLinPhoneSDK14AccountCreatorC6StatusO10AliasExistyA2EmF Alias exist./// Alias exist. 
G³ o_1†s:14HDLLinPhoneSDK7FactoryC11createRangeAA0F0CyKF Creates an object LinphoneRange.&///    Creates an object LinphoneRange. 
 /// - Returns: `Range` object. 
¸Œ‡[4xs:14HDLLinPhoneSDK11ChatMessageC8chatRoomAA0dG0CSgvp-Returns the chatroom this message belongs to.3/// Returns the chatroom this message belongs to. 
¹ ís.Ls:14HDLLinPhoneSDK4CallC6StatusO7SuccessyA2EmFThe call was sucessful./// The call was sucessful. 
ǹlhê4as:14HDLLinPhoneSDK14AccountCreatorC14PasswordStatusO"Enum describing Password checking.'///Enum describing Password checking. 
`»Üœ;.Üs:14HDLLinPhoneSDK10FriendListC8userDataSvSgvp:Retrieve the user pointer associated with the friend list.@/// Retrieve the user pointer associated with the friend list. 
B/// - Returns: The user pointer associated with the friend list. 
J¼lþe;Ñs:14HDLLinPhoneSDK5EventC11sendPublish4bodyyAA7ContentC_tKF5Send a publish created by {@link Core#createPublish}.;///    Send a publish created by {@link Core#createPublish}. 
4/// - Parameter body: the new data to be published 
/// 
ݼ|žNus:14HDLLinPhoneSDK7FactoryC21createVideoDefinition5width6heightAA0fG0CSu_SutKF7Create a VideoDefinition from a given width and height.?///    Create a `VideoDefinition` from a given width and height. 
B/// - Parameter width: The width of the created video definition 
D/// - Parameter height: The height of the created video definition 
/// 
/// 
//// - Returns: A new `VideoDefinition` object 
½Ü`”+„s:14HDLLinPhoneSDK4CallC14sendVfuRequestyyF3Request remote side to send us a Video Fast Update.9///    Request remote side to send us a Video Fast Update. 
'¿œˆ=îs:14HDLLinPhoneSDK20PresenceActivityTypeO12PresentationyA2CmFbThe person is giving a presentation, lecture, or participating in a formal round-table discussion.O/// The person is giving a presentation, lecture, or participating in a formal
/// round-table discussion. 
oÁ¼Uþ-Js:14HDLLinPhoneSDK6TunnelC4ModeO6EnableyA2EmFThe tunnel is enabled./// The tunnel is enabled. 
NÄ\Î*HØs:14HDLLinPhoneSDK6TunnelC20setHttpProxyAuthInfo8username6passwdySS_SStF+Set authentication info for the http proxy.1///    Set authentication info for the http proxy. 
%/// - Parameter username: User name 
"/// - Parameter passwd: Password 
/// 
[Ä\ «Jœs:14HDLLinPhoneSDK12EventLogTypeO33ConferenceEphemeralMessageEnabledyA2CmF?Conference ephemeral message (ephemeral message enabled) event.E/// Conference ephemeral message (ephemeral message enabled) event. 
:ÉlՓ,És:14HDLLinPhoneSDK11ProxyConfigC7privacySuvpCGet default privacy policy for all calls routed through this proxy.I/// Get default privacy policy for all calls routed through this proxy. 
/// - Returns: Privacy mode 
Í,*Z:{s:14HDLLinPhoneSDK4CoreC24supportedFileFormatsListSaySSGvpmReturns a null terminated table of strings containing the file format extension supported for call recording.T/// Returns a null terminated table of strings containing the file format extension
#/// supported for call recording. 
R/// - Returns: A list of char * objects. char *  the supported formats, typically
/// 'wav' and 'mkv' 
îÐì¡-¸s:14HDLLinPhoneSDK7HeadersC6remove4nameySS_tF.Add given header name and corresponding value.4///    Add given header name and corresponding value. 
)/// - Parameter name: the header's name 
/// 
^Ó¬H55s:14HDLLinPhoneSDK5EventC15getCustomHeader4nameS2S_tF@Obtain the value of a given header for an incoming subscription.F///    Obtain the value of a given header for an incoming subscription. 
%/// - Parameter name: header's name 
/// 
/// 
H/// - Returns: the header's value or nil if such header doesn't exist. 
ØÖܰÁ*¤s:14HDLLinPhoneSDK12TunnelConfigC4portSivp&Get the TLS port of the tunnel server.,/// Get the TLS port of the tunnel server. 
2/// - Returns: The TLS port of the tunnel server 
`ÖÜórHts:14HDLLinPhoneSDK12EventLogTypeO31ConferenceParticipantUnsetAdminyA2CmF+Conference participant (unset admin) event.1/// Conference participant (unset admin) event. 
4×쌶?µs:14HDLLinPhoneSDK11ChatMessageC14addFileContent01cH0yAA0H0C_tF'Adds a file content to the ChatMessage.-///    Adds a file content to the ChatMessage. 
4/// - Parameter cContent: `Content` object to add. 
/// 
¬ٌ-t=s:14HDLLinPhoneSDK13PresenceModelC8activityAA0D8ActivityCSgvpHGets the first activity of a presence model (there is usually only one).N/// Gets the first activity of a presence model (there is usually only one). 
J/// - Returns: A `PresenceActivity` object if successful, nil otherwise. 
ÈÞl¿8Qs:14HDLLinPhoneSDK4CoreC24mediaEncryptionMandatorySbSgvpÙDefine whether the configured media encryption is mandatory, if it is and the negotation cannot result in the desired media encryption then the call will fail. If not an INVITE will be resent with encryption disabled.R/// Define whether the configured media encryption is mandatory, if it is and the
P/// negotation cannot result in the desired media encryption then the call will
 /// fail. 
?/// If not an INVITE will be resent with encryption disabled. 
/// 
:/// - Parameter m:  to set it mandatory; true otherwise. 
/// 
»à,ðŽ$Às:14HDLLinPhoneSDK7ContentC4typeSSvp&Get the mime type of the content data.,/// Get the mime type of the content data. 
N/// - Returns: The mime type of the content data, for example "application". 
Nàì=Œ(™s:14HDLLinPhoneSDK8DialPlanC7countrySSvp)Returns the country name of the dialplan.//// Returns the country name of the dialplan. 
!/// - Returns: the country name 
¹ä\½*Ks:14HDLLinPhoneSDK10FriendListC6rlsUriSSvpnGet the RLS (Resource List Server) URI associated with the friend list to subscribe to these friends presence.N/// Get the RLS (Resource List Server) URI associated with the friend list to
*/// subscribe to these friends presence. 
=/// - Returns: The RLS URI associated with the friend list. 
Fæì×y3ës:14HDLLinPhoneSDK10FriendListC7friendsSayAA0D0CGvp:Retrieves the list of Friend from this LinphoneFriendList.B/// Retrieves the list of `Friend` from this LinphoneFriendList. 
O/// - Returns: A list of `Friend` objects. LinphoneFriend  a list of `Friend` 
CçL²ƒ,Os:14HDLLinPhoneSDK23SessionExpiresRefresherOSession Timers refresher.///Session Timers refresher. 
®élþû=Ns:14HDLLinPhoneSDK5EventC13sendSubscribe4bodyyAA7ContentC_tKFGSend a subscription previously created by {@link Core#createSubscribe}.M///    Send a subscription previously created by {@link Core#createSubscribe}. 
I/// - Parameter body: optional content to attach with the subscription. 
/// 
/// 
//// - Returns: 0 if successful, -1 otherwise. 
ÞêlÆ}.Ÿs:14HDLLinPhoneSDK9NatPolicyC11stunEnabledSbvpTell whether STUN is enabled.#/// Tell whether STUN is enabled. 
?/// - Returns: Boolean value telling whether STUN is enabled. 
†í ?¡0œs:14HDLLinPhoneSDK6BufferC7contentSPys5UInt8VGvp#Get the content of the data buffer.)/// Get the content of the data buffer. 
0/// - Returns: The content of the data buffer. 
¿   C8Ës:14HDLLinPhoneSDK8EventLogC11chatMessageAA04ChatG0CSgvp<Returns the chat message of a conference chat message event.B/// Returns the chat message of a conference chat message event. 
-/// - Returns: The conference chat message. 
äðü#Š'…s:14HDLLinPhoneSDK9ErrorInfoC5protoSSvp!Get protocol from the error info.'/// Get protocol from the error info. 
/// - Returns: The protocol 
Áôü ¡*ns:14HDLLinPhoneSDK9UpnpStateO6AddingyA2CmF(Internal use: Only used by port binding../// Internal use: Only used by port binding. 
ÊöLò+¨s:14HDLLinPhoneSDK4CoreC13httpProxyPortSivp-Get http proxy port to be used for signaling.3/// Get http proxy port to be used for signaling. 
(/// - Returns: port of the http proxy. 
¤øUB4’s:14HDLLinPhoneSDK6TunnelC7serversSayAA0D6ConfigCGvpGet added servers./// Get added servers. 
H/// - Returns: A list of `TunnelConfig` objects. LinphoneTunnelConfig  
S̓7¬s:14HDLLinPhoneSDK7AddressC9getHeader10headerNameS2S_tF&Get the header encoded in the address.,///    Get the header encoded in the address. 
-/// - Parameter headerName: the header name 
/// 
¤}TÏ8s:14HDLLinPhoneSDK6ConfigC8hasEntry7section3keySiSS_SStFNReturns 1 if a given section with a given key is present in the configuration.T///    Returns 1 if a given section with a given key is present in the configuration. 
/// - Parameter section: 
/// - Parameter key: 
/// 
)„*cs:14HDLLinPhoneSDK9ErrorInfoC8warningsSSvp|Provides additional information regarding the failure. With SIP protocol, the content of â€œWarning” headers are returned.</// Provides additional information regarding the failure. 
G/// With SIP protocol, the content of "Warning" headers are returned. 
/// 
//// - Returns: More details about the failure 
Æ M´Q=ts:14HDLLinPhoneSDK23PushNotificationMessageC11textContentSSvpGets the text content./// Gets the text content. 
"/// - Returns: The text_content. 
9mXG=Is:14HDLLinPhoneSDK10FriendListC04findD5ByUri3uriAA0D0CSgSS_tF5Find a friend in the friend list using an URI string.;///    Find a friend in the friend list using an URI string. 
Q/// - Parameter uri: A string containing the URI of the friend we want to search
 
/// for. 
/// 
/// 
4/// - Returns: A `Friend` if found, nil otherwise. 
P½ó˜1®s:14HDLLinPhoneSDK13PresenceModelC8userDataSvSgvp-Gets the user data of a PresenceModel object.5/// Gets the user data of a `PresenceModel` object. 
,/// - Returns: A pointer to the user data. 
Óm©–7Äs:14HDLLinPhoneSDK16PresenceActivityC4typeAA0dE4TypeOvp.Gets the activity type of a presence activity.4/// Gets the activity type of a presence activity. 
B/// - Returns: The LinphonePresenceActivityType of the activity. 
Âmôî)Fs:14HDLLinPhoneSDK4CallC11streamCountSivpzReturns the number of stream for the given call. Currently there is only two (Audio, Video), but later there will be more.6/// Returns the number of stream for the given call. 
O/// Currently there is only two (Audio, Video), but later there will be more. 
/// 
/// - Returns: 2 
­Š(ˆs:14HDLLinPhoneSDK4CoreC10recordFileSSvpôGet the wav file where incoming stream is recorded, when files are used instead of soundcards (see {@link Core#setUseFiles}). This feature is different from call recording ({@link CallParams#setRecordFile}) The file is a 16 bit linear wav file.T/// Get the wav file where incoming stream is recorded, when files are used instead
3/// of soundcards (see {@link Core#setUseFiles}). 
:/// This feature is different from call recording ({@link
F/// CallParams#setRecordFile}) The file is a 16 bit linear wav file. 
/// 
H/// - Returns: The path to the file where incoming stream is recorded. 
Ö­^„%¨s:14HDLLinPhoneSDK16PresenceActivityCEPresence activity type holding information about a presence activity.K/// Presence activity type holding information about a presence activity. 
À­dš'¾s:14HDLLinPhoneSDK8AuthInfoC6passwdSSvpGets the password./// Gets the password. 
/// - Returns: The password. 
/// 
A/// - deprecated: , use linphone_auth_info_get_password instead 
²ýC˜5¦s:14HDLLinPhoneSDK20PresenceActivityTypeO5OtheryA2CmFDThe person is engaged in an activity with no defined representation.J/// The person is engaged in an activity with no defined representation. 
k[ð5s:14HDLLinPhoneSDK4CoreC17createMagicSearchAA0fG0CyKFCreate a MagicSearch object.$///    Create a `MagicSearch` object. 
0/// - Returns: The create `MagicSearch` object 
<íb. s:14HDLLinPhoneSDK8ChatRoomC12capabilitiesSuvp$Get the capabilities of a chat room.*/// Get the capabilities of a chat room. 
2/// - Returns: The capabilities of the chat room 
ÅšArs:14HDLLinPhoneSDK14AccountCreatorC9transportAA13TransportTypeOvp get Transport/// get Transport 
2/// - Returns: The transport of `AccountCreator` 
ƒ$÷·/žs:14HDLLinPhoneSDK17ParticipantDeviceC4nameSSvp%Return the name of the device or nil.+/// Return the name of the device or nil. 
./// - Returns: the name of the device or nil 
˜%½jÉ+Zs:14HDLLinPhoneSDK9ErrorInfoC03subdE0ACSgvpmGet pointer to chained ErrorInfo set in sub_ei. It corresponds to a Reason header in a received SIP response.7/// Get pointer to chained `ErrorInfo` set in sub_ei. 
C/// It corresponds to a Reason header in a received SIP response. 
/// 
>/// - Returns: `ErrorInfo` pointer defined in the ei object. 
Å& )z4as:14HDLLinPhoneSDK14AccountCreatorC14UsernameStatusO"Enum describing Username checking.'///Enum describing Username checking. 
j,Yq1bs:14HDLLinPhoneSDK17SubscriptionStateO4NoneyA2CmF"Initial state, should not be used.(/// Initial state, should not be used. 
¹1MWŒ+Šs:14HDLLinPhoneSDK6TunnelC4ModeO4AutoyA2EmF6The tunnel is enabled automatically if it is required.</// The tunnel is enabled automatically if it is required. 
O2í¢33 s:14HDLLinPhoneSDK4CoreC15audioPortsRangeAA0G0CSgvp]Get the audio port range from which is randomly chosen the UDP port used for audio streaming.Q/// Get the audio port range from which is randomly chosen the UDP port used for
/// audio streaming. 
!/// - Returns: a `Range` object 
v3–›@ªs:14HDLLinPhoneSDK11ChatMessageC5StateO17FileTransferErroryA2EmFFMessage was received and acknowledged but cannot get file from server.L/// Message was received and acknowledged but cannot get file from server. 
‡4}q¥>•s:14HDLLinPhoneSDK8EventLogC08securityD4TypeAA08SecuritydG0Ovp#Returns the type of security event.)/// Returns the type of security event. 
)/// - Returns: The security event type. 
í9MT/Ås:14HDLLinPhoneSDK10CallParamsC10recordFileSSvp1Get the path for the audio recording of the call.7/// Get the path for the audio recording of the call. 
=/// - Returns: The path to the audio recording of the call. 
S:½R±Mös:14HDLLinPhoneSDK7FactoryC25supportedVideoDefinitionsSayAA0F10DefinitionCGvpAGet the list of standard video definitions supported by Linphone.G/// Get the list of standard video definitions supported by Linphone. 
N/// - Returns: A list of `VideoDefinition` objects. LinphoneVideoDefinition  
ý=½>F#–s:14HDLLinPhoneSDK14PresencePersonC<Presence person holding information about a presence person.B/// Presence person holding information about a presence person. 
é>Íä*¤s:14HDLLinPhoneSDK6ReasonO9ForbiddenyA2CmFCAuthentication failed due to bad credentials or resource forbidden.I/// Authentication failed due to bad credentials or resource forbidden. 
Ž?í'%)Rs:14HDLLinPhoneSDK8IceStateO6FailedyA2CmFICE processing has failed. /// ICE processing has failed. 
F?OÜ4is:14HDLLinPhoneSDK14AccountCreatorC0B12NumberStatusO&Enum describing Phone number checking.+///Enum describing Phone number checking. 
p@4}+Ðs:14HDLLinPhoneSDK6TunnelC12cleanServersyyFSRemove all tunnel server addresses previously entered with {@link Tunnel#addServer}F///    Remove all tunnel server addresses previously entered with {@link
///    Tunnel#addServer} 
VHÍ¢/3s:14HDLLinPhoneSDK4CallC21remoteAddressAsStringSSvpxReturns the remote address associated to this call as a string. The result string must be freed by user using ms_free().E/// Returns the remote address associated to this call as a string. 
>/// The result string must be freed by user using ms_free(). 
K ZVs:14HDLLinPhoneSDK8ChatRoomC18removeParticipants12participantsySayAA11ParticipantCG_tF3Remove several participants of a chat room at once.9///    Remove several participants of a chat room at once. 
E/// - Parameter participants: A list of LinphoneParticipant objects.
/// LinphoneParticipant  
/// 
ûL-W*.0s:14HDLLinPhoneSDK4CallC5StateO8ReferredyA2EmF    Referred./// Referred. 
ÝLm %7­s:14HDLLinPhoneSDK11ParticipantC7addressAA7AddressCSgvp,Get the address of a conference participant.2/// Get the address of a conference participant. 
//// - Returns: The address of the participant 
‘R}Ù*®s:14HDLLinPhoneSDK7PrivacyO8CriticalyA2CmFHPrivacy service must perform the specified services or fail the request.N/// Privacy service must perform the specified services or fail the request. 
‚UÝ{à37s:14HDLLinPhoneSDK14AccountCreatorC9asDefaultSbSgvp Set the set_as_default property.&/// Set the set_as_default property. 
9/// - Parameter setAsDefault: The set_as_default to set 
/// 
/// 
O/// - Returns: LinphoneAccountCreatorStatusRequestOk if everything is OK, or a
/// specific error otherwise. 
xVý"PEìs:14HDLLinPhoneSDK21VideoActivationPolicyC21automaticallyInitiateSbvp;Gets the value for the automatically initiate video policy.A/// Gets the value for the automatically initiate video policy. 
P/// - Returns: whether or not to automatically initiate video calls is enabled 
y]=g+ôs:14HDLLinPhoneSDK4CoreC13captureDeviceSSvpAGets the name of the currently assigned sound device for capture.G/// Gets the name of the currently assigned sound device for capture. 
L/// - Returns: The name of the currently assigned sound device for capture 
€e  ’5Ks:14HDLLinPhoneSDK10FriendListC10rlsAddressAA0G0CSgvpnGet the RLS (Resource List Server) URI associated with the friend list to subscribe to these friends presence.N/// Get the RLS (Resource List Server) URI associated with the friend list to
*/// subscribe to these friends presence. 
=/// - Returns: The RLS URI associated with the friend list. 
Eh-™¿vs:14HDLLinPhoneSDK8ChatRoomC21setParticipantDevices8partAddr16deviceIdentitiesyAA7AddressC_SayAA0G14DeviceIdentityCGtFÕSet the list of participant devices in the form of SIP URIs with GRUUs for a given participant. This function is meaningful only for server implementation of chatroom, and shall not by used by client applications.
Q///    Set the list of participant devices in the form of SIP URIs with GRUUs for a
///    given participant. 
P/// This function is meaningful only for server implementation of chatroom, and
//// shall not by used by client applications. 
/// 
3/// - Parameter partAddr: The participant address 
N/// - Parameter deviceIdentities: A list of LinphoneParticipantDeviceIdentity
S/// objects. LinphoneParticipantDeviceIdentity  list of the participant devices to
$/// be used by the group chat room 
/// 
þh}””5Âs:14HDLLinPhoneSDK14LoggingServiceC7warning3msgySS_tF4Write a LinphoneLogLevelWarning message to the logs.:///    Write a LinphoneLogLevelWarning message to the logs. 
'/// - Parameter msg: The log message. 
/// 
yj]¬ÿ"Ðs:14HDLLinPhoneSDK13XmlRpcSessionCRThe XmlRpcSession object used to send XML-RPC requests and handle their responses.N/// The `XmlRpcSession` object used to send XML-RPC requests and handle their
/// responses. 
mmgLHPs:14HDLLinPhoneSDK14AccountCreatorC20ActivationCodeStatusO7TooLongyA2EmFActivation code too long./// Activation code too long. 
\n ™[0ªs:14HDLLinPhoneSDK8ChatRoomC14lastUpdateTimeSivp/Return the last updated time for the chat room.5/// Return the last updated time for the chat room. 
&/// - Returns: the last updated time 
Óp½³KNs:14HDLLinPhoneSDK10CallParamsC21getCustomSdpAttribute13attributeNameS2S_tF>Get a custom SDP attribute that is related to all the streams.D///    Get a custom SDP attribute that is related to all the streams. 
B/// - Parameter attributeName: The name of the attribute to get. 
/// 
/// 
H/// - Returns: The content value of the attribute or nil if not found. 
hqŽ­. s:14HDLLinPhoneSDK8EventLogC12creationTimeSivp)Returns the creation time of a event log.//// Returns the creation time of a event log. 
(/// - Returns: The event creation time 
åu­ 8ls:14HDLLinPhoneSDK20PresenceActivityTypeO05OnTheB0yA2CmF'The person is talking on the telephone.-/// The person is talking on the telephone. 
juíkã@Òs:14HDLLinPhoneSDK10FriendListC28synchronizeFriendsFromServeryyFTStarts a CardDAV synchronization using value set using linphone_friend_list_set_uri.;///    Starts a CardDAV synchronization using value set using
#///    linphone_friend_list_set_uri. 
WvíF4'Çs:14HDLLinPhoneSDK4CallC8userDataSvSgvp3Retrieve the user pointer associated with the call.9/// Retrieve the user pointer associated with the call. 
;/// - Returns: The user pointer associated with the call. 
wýíQ(¨s:14HDLLinPhoneSDK4CoreC10stunServerSSvp'Get the STUN server address being used.-/// Get the STUN server address being used. 
4/// - Returns: The STUN server address being used. 
íx â‚.Ós:14HDLLinPhoneSDK11ChatMessageC9isForwardSbvp6Returns true if the chat message is a forward message.</// Returns true if the chat message is a forward message. 
A/// - Returns: true if it is a forward message, false otherwise 
|}N<s:14HDLLinPhoneSDK6FriendC13presenceModelAA08PresenceF0CSgvp#Get the presence model of a friend.)/// Get the presence model of a friend. 
S/// - Returns: A `PresenceModel` object, or nil if the friend do not have presence
:/// information (in which case he is considered offline) 
'}ýlæqs:14HDLLinPhoneSDK4CallC3DirO*Enum representing the direction of a call.////Enum representing the direction of a call. 
΀ý%’:Ss:14HDLLinPhoneSDK11ProxyConfigC9errorInfoAA05ErrorG0CSgvpkGet detailed information why registration failed when the proxy config state is LinphoneRegistrationFailed.T/// Get detailed information why registration failed when the proxy config state is
!/// LinphoneRegistrationFailed. 
K/// - Returns: The details why registration failed for this proxy config. 
€M'U2¸s:14HDLLinPhoneSDK7HeadersC3add4name5valueySS_SStF.Add given header name and corresponding value.4///    Add given header name and corresponding value. 
)/// - Parameter name: the header's name 
/// 
\…Ø;/<s:14HDLLinPhoneSDK4CallC13transferStateAC0F0OvpTReturns the current transfer state, if a transfer has been initiated from this call.S/// Returns the current transfer state, if a transfer has been initiated from this
 /// call. 
./// - See also: linphone_core_transfer_call ,
,/// linphone_core_transfer_call_to_another 
…Új$—s:14HDLLinPhoneSDK6PlayerC5pauseyyKFPause the playing of a file."///    Pause the playing of a file. 
9/// - Returns: 0 on success, a negative value otherwise 
½ˆ-ý1¹s:14HDLLinPhoneSDK10CallParamsC12audioEnabledSbvp%Tell whether audio is enabled or not.+/// Tell whether audio is enabled or not. 
I/// - Returns: A boolean value telling whether audio is enabled or not. 
G‰ý|¼?s:14HDLLinPhoneSDK13PresenceModelC9addPerson6personyAA0dG0C_tKF"Adds a person to a presence model.(///    Adds a person to a presence model. 
J/// - Parameter person: The `PresencePerson` object to add to the model. 
/// 
/// 
?/// - Returns: 0 if successful, a value < 0 in case of error. 
Öнº(âs:14HDLLinPhoneSDK4CallC10playVolumeSfvpEGet the mesured playback volume level (received from remote) in dbm0.K/// Get the mesured playback volume level (received from remote) in dbm0. 
2/// - Returns: float Volume level in percentage. 
ý’=œ„Cps:14HDLLinPhoneSDK14AccountCreatorC6StatusO16MissingArgumentsyA2EmF)Request failed due to missing argument(s)//// Request failed due to missing argument(s) 
?’áÊ,s:14HDLLinPhoneSDK10FriendListC10SyncStatusO8Enum describing the status of a CardDAV synchronization.=///Enum describing the status of a CardDAV synchronization. 
>šý¶l2>s:14HDLLinPhoneSDK11ProxyConfigC5errorAA6ReasonOvpaGet the reason why registration failed when the proxy config state is LinphoneRegistrationFailed.J/// Get the reason why registration failed when the proxy config state is
!/// LinphoneRegistrationFailed. 
J/// - Returns: The reason why registration failed for this proxy config. 
šáI|s:14HDLLinPhoneSDK6ConfigC24getOverwriteFlagForEntry7section3keySbSS_SStF/Retrieves the overwrite flag for a config item.5///    Retrieves the overwrite flag for a config item. 
!)Œs:14HDLLinPhoneSDK11GlobalStateO2OnyA2CmF6Indicates Core has been started and is up and running.>/// Indicates `Core` has been started and is up and running. 
@Ÿý>§,¨s:14HDLLinPhoneSDK4CoreC13upnpAvailableSbyFZ Return the availability of uPnP.&///    Return the availability of uPnP. 
B/// - Returns: true if uPnP is available otherwise return false. 
j ½{™9‡s:14HDLLinPhoneSDK7FactoryC18createTunnelConfigAA0fG0CyKFCreates an object TunnelConfig.'///    Creates an object `TunnelConfig`. 
!/// - Returns: a `TunnelConfig` 
¤ ŒC*s:14HDLLinPhoneSDK4CallC12speakerMutedSbvpGet speaker muted state./// Get speaker muted state. 
)/// - Returns: The speaker muted state. 
¥àô6Js:14HDLLinPhoneSDK4CallC5StateO15OutgoingRingingyA2EmFOutgoing call ringing./// Outgoing call ringing. 
Ö©­÷;A‰s:14HDLLinPhoneSDK4CoreC17setAudioPortRange03minG003maxG0ySi_SitFXSets the UDP port range from which to randomly select the port used for audio streaming.R///    Sets the UDP port range from which to randomly select the port used for audio
///    streaming. 
I/// - Parameter minPort: The lower bound of the audio port range to use 
I/// - Parameter maxPort: The upper bound of the audio port range to use 
/// 
•ªýcþs:14HDLLinPhoneSDK16ChatRoomDelegateC25onEphemeralMessageDeleted2cr8eventLogyAA0dE0C_AA05EventM0CtFOCallback used to notify a chat room that an ephemeral message has been deleted.U///    Callback used to notify a chat room that an ephemeral message has been deleted. 
-/// - Parameter cr: LinphoneChatRoom object 
/// 
­ ^«=<s:14HDLLinPhoneSDK4CallC20declineWithErrorInfo2eiSiAA0gH0C_tF9Decline a pending incoming call, with a ErrorInfo object.A///    Decline a pending incoming call, with a `ErrorInfo` object. 
T/// - Parameter ei: `ErrorInfo` containing more information on the call rejection. 
/// 
/// 
,/// - Returns: 0 on success, -1 on failure 
°-b5 s:14HDLLinPhoneSDK4CallC4zoom0E6Factor2cx2cyySf_S2ftFwPerform a zoom of the video displayed during a call. The zoom ensures that all the screen is fullfilled with the video.
:///    Perform a zoom of the video displayed during a call. 
H/// The zoom ensures that all the screen is fullfilled with the video. 
/// 
R/// - Parameter zoomFactor: a floating point number describing the zoom factor. A
//// value 1.0 corresponds to no zoom applied. 
R/// - Parameter cx: a floating point number pointing the horizontal center of the
C/// zoom to be applied. This value should be between 0.0 and 1.0. 
P/// - Parameter cy: a floating point number pointing the vertical center of the
C/// zoom to be applied. This value should be between 0.0 and 1.0. 
/// 
1°†ç,¥s:14HDLLinPhoneSDK11PayloadTypeC7enabledSbyF(Check whether a palyoad type is enabled..///    Check whether a palyoad type is enabled. 
//// - Returns:  if enabled, true if disabled. 
¯±íöqR®s:14HDLLinPhoneSDK12EventLogTypeO41ConferenceEphemeralMessageLifetimeChangedyA2CmFHConference ephemeral message (ephemeral message lifetime changed) event.N/// Conference ephemeral message (ephemeral message lifetime changed) event. 
9²õ°3²s:14HDLLinPhoneSDK15PresenceServiceC8userDataSvSgvp/Gets the user data of a PresenceService object.7/// Gets the user data of a `PresenceService` object. 
,/// - Returns: A pointer to the user data. 
þ´-Á)Xs:14HDLLinPhoneSDK10AuthMethodO3TlsyA2CmFClient certificate requested.#/// Client certificate requested. 
µ½ió4“s:14HDLLinPhoneSDK4CoreC14verifyServerCn5yesnoySb_tFlSpecify whether the tls server certificate common name must be verified when connecting to a SIP/TLS server.Q///    Specify whether the tls server certificate common name must be verified when
%///    connecting to a SIP/TLS server. 
R/// - Parameter yesno: A boolean value telling whether the tls server certificate
"/// common name must be verified 
/// 
±º},ò/s:14HDLLinPhoneSDK4CoreC9upnpStateAA04UpnpF0Ovp"Return the internal state of uPnP.(/// Return the internal state of uPnP. 
&/// - Returns: an LinphoneUpnpState. 
ÿ¼]'|s:14HDLLinPhoneSDK6BufferC.The Content object representing a data buffer.6/// The `Content` object representing a data buffer. 
¼À½«K>hs:14HDLLinPhoneSDK12EventLogTypeO018ConferenceSecurityD0yA2CmF%Conference encryption security event.+/// Conference encryption security event. 
8Âý-¾Vms:14HDLLinPhoneSDK13PresenceModelC20getCapabilityVersion10capabilitySfAA06FriendG0V_tF9Returns the version of the capability of a PresenceModel.A///    Returns the version of the capability of a `PresenceModel`. 
5/// - Parameter capability: The capability to test. 
/// 
/// 
Q/// - Returns: the version of the capability of a `PresenceModel` or -1.0 if the
#/// model has not the capability. 
ÜÃÝä?4Xs:14HDLLinPhoneSDK20ChatRoomCapabilitiesV5ProxyACvpZSpecial proxy chat room flag.#/// Special proxy chat room flag. 
ÅýÛ¡;Ðs:14HDLLinPhoneSDK7FactoryC26isDatabaseStorageAvailableSbvp2Indicates if the storage in database is available.8/// Indicates if the storage in database is available. 
F/// - Returns:  if the database storage is available, true otherwise 
÷ō<-
s:14HDLLinPhoneSDK11PayloadTypeC8isUsableSbvpTCheck whether the payload is usable according the bandwidth targets set in the core.S/// Check whether the payload is usable according the bandwidth targets set in the
 /// core. 
0/// - Returns:  if the payload type is usable. 
¦ÇýcÎ<8s:14HDLLinPhoneSDK20ChatRoomCapabilitiesV12RealTimeTextACvpZ Supports RTT./// Supports RTT. 
ȍ7_Rgs:14HDLLinPhoneSDK18FriendListDelegateC16onContactDeleted4list2lfyAA0dE0C_AA0D0CtFICallback used to notify a contact has been deleted on the CardDAV server.O///    Callback used to notify a contact has been deleted on the CardDAV server. 
U/// - Parameter list: The LinphoneFriendList object a contact has been removed from 
E/// - Parameter lf: The LinphoneFriend object that has been deleted 
/// 
7Ê=.g1ds:14HDLLinPhoneSDK11MagicSearchC11searchLimitSuvpL/// - Returns: the number of the maximum SearchResult which will be return 
Ìý¶¯7ùs:14HDLLinPhoneSDK13ImNotifPolicyC15sendIsComposingSbvp7Tell whether is_composing notifications are being sent.=/// Tell whether is_composing notifications are being sent. 
R/// - Returns: Boolean value telling whether is_composing notifications are being
 /// sent. 
eÐ=ÚD=Ës:14HDLLinPhoneSDK13PresenceModelC10presentityAA7AddressCSgvp(Gets the presentity of a presence model../// Gets the presentity of a presence model. 
U/// - Returns: A pointer to a const LinphoneAddress, or nil if no contact is found. 
Ñ֍¬É<Ës:14HDLLinPhoneSDK13XmlRpcRequestC12addStringArg5valueySS_tF,Add a string argument to an XML-RPC request.2///    Add a string argument to an XML-RPC request. 
@/// - Parameter value: The string value of the added argument. 
/// 
ŽÖ½F—8s:14HDLLinPhoneSDK5VcardC16removeSipAddress03sipG0ySS_tFKRemoves a SIP address in the vCard (if it exists), using the IMPP property.Q///    Removes a SIP address in the vCard (if it exists), using the IMPP property. 
7/// - Parameter sipAddress: the SIP address to remove 
/// 
vÖ-žèNœs:14HDLLinPhoneSDK10FriendListC29importFriendsFromVcard4Buffer05vcardJ0ySS_tKF`Creates and adds Friend objects to FriendList from a buffer that contains the vCard(s) to parse.R///    Creates and adds `Friend` objects to `FriendList` from a buffer that contains
///    the vCard(s) to parse. 
M/// - Parameter vcardBuffer: the buffer that contains the vCard(s) to parse 
/// 
/// 
7/// - Returns: the amount of linphone friends created 
S۝dÿ&²s:14HDLLinPhoneSDK4CoreC9audioPortSivp+Gets the UDP port used for audio streaming.1/// Gets the UDP port used for audio streaming. 
6/// - Returns: The UDP port used for audio streaming 
uá}Ç36Ãs:14HDLLinPhoneSDK4CoreC16usePreviewWindow5yesnoySb_tF‡Tells the core to use a separate window for local camera preview video, instead of inserting local view within the remote video window.T///    Tells the core to use a separate window for local camera preview video, instead
=///    of inserting local view within the remote video window. 
T/// - Parameter yesno:  to use a separate window, true to insert the preview in the
/// remote video window. 
/// 
¯â,Y8»s:14HDLLinPhoneSDK14PresencePersonC15clearActivitiesyyKF+Clears the activities of a presence person.1///    Clears the activities of a presence person. 
?/// - Returns: 0 if successful, a value < 0 in case of error. 
òã bbR/s:14HDLLinPhoneSDK12CoreDelegateC14onDtmfReceived2lc4call4dtmfyAA0D0C_AA4CallCSitF.Callback for being notified of DTMFs received.4///    Callback for being notified of DTMFs received. 
'/// - Parameter lc: the linphone core 
7/// - Parameter call: the call that received the dtmf 
2/// - Parameter dtmf: the ascii code of the dtmf 
/// 
/ãÍ—+0s:14HDLLinPhoneSDK15PresenceServiceC2idSSvp"Gets the id of a presence service.(/// Gets the id of a presence service. 
Q/// - Returns: A pointer to a dynamically allocated string containing the id, or
/// nil in case of error.
/// 
>/// The returned string is to be freed by calling ms_free(). 
ûæý @0Ös:14HDLLinPhoneSDK4CoreC18videoMulticastAddrSSvp9Use to get multicast address to be used for video stream.?/// Use to get multicast address to be used for video stream. 
>/// - Returns: an ipv4/6 multicast address, or default value 
íý#1¹s:14HDLLinPhoneSDK10CallParamsC12videoEnabledSbvp%Tell whether video is enabled or not.+/// Tell whether video is enabled or not. 
I/// - Returns: A boolean value telling whether video is enabled or not. 
^ímr†/Ôs:14HDLLinPhoneSDK9ErrorInfoC12protocolCodeSivpGGet the status code from the low level protocol (ex a SIP status code).M/// Get the status code from the low level protocol (ex a SIP status code). 
 /// - Returns: The status code 
Âðí²'s:14HDLLinPhoneSDK5VcardC9givenNameSSvpUReturns the given name in the N attribute of the vCard, or nil if it isn’t set yet.S/// Returns the given name in the N attribute of the vCard, or nil if it isn't set
 
/// yet. 
4/// - Returns: the given name of the vCard, or nil 
hñ½éÜBs:14HDLLinPhoneSDK5VcardCThe Vcard object./// The `Vcard` object. 
dôýSK:Ás:14HDLLinPhoneSDK6ConfigC10cleanEntry7section3keyySS_SStF+Removes entries for key,value in a section.1///    Removes entries for key,value in a section. 
/// - Parameter section: 
/// - Parameter key: 
/// 
ô}”4ˆs:14HDLLinPhoneSDK4CoreC22sessionExpiresMinValueSivp5Returns the session expires min value, 90 by default.;/// Returns the session expires min value, 90 by default. 
äö]ÿB/×s:14HDLLinPhoneSDK4CoreC17useRfc2833ForDtmfSbvp1Indicates whether RFC2833 is used to send digits.7/// Indicates whether RFC2833 is used to send digits. 
O/// - Returns: A boolean value telling whether RFC2833 is used to send digits 
ø©¡-Ås:14HDLLinPhoneSDK8ChatRoomC11hasBeenLeftSbyF2Return whether or not the chat room has been left.8///    Return whether or not the chat room has been left. 
;/// - Returns: whether or not the chat room has been left 
óø'3,s:14HDLLinPhoneSDK11GlobalStateO5ReadyyA2CmFrCore state after being created by linphone_factory_create_core, generally followed by a call to {@link Core#start}P/// `Core` state after being created by linphone_factory_create_core, generally
./// followed by a call to {@link Core#start} 
Cù½º)'@s:14HDLLinPhoneSDK8LogLevelV5TraceACvpZLevel for traces./// Level for traces. 
PùM6Gvs:14HDLLinPhoneSDK4CoreC28sessionExpiresRefresherValueAA07SessionfG0Ovp,Returns the session expires refresher value.2/// Returns the session expires refresher value. 
åùíÂÆ2ës:14HDLLinPhoneSDK13PresenceModelC10nbServicesSuvp;Gets the number of services included in the presence model.A/// Gets the number of services included in the presence model. 
O/// - Returns: The number of services included in the `PresenceModel` object. 
Ðú­u.as:14HDLLinPhoneSDK11MagicSearchC9maxWeightSuvpI/// - Returns: the maximum value used to calculate the weight in search 
}>’¿="s:14HDLLinPhoneSDK4CoreC24preferredVideoDefinitionAA0fG0CSgvp`Get the preferred video definition for the stream that is captured and sent to the remote party.S/// Get the preferred video definition for the stream that is captured and sent to
/// the remote party. 
0/// - Returns: The preferred `VideoDefinition` 
Ë­ :üs:14HDLLinPhoneSDK11ParticipantC7devicesSayAA0D6DeviceCGvp:Gets the list of devices from a chat room’s participant.>/// Gets the list of devices from a chat room's participant. 
</// - Returns: A list of LinphoneParticipantDevice objects.
 /// LinphoneParticipantDevice  
’aÚ/…s:14HDLLinPhoneSDK10CallParamsC10rtpProfileSSvpGet the RTP profile being used.%/// Get the RTP profile being used. 
!/// - Returns: The RTP profile. 
Un"ˆ1Zs:14HDLLinPhoneSDK17SecurityEventTypeO4NoneyA2CmFEvent is not a security event.$/// Event is not a security event. 
©ŽË².òs:14HDLLinPhoneSDK14LoggingServiceC6domainSSvpdGet the domain where application logs are written (for example with {@link LoggingService#message}).O/// Get the domain where application logs are written (for example with {@link
/// LoggingService#message}). 
p¾´Ú9¶s:14HDLLinPhoneSDK10FriendListC14updateRevision3revySi_tF0Sets the revision from the last synchronization.6///    Sets the revision from the last synchronization. 
#/// - Parameter rev: The revision 
/// 
Y®~u=js:14HDLLinPhoneSDK4CoreC12setUserAgent6uaName7versionySS_SStFSet the user agent string used in SIP messages. Set the user agent string used in SIP messages as â€œ[ua_name]/[version]”. No slash character will be printed if nil is given to â€œversion”. If nil is given to â€œua_name” and â€œversion” both, the User-agent header will be empty.
5///    Set the user agent string used in SIP messages. 
P/// Set the user agent string used in SIP messages as "[ua_name]/[version]". No
R/// slash character will be printed if nil is given to "version". If nil is given
J/// to "ua_name" and "version" both, the User-agent header will be empty.
/// 
U/// This function should be called just after linphone_factory_create_core ideally. 
/// 
1/// - Parameter uaName: Name of the user agent. 
5/// - Parameter version: Version of the user agent. 
/// 
™~öì1½s:14HDLLinPhoneSDK4CoreC19videoPreviewEnabledSbvp'Tells whether video preview is enabled.-/// Tells whether video preview is enabled. 
I/// - Returns: A boolean value telling whether video preview is enabled 
>Þ19›s:14HDLLinPhoneSDK4CallC19takePreviewSnapshot4fileySS_tKFÃTake a photo of currently captured video and write it into a jpeg file. Note that the snapshot is asynchronous, an application shall not assume that the file is created when the function returns.    M///    Take a photo of currently captured video and write it into a jpeg file. 
Q/// Note that the snapshot is asynchronous, an application shall not assume that
4/// the file is created when the function returns. 
/// 
?/// - Parameter file: a path where to write the jpeg content. 
/// 
/// 
O/// - Returns: 0 if successfull, -1 otherwise (typically if jpeg format is not
/// supported). 
*>Ó,ís:14HDLLinPhoneSDK4CoreC14isInConferenceSbvp@Indicates whether the local participant is part of a conference.F/// Indicates whether the local participant is part of a conference. 
T/// - Warning: That function automatically fails in the case of conferences using a
T/// conferencet server (focus). If you use such a conference, you should use {@link
,/// Conference#removeParticipant} instead. 
/// 
N/// - Returns:  if the local participant is in a conference, true otherwise. 
¬Î?9s:14HDLLinPhoneSDK4CoreC8playDtmf4dtmf10durationMsys4Int8V_SitF%Plays a dtmf sound to the local user.+///    Plays a dtmf sound to the local user. 
</// - Parameter dtmf: DTMF to play ['0'..'16'] | '#' | '#' 
R/// - Parameter durationMs: Duration in ms, -1 means play until next further call
/// to {@link Core#stopDtmf} 
/// 
‚Î’\Rs:14HDLLinPhoneSDK4CoreC15createSubscribe8resource5event7expiresAA5EventCAA7AddressC_SSSitKFeCreate an outgoing subscription, specifying the destination resource, the event name, and an optional content body. If accepted, the subscription runs for a finite period, but is automatically renewed if not terminated before. Unlike {@link Core#subscribe} the subscription isn’t sent immediately. It will be send when calling {@link Event#sendSubscribe}. T///    Create an outgoing subscription, specifying the destination resource, the event
)///    name, and an optional content body. 
Q/// If accepted, the subscription runs for a finite period, but is automatically
H/// renewed if not terminated before. Unlike {@link Core#subscribe} the
M/// subscription isn't sent immediately. It will be send when calling {@link
/// Event#sendSubscribe}. 
/// 
4/// - Parameter resource: the destination resource 
'/// - Parameter event: the event name 
C/// - Parameter expires: the whished duration of the subscription 
/// 
/// 
J/// - Returns: a `Event` holding the context of the created subcription. 
L!>jq(µs:14HDLLinPhoneSDK7CallLogC8durationSivp-Get the duration of the call since connected.3/// Get the duration of the call since connected. 
5/// - Returns: The duration of the call in seconds. 
6(¾±k/Rs:14HDLLinPhoneSDK15MediaEncryptionO4SRTPyA2CmFUse SRTP media encryption. /// Use SRTP media encryption. 
[/~lliqs:14HDLLinPhoneSDK16ChatRoomDelegateC31onParticipantAdminStatusChanged2cr8eventLogyAA0dE0C_AA05EventN0CtF\Callback used to notify a chat room that the admin status of a participant has been changed.S///    Callback used to notify a chat room that the admin status of a participant has
///    been changed. 
-/// - Parameter cr: LinphoneChatRoom object 
E/// - Parameter eventLog: LinphoneEventLog The event to be notified 
/// 
÷/¼Ö=ãs:14HDLLinPhoneSDK11InfoMessageC9addHeader4name5valueySS_SStF+Add a header to an info message to be sent.1///    Add a header to an info message to be sent. 
'/// - Parameter name: the header'name 
+/// - Parameter value: the header's value 
/// 
k58Ÿ1*s:14HDLLinPhoneSDK4CallC014transferTargetD0ACSgvp€When this call has received a transfer request, returns the new call that was automatically created as a result of the transfer.R/// When this call has received a transfer request, returns the new call that was
8/// automatically created as a result of the transfer. 
8®cñdps:14HDLLinPhoneSDK12CoreDelegateC18onCallStateChanged2lc4call6cstate7messageyAA0D0C_AA0G0CAL0H0OSStF!Call state notification callback.'///    Call state notification callback. 
&/// - Parameter lc: the LinphoneCore 
?/// - Parameter call: the call object whose state is changed. 
3/// - Parameter cstate: the new state of the call 
K/// - Parameter message: a non nil informational message about the state. 
/// 
;~ÀÑAÞs:14HDLLinPhoneSDK4CallC8getStats4typeAA0dF0CSgAA10StreamTypeO_tFBReturn a copy of the call statistics for a particular stream type.H///    Return a copy of the call statistics for a particular stream type. 
'/// - Parameter type: the stream type 
/// 
=ž8“+Zs:14HDLLinPhoneSDK4CoreC13staticPictureSSvp]Get the path to the image file streamed when â€œStatic picture” is set as the video device.P/// Get the path to the image file streamed when "Static picture" is set as the
/// video device. 
S/// - Returns: The path to the image file streamed when "Static picture" is set as
/// the video device. 
ëANÙ;ms:14HDLLinPhoneSDK4CoreC22previewVideoDefinitionAA0fG0CSgvp)Get the definition of the captured video.//// Get the definition of the captured video. 
Q/// - Returns: The captured `VideoDefinition` if it was previously set by {@link
O/// Core#setPreviewVideoDefinition}, otherwise a 0x0 LinphoneVideoDefinition. 
/// 
8/// - See also: {@link Core#setPreviewVideoDefinition} 
ÎC®µ!¤s:14HDLLinPhoneSDK5VcardC3urlSSvpGets the URL of the vCard. /// Gets the URL of the vCard. 
J/// - Returns: the URL of the vCard in the CardDAV server, otherwise nil 
nCþWsFus:14HDLLinPhoneSDK6ConfigC6getInt7section3key12defaultValueSiSS_SSSitF Retrieves a configuration item as an integer, given its section, key, and default value. The default integer value is returned if the config item isn’t found.N///    Retrieves a configuration item as an integer, given its section, key, and
///    default value. 
K/// The default integer value is returned if the config item isn't found. 
EXÚ2Õs:14HDLLinPhoneSDK5VcardC03addB6Number5phoneySS_tF9Adds a phone number in the vCard, using the TEL property.?///    Adds a phone number in the vCard, using the TEL property. 
0/// - Parameter phone: the phone number to add 
/// 
oEŽb<:Ws:14HDLLinPhoneSDK8DialPlanC16lookupCccFromIso3isoSiSS_tFZRFunction to get call country code from ISO 3166-1 alpha-2 code, ex: FR returns 33.S///    Function to get call country code from ISO 3166-1 alpha-2 code, ex: FR returns
    ///    33. 
*/// - Parameter iso: country code alpha2 
/// 
/// 
5/// - Returns: call country code or -1 if not found 
¸Hª[3Rs:14HDLLinPhoneSDK4CallC5StateO12OutgoingInityA2EmFOutgoing call initialized. /// Outgoing call initialized. 
ÔHÎ{=Ös:14HDLLinPhoneSDK4CoreC31isFriendListSubscriptionEnabledSbvp=Returns whether or not friend lists subscription are enabled.C/// Returns whether or not friend lists subscription are enabled. 
6/// - Returns: whether or not the feature is enabled 
«Jžl=/Œs:14HDLLinPhoneSDK4CoreC9addFriend2fryAA0F0C_tFkAdd a friend to the current buddy list, if subscription attribute  is set, a SIP SUBSCRIBE message is sent.Q///    Add a friend to the current buddy list, if subscription attribute  is set, a
$///    SIP SUBSCRIBE message is sent. 
%/// - Parameter fr: `Friend` to add 
/// 
/// 
=/// - deprecated: use {@link FriendList#addFriend} instead. 
PŽçaHUs:14HDLLinPhoneSDK13XmlRpcRequestC16currentCallbacksAA0deF8DelegateCSgvpXGet the current LinphoneXmlRpcRequestCbs object associated with a LinphoneXmlRpcRequest.F/// Get the current LinphoneXmlRpcRequestCbs object associated with a
/// LinphoneXmlRpcRequest. 
O/// - Returns: The current LinphoneXmlRpcRequestCbs object associated with the
/// LinphoneXmlRpcRequest. 
‡Sþf:-Ðs:14HDLLinPhoneSDK5VcardC14skipValidationSbvp6Returns the skipFieldValidation property of the vcard.</// Returns the skipFieldValidation property of the vcard. 
>/// - Returns: the skipFieldValidation property of the vcard 
lS.qƒ(ís:14HDLLinPhoneSDK7ContentC8fileSizeSivpNGet the file size if content is either a FileContent or a FileTransferContent.T/// Get the file size if content is either a FileContent or a FileTransferContent. 
+/// - Returns: The represented file size. 
BS´·=¨s:14HDLLinPhoneSDK4CoreC18getChatRoomFromUri2toAA0fG0CSgSS_tFÛGet a basic chat room for messaging from a sip uri like sip:joe@sip.linphone.org. If it does not exist yet, it will be created. No reference is transfered to the application. The Core keeps a reference on the chat room.    <///    Get a basic chat room for messaging from a sip uri like
///    sip:joe@sip.linphone.org. 
T/// If it does not exist yet, it will be created. No reference is transfered to the
A/// application. The `Core` keeps a reference on the chat room. 
/// 
;/// - Parameter to: The destination address for messages. 
/// 
/// 
;/// - Returns: `ChatRoom` where messaging can take place. 
eUŽ`As:14HDLLinPhoneSDK22AccountCreatorDelegateC06onLinkD07creator6status4respyAA0dE0C_AI6StatusOSStF(Callback to notify a response of server..///    Callback to notify a response of server. 
8/// - Parameter creator: LinphoneAccountCreator object 
P/// - Parameter status: The status of the LinphoneAccountCreator test existence
&/// operation that has just finished 
/// 
ÛVNr‘2s:14HDLLinPhoneSDK6FriendC18isPresenceReceivedSbvpDTells whether we already received presence information for a friend.J/// Tells whether we already received presence information for a friend. 
O/// - Returns:  if presence information has been received for the friend, true
/// otherwise. 
$YÈò.^s:14HDLLinPhoneSDK4CallC5StateO8UpdatingyA2EmF We have initiated a call update.&/// We have initiated a call update. 
ã[Ž0Hys:14HDLLinPhoneSDK4CoreC18createPresenceNote7content4langAA0fG0CSS_SStKF:Create a PresenceNote with the given content and language.B///    Create a `PresenceNote` with the given content and language. 
A/// - Parameter content: The content of the note to be created. 
?/// - Parameter lang: The language of the note to be created. 
/// 
/// 
3/// - Returns: The created `PresenceNote` object. 
E]Îx1bs:14HDLLinPhoneSDK14ZrtpPeerStatusO7InvalidyA2CmF"Peer URI SAS rejected in database.(/// Peer URI SAS rejected in database. 
Õ^®Í_1s:14HDLLinPhoneSDK4CallC12remoteParamsAA0dF0CSgvp¤Returns call parameters proposed by remote. This is useful when receiving an incoming call, to know whether the remote party supports video, encryption or whatever.1/// Returns call parameters proposed by remote. 
O/// This is useful when receiving an incoming call, to know whether the remote
3/// party supports video, encryption or whatever. 
^Þ@ˆ%€s:14HDLLinPhoneSDK4CoreC9stopAsyncyyF‘Stop asynchronously a Core object after it has been instantiated and started. State changes to Shutdown then {@link Core#iterate} must be called to allow the Core to end asynchronous tasks (terminate call, etc.). When all tasks are finished, State will change to Off. Must be called only if LinphoneGlobalState is On. When LinphoneGlobalState is Off Core can be started again using {@link Core#start}.U///    Stop asynchronously a `Core` object after it has been instantiated and started. 
T/// State changes to Shutdown then {@link Core#iterate} must be called to allow the
N/// Core to end asynchronous tasks (terminate call, etc.). When all tasks are
S/// finished, State will change to Off. Must be called only if LinphoneGlobalState
T/// is On. When LinphoneGlobalState is Off `Core` can be started again using {@link
/// Core#start}.
¤`¾LgcAs:14HDLLinPhoneSDK22AccountCreatorDelegateC09onRecoverD07creator6status4respyAA0dE0C_AI6StatusOSStF(Callback to notify a response of server..///    Callback to notify a response of server. 
8/// - Parameter creator: LinphoneAccountCreator object 
P/// - Parameter status: The status of the LinphoneAccountCreator test existence
&/// operation that has just finished 
/// 
ác~°±qÄs:14HDLLinPhoneSDK12CoreDelegateC34onVersionUpdateCheckResultReceived2lc6result7version3urlyAA0D0C_AA0ghiJ0OS2StFFCallback prototype for reporting the result of a version update check.L///    Callback prototype for reporting the result of a version update check. 
)/// - Parameter lc: LinphoneCore object 
@/// - Parameter result: The result of the version update check 
P/// - Parameter url: The url where to download the new version if the result is
4/// #LinphoneVersionUpdateCheckNewVersionAvailable 
/// 
+c.Á +Ús:14HDLLinPhoneSDK4CoreC14stopDtmfStreamyyFXSpecial function to stop dtmf feed back function. Must be called before entering BG modeL/// Special function to stop dtmf feed back function. Must be called before
/// entering BG mode 
§eN!ö.As:14HDLLinPhoneSDK13PresenceModelC7contactSSvp%Gets the contact of a presence model.+/// Gets the contact of a presence model. 
S/// - Returns: A pointer to a dynamically allocated string containing the contact,
#/// or nil if no contact is found.
/// 
>/// The returned string is to be freed by calling ms_free(). 
ÌfÂÂ#Qs:14HDLLinPhoneSDK4CallC6resumeyyKFVResumes a call. The call needs to have been paused previously with {@link Call#pause}.///    Resumes a call. 
L/// The call needs to have been paused previously with {@link Call#pause}. 
/// 
,/// - Returns: 0 on success, -1 on failure 
/// 
$/// - See also: {@link Call#pause} 
#l.¨hqs:14HDLLinPhoneSDK16ChatRoomDelegateC46onParticipantRegistrationSubscriptionRequested2cr15participantAddryAA0dE0C_AA7AddressCtFbCallback used when a group chat room server is subscribing to registration state of a participant.O///    Callback used when a group chat room server is subscribing to registration
///    state of a participant. 
-/// - Parameter cr: LinphoneChatRoom object 
9/// - Parameter participantAddr: LinphoneAddress object 
/// 
ln‹ïx3s:14HDLLinPhoneSDK4CoreC38createPresenceModelWithActivityAndNote7acttype11description4note4langAA0fG0CAA0fI4TypeO_S3StKFjCreate a PresenceModel with the given activity type, activity description, note content and note language. Q///    Create a `PresenceModel` with the given activity type, activity description,
%///    note content and note language. 
R/// - Parameter acttype: The LinphonePresenceActivityType to set for the activity
/// of the created model. 
R/// - Parameter description: An additional description of the activity to set for
K/// the activity. Can be nil if no additional description is to be added. 
Q/// - Parameter note: The content of the note to be added to the created model. 
R/// - Parameter lang: The language of the note to be added to the created model. 
/// 
/// 
4/// - Returns: The created `PresenceModel` object. 
Dm~Z¨\Ès:14HDLLinPhoneSDK16ChatRoomDelegateC18onConferenceJoined2cr8eventLogyAA0dE0C_AA05EventL0CtF4Callback used to notify a chat room has been joined.:///    Callback used to notify a chat room has been joined. 
-/// - Parameter cr: LinphoneChatRoom object 
/// 
pŽ '/[s:14HDLLinPhoneSDK14ChatRoomParamsC7isValidSbvpC/// - Returns:  if the given parameters are valid, true otherwise 
q^mÁCs:14HDLLinPhoneSDK4CoreC22isMediaFilterSupported10filternameSbSS_tF•Checks if the given media filter is loaded and usable. This is for advanced users of the library, mainly to expose mediastreamer video filter status.<///    Checks if the given media filter is loaded and usable. 
T/// This is for advanced users of the library, mainly to expose mediastreamer video
/// filter status. 
/// 
-/// - Parameter filtername: the filter name 
/// 
/// 
I/// - Returns: true if the filter is loaded and usable, false otherwise 
vtŽ     †s:14HDLLinPhoneSDK4CoreC3mtuSivp4Returns the maximum transmission unit size in bytes.:/// Returns the maximum transmission unit size in bytes. 
Àv~ÔÁ3Ds:14HDLLinPhoneSDK6ReasonO17AddressIncompleteyA2CmFAddress incomplete./// Address incomplete. 
œv.ìœ/Rs:14HDLLinPhoneSDK15MediaEncryptionO4DTLSyA2CmFUse DTLS media encryption. /// Use DTLS media encryption. 
]vÎ60«s:14HDLLinPhoneSDK4CoreC9natPolicyAA03NatF0CSgvp}Get The policy that is used to pass through NATs/firewalls. It may be overridden by a NAT policy for a specific proxy config.A/// Get The policy that is used to pass through NATs/firewalls. 
G/// It may be overridden by a NAT policy for a specific proxy config. 
/// 
*/// - Returns: `NatPolicy` object in use.
/// 
2/// - See also: {@link ProxyConfig#getNatPolicy} 
Âx.¨(µs:14HDLLinPhoneSDK6TunnelC9connectedSbyF&Check whether the tunnel is connected.,///    Check whether the tunnel is connected. 
C/// - Returns: A boolean value telling if the tunnel is connected 
Wy. Õ@îs:14HDLLinPhoneSDK15PresenceServiceC11basicStatusAA0d5BasicG0Ovp,Gets the basic status of a presence service.2/// Gets the basic status of a presence service. 
O/// - Returns: The LinphonePresenceBasicStatus of the `PresenceService` object
/// given as parameter. 
ù{.ã+Æs:14HDLLinPhoneSDK11PayloadTypeC6numberSivp8Returns the payload type number assigned for this codec.>/// Returns the payload type number assigned for this codec. 
0/// - Returns: The number of the payload type. 
ª~ÎBÇ:Ås:14HDLLinPhoneSDK7FactoryC12createConfig4pathAA0F0CSS_tKFCreates an object Config.!///    Creates an object `Config`. 
./// - Parameter path: the path of the config 
/// 
/// 
/// - Returns: a `Config` 
‚~B'4Ìs:14HDLLinPhoneSDK4CallC5StateO13EarlyUpdatingyA2EmFQWe are updating the call while not yet answered (SIP UPDATE in early dialog sent)P/// We are updating the call while not yet answered (SIP UPDATE in early dialog
 /// sent) 
æ‚>©)Ts:14HDLLinPhoneSDK8LogLevelV7WarningACvpZLevel for warning messages.!/// Level for warning messages. 
R‰>Àš6ês:14HDLLinPhoneSDK4CoreC14deleteChatRoom2cryAA0fG0C_tFGRemoves a chatroom including all message history from the LinphoneCore.M///    Removes a chatroom including all message history from the LinphoneCore. 
)/// - Parameter cr: A `ChatRoom` object 
/// 
NŠÎ,#2·s:14HDLLinPhoneSDK13PresenceModelC10clearNotesyyKF)Clears all the notes of a presence model.////    Clears all the notes of a presence model. 
?/// - Returns: 0 if successful, a value < 0 in case of error. 
ÙŒî–\?¹s:14HDLLinPhoneSDK4CallC22terminateWithErrorInfo2eiyAA0gH0C_tKFTerminates a call.///    Terminates a call. 
!/// - Parameter ei: `ErrorInfo` 
/// 
/// 
,/// - Returns: 0 on success, -1 on failure 
-5³*ôs:14HDLLinPhoneSDK4CoreC12ringerDeviceSSvpAGets the name of the currently assigned sound device for ringing.G/// Gets the name of the currently assigned sound device for ringing. 
L/// - Returns: The name of the currently assigned sound device for ringing 
܏îH74´s:14HDLLinPhoneSDK16PresenceActivityC8userDataSvSgvp0Gets the user data of a PresenceActivity object.8/// Gets the user data of a `PresenceActivity` object. 
,/// - Returns: A pointer to the user data. 
Ðn<,:s:14HDLLinPhoneSDK12SearchResultC6weightSuvp"/// - Returns: the result weight 
CÎJ®s:14HDLLinPhoneSDK17SecurityEventTypeO28EncryptionIdentityKeyChangedyA2CmFHPeer device instant messaging encryption identity key has changed event.N/// Peer device instant messaging encryption identity key has changed event. 
¬“þ¥m?As:14HDLLinPhoneSDK11ProxyConfigC25isPushNotificationAllowedSbvpUIndicates whether to add to the contact parameters the push notification information.M/// Indicates whether to add to the contact parameters the push notification
/// information. 
M/// - Returns: True if push notification informations should be added, false
/// otherwise. 
“ÞÞ/3s:14HDLLinPhoneSDK14ChatRoomParamsC10rttEnabledSbvpTGet the real time text status of the chat room associated with the given parameters.M/// Get the real time text status of the chat room associated with the given
/// parameters. 
>/// - Returns:  if real time text is enabled, true otherwise 
ÞŸCLs:14HDLLinPhoneSDK14AccountCreatorC0B12NumberStatusO8TooShortyA2EmFPhone number too short./// Phone number too short. 
ržî6(ûs:14HDLLinPhoneSDK8ChatRoomC7isEmptySbvpFReturns whether or not a ChatRoom has at least one ChatMessage or not.P/// Returns whether or not a `ChatRoom` has at least one `ChatMessage` or not. 
E/// - Returns: true if there are no `ChatMessage`, false otherwise. 
ПÎìÁ4±s:14HDLLinPhoneSDK14AccountCreatorC11phoneNumberSSvp)Get the RFC 3966 normalized phone number.//// Get the RFC 3966 normalized phone number. 
9/// - Returns: The phone number of the `AccountCreator` 
€ >‹Ý@ s:14HDLLinPhoneSDK14AccountCreatorC17createProxyConfigAA0gH0CyKFUCreate and configure a proxy config and a authentication info for an account creator.Q///    Create and configure a proxy config and a authentication info for an account
///    creator. 
D/// - Returns: A `ProxyConfig` object if successful, nil otherwise 
‰¡žP:3às:14HDLLinPhoneSDK7CallLogC12localAddressAA0G0CSgvpFGet the local address (that is from or to depending on call direction)L/// Get the local address (that is from or to depending on call direction) 
./// - Returns: The local address of the call 
9¢>Wz0>s:14HDLLinPhoneSDK6ReasonO14NotImplementedyA2CmFNot implemented./// Not implemented. 
¢¾?aAMs:14HDLLinPhoneSDK14PresencePersonC10getNthNote3idxAA0dH0CSgSu_tF'Gets the nth note of a presence person.-///    Gets the nth note of a presence person. 
S/// - Parameter idx: The index of the note to get (the first note having the index
    /// 0). 
/// 
/// 
S/// - Returns: A pointer to a `PresenceNote` object if successful, nil otherwise. 
÷¤. Œ-Ûs:14HDLLinPhoneSDK4CoreC15zrtpSecretsFileSSvp8Get the path to the file storing the zrtp secrets cache.>/// Get the path to the file storing the zrtp secrets cache. 
E/// - Returns: The path to the file storing the zrtp secrets cache. 
¥nC#Qs:14HDLLinPhoneSDK14LinphoneObjectCClass basic linphone class/// Class basic linphone class
צþÐ%4¢s:14HDLLinPhoneSDK4CoreC9chatRoomsSayAA8ChatRoomCGvpReturns an list of chat rooms.$/// Returns an list of chat rooms. 
@/// - Returns: A list of `ChatRoom` objects. LinphoneChatRoom  
‚¦¾ä+s:14HDLLinPhoneSDK4CoreC13downloadPtimeSivpvGet audio packetization time linphone expects to receive from peer. A value of zero means that ptime is not specified.I/// Get audio packetization time linphone expects to receive from peer. 
8/// A value of zero means that ptime is not specified. 
˜¬àMTs:14HDLLinPhoneSDK14AccountCreatorC14PasswordStatusO17InvalidCharactersyA2EmFContain invalid characters.!/// Contain invalid characters. 
d­~ L¿s:14HDLLinPhoneSDK4CoreC14getPayloadType4type4rate8channelsAA0fG0CSgSS_S2itFGet payload type from mime type and clock rate. This function searches in audio and video codecs for the given payload type name and clockrate.5///    Get payload type from mime type and clock rate. 
P/// This function searches in audio and video codecs for the given payload type
/// name and clockrate. 
/// 
@/// - Parameter type: payload mime type (I.E SPEEX, PCMU, VP8) 
@/// - Parameter rate: can be LINPHONE_FIND_PAYLOAD_IGNORE_RATE 
5/// - Parameter channels: number of channels, can be
+/// LINPHONE_FIND_PAYLOAD_IGNORE_CHANNELS 
/// 
/// 
T/// - Returns: Returns nil if not found. If a `PayloadType` is returned, it must be
?/// released with linphone_payload_type_unref after using it. 
/// 
S/// - Warning: The returned payload type is allocated as a floating reference i.e.
0/// the reference counter is initialized to 0. 
j±Žì:$s:14HDLLinPhoneSDK7FactoryC12getConfigDir7contextSSSvSg_tFGet the config path.///    Get the config path. 
Q/// - Parameter context: used to compute path. can be nil. JavaPlatformHelper on
;/// Android and char *appGroupId on iOS with shared core. 
/// 
/// 
 /// - Returns: The config path 
²¾™É<øs:14HDLLinPhoneSDK4CallC16currentCallbacksAA0D8DelegateCSgvp³Gets the current LinphoneCallCbs. This is meant only to be called from a callback to be able to get the user_data associated with the LinphoneCallCbs that is calling the callback.'/// Gets the current LinphoneCallCbs. 
T/// This is meant only to be called from a callback to be able to get the user_data
G/// associated with the LinphoneCallCbs that is calling the callback. 
/// 
F/// - Returns: The LinphoneCallCbs that has called the last callback 
ïµ c=Ës:14HDLLinPhoneSDK8ChatRoomC20lastMessageInHistoryAA0dG0CSgvp>Gets the last chat message sent or received in this chat room.D/// Gets the last chat message sent or received in this chat room. 
)/// - Returns: the latest `ChatMessage` 
Ò¸(s:14HDLLinPhoneSDK11ProxyConfigC4edityyFZStarts editing a proxy configuration. Because proxy configuration must be consistent, applications MUST call {@link ProxyConfig#edit} before doing any attempts to modify proxy configuration (such as identity, proxy address and so on). Once the modifications are done, then the application must call {@link ProxyConfig#done} to commit the changes.+///    Starts editing a proxy configuration. 
R/// Because proxy configuration must be consistent, applications MUST call {@link
T/// ProxyConfig#edit} before doing any attempts to modify proxy configuration (such
Q/// as identity, proxy address and so on). Once the modifications are done, then
O/// the application must call {@link ProxyConfig#done} to commit the changes. 
(»~gD*Fs:14HDLLinPhoneSDK4CallC13stopRecordingyyFStop call recording.///    Stop call recording. 
)Âha1Ÿs:14HDLLinPhoneSDK9CallStatsC14senderLossRateSfvp*Get the local loss rate since last report.0/// Get the local loss rate since last report. 
%/// - Returns: The sender loss rate 
yĞ¿6Os:14HDLLinPhoneSDK8ChatRoomC15getHistoryRange5begin3endSayAA0D7MessageCGSi_SitFXGets the partial list of messages in the given range, sorted from oldest to most recent. P///    Gets the partial list of messages in the given range, sorted from oldest to
///    most recent. 
T/// - Parameter begin: The first message of the range to be retrieved. History most
!/// recent message has index 0. 
S/// - Parameter end: The last message of the range to be retrieved. History oldest
S/// message has index of history size - 1 (use linphone_chat_room_get_history_size
/// to retrieve history size) 
/// 
/// 
Q/// - Returns: A list of `ChatMessage` objects. LinphoneChatMessage  The objects
T/// inside the list are freshly allocated with a reference counter equal to one, so
S/// they need to be freed on list destruction with bctbx_list_free_with_data() for
/// instance.   
ðÅ~=E95s:14HDLLinPhoneSDK13ImNotifPolicyC17recvImdnDeliveredSbvpKTell whether imdn delivered notifications are being notified when received.Q/// Tell whether imdn delivered notifications are being notified when received. 
T/// - Returns: Boolean value telling whether imdn delivered notifications are being
/// notified when received. 
`Ǟô¾5s:14HDLLinPhoneSDK11InfoMessageC9getHeader4nameS2S_tF3Obtain a header value from a received info message.9///    Obtain a header value from a received info message. 
'/// - Parameter name: the header'name 
/// 
/// 
H/// - Returns: the corresponding header's value, or nil if not exists. 
l͞ðñ:Es:14HDLLinPhoneSDK6ConfigC15loadFromXmlFile8filenameS2S_tFPReads a xml config file and fill the Config with the read config dynamic values.O///    Reads a xml config file and fill the `Config` with the read config dynamic
 ///    values. 
N/// - Parameter filename: The filename of the config file to read to fill the
/// `Config` 
/// 
+ÔÕ/¶s:14HDLLinPhoneSDK4CoreC17videoMulticastTtlSivp5Use to get multicast ttl to be used for video stream.;/// Use to get multicast ttl to be used for video stream. 
&/// - Returns: a time to leave value 
ÕάÓUs:14HDLLinPhoneSDK9UpnpStateOEnum describing uPnP states.!///Enum describing uPnP states. 
Ç×^&9Rs:14HDLLinPhoneSDK4CallC5StateO18OutgoingEarlyMediayA2EmFOutgoing call early media. /// Outgoing call early media. 
×ÜîNdBJs:14HDLLinPhoneSDK14AccountCreatorC0B12NumberStatusO7TooLongyA2EmFPhone number too long./// Phone number too long. 
sß®G7%s:14HDLLinPhoneSDK4CoreC18removeLinphoneSpec4specySS_tF^Remove the given linphone specs from the list of functionalities the linphone client supports.R///    Remove the given linphone specs from the list of functionalities the linphone
///    client supports. 
*/// - Parameter spec: The spec to remove 
/// 
‘ánlÆ)s:14HDLLinPhoneSDK5VcardC10familyNameSSvpVReturns the family name in the N attribute of the vCard, or nil if it isn’t set yet.T/// Returns the family name in the N attribute of the vCard, or nil if it isn't set
 
/// yet. 
5/// - Returns: the family name of the vCard, or nil 
fáÞ,.Hs:14HDLLinPhoneSDK4CallC6StatusO7AbortedyA2EmFThe call was aborted./// The call was aborted. 
Èán_‹2us:14HDLLinPhoneSDK7FactoryC12createBufferAA0F0CyKFCreates an object Buffer.!///    Creates an object `Buffer`. 
/// - Returns: a `Buffer` 
âYW8ãs:14HDLLinPhoneSDK4CoreC26isMediaEncryptionMandatorySbvp=Check if the configured media encryption is mandatory or not.C/// Check if the configured media encryption is mandatory or not. 
C/// - Returns:  if media encryption is mandatory; true otherwise. 
®ã>éÊKzs:14HDLLinPhoneSDK12EventLogTypeO34ConferenceParticipantDeviceRemovedyA2CmF.Conference participant device (removed) event.4/// Conference participant device (removed) event. 
6ãŽ.vHBs:14HDLLinPhoneSDK14AccountCreatorC15TransportStatusO11UnsupportedyA2EmFTransport invalid./// Transport invalid. 
UéÎ@Ñ,žs:14HDLLinPhoneSDK4CallC9toAddressAA0F0CSgvp@Returns the to address with its headers associated to this call.F/// Returns the to address with its headers associated to this call. 
é.ÚqH[s:14HDLLinPhoneSDK14AccountCreatorC16currentCallbacksAA0dE8DelegateCSgvpZGet the current LinphoneAccountCreatorCbs object associated with a LinphoneAccountCreator.G/// Get the current LinphoneAccountCreatorCbs object associated with a
/// LinphoneAccountCreator. 
P/// - Returns: The current LinphoneAccountCreatorCbs object associated with the
/// LinphoneAccountCreator. 
yëî™R:s:14HDLLinPhoneSDK14AccountCreatorC07recoverD0AC6StatusOyF%Send a request to recover an account.+///    Send a request to recover an account. 
S/// - Returns: LinphoneAccountCreatorStatusRequestOk if the request has been sent,
9/// LinphoneAccountCreatorStatusRequestFailed otherwise 
ð~ ê-ˆs:14HDLLinPhoneSDK4CallC15microphoneMutedSbvpGet microphone muted state.!/// Get microphone muted state. 
,/// - Returns: The microphone muted state. 
ù÷N“R3€s:14HDLLinPhoneSDK8IceStateO15RelayConnectionyA2CmF1ICE has established a connection through a relay.7/// ICE has established a connection through a relay. 
JüþöIõs:14HDLLinPhoneSDK12CallDelegateC23onNextVideoFrameDecoded4callyAA0D0C_tF7Callback to notify a next video frame has been decoded.=///    Callback to notify a next video frame has been decoded. 
T/// - Parameter call: LinphoneCall for which the next video frame has been decoded 
/// 
ìü~ÉF‰s:14HDLLinPhoneSDK10ConferenceC17removeParticipant3uriyAA7AddressC_tKF'Remove a participant from a conference.-///    Remove a participant from a conference. 
;/// - Parameter uri: SIP URI of the participant to remove 
/// 
/// 
M/// - Warning: The passed SIP URI must be one of the URIs returned by {@link
!/// Conference#getParticipants} 
/// 
-/// - Returns: 0 if succeeded, -1 if failed 
ý^¸ý.ˆs:14HDLLinPhoneSDK6ReasonO12UnauthorizedyA2CmF5Operation is unauthorized because missing credential.;/// Operation is unauthorized because missing credential. 
–/®!žs:14HDLLinPhoneSDK12SearchResultC@The LinphoneSearchResult object represents a result of a search.F/// The LinphoneSearchResult object represents a result of a search. 
>/êE"s:14HDLLinPhoneSDK14PresencePersonC11addActivity8activityyAA0dG0C_tKF&Adds an activity to a presence person.,///    Adds an activity to a presence person. 
O/// - Parameter activity: The `PresenceActivity` object to add to the person. 
/// 
/// 
?/// - Returns: 0 if successful, a value < 0 in case of error. 
ð_q#%Fs:14HDLLinPhoneSDK6ReasonO4BusyyA2CmFPhone line was busy./// Phone line was busy. 
’O‡²=Ds:14HDLLinPhoneSDK14AccountCreatorC6StatusO0D9NotLinkedyA2EmFAccount not linked./// Account not linked. 
MÏf°&Ñs:14HDLLinPhoneSDK7ContentC6isTextSbvp0Tells whether or not this content contains text.6/// Tells whether or not this content contains text. 
K/// - Returns: True if this content contains plain text, false otherwise. 
FÏÖ9ûs:14HDLLinPhoneSDK8ChatRoomC17conferenceAddressAA0G0CSgvp,Get the conference address of the chat room.2/// Get the conference address of the chat room. 
S/// - Returns: The conference address of the chat room or nil if this type of chat
"/// room is not conference based 
ÈŸ/ø%ds:14HDLLinPhoneSDK6ReasonO4NoneyA2CmF#No reason has been set by the core.)/// No reason has been set by the core. 
Œÿ¸•1¦s:14HDLLinPhoneSDK6FriendC17subscribesEnabledSbvpget subscription flag value!/// get subscription flag value 
J/// - Returns: returns true is subscription is activated for this friend 
)?KˆFPs:14HDLLinPhoneSDK14AccountCreatorC6StatusO19WrongActivationCodeyA2EmFError key doesn’t match./// Error key doesn't match. 
P"¯ þTs:14HDLLinPhoneSDK8ChatRoomC21getHistoryRangeEvents5begin3endSayAA8EventLogCGSi_SitFVGets the partial list of events in the given range, sorted from oldest to most recent. S///    Gets the partial list of events in the given range, sorted from oldest to most
 ///    recent. 
R/// - Parameter begin: The first event of the range to be retrieved. History most
/// recent event has index 0. 
Q/// - Parameter end: The last event of the range to be retrieved. History oldest
)/// event has index of history size - 1 
/// 
/// 
R/// - Returns: A list of `EventLog` objects. LinphoneEventLog  The objects inside
R/// the list are freshly allocated with a reference counter equal to one, so they
N/// need to be freed on list destruction with bctbx_list_free_with_data() for
/// instance.   
ñ&Ÿ´-Õs:14HDLLinPhoneSDK4CoreC15wifiOnlyEnabledSbvp/Tells whether Wifi only mode is enabled or not.5/// Tells whether Wifi only mode is enabled or not. 
Q/// - Returns: A boolean value telling whether Wifi only mode is enabled or not 
(oÿó4©s:14HDLLinPhoneSDK8EventLogC12localAddressAA0G0CSgvp0Returns the local address of a conference event.6/// Returns the local address of a conference event. 
#/// - Returns: The local address. 
è*¿\-cs:14HDLLinPhoneSDK4CoreC21createPresenceService2id11basicStatus7contactAA0fG0CSS_AA0f5BasicJ0OSStKFECreate a PresenceService with the given id, basic status and contact.M///    Create a `PresenceService` with the given id, basic status and contact. 
:/// - Parameter id: The id of the service to be created. 
M/// - Parameter basicStatus: The basic status of the service to be created. 
T/// - Parameter contact: A string containing a contact information corresponding to
 /// the service to be created. 
/// 
/// 
6/// - Returns: The created `PresenceService` object. 
G.ÿ^4nis:14HDLLinPhoneSDK12CoreDelegateC30onMessageReceivedUnableDecrypt2lc4room7messageyAA0D0C_AA8ChatRoomCAA0nG0CtF.Chat message not decrypted callback prototype.4///    Chat message not decrypted callback prototype. 
)/// - Parameter lc: LinphoneCore object 
P/// - Parameter room: LinphoneChatRoom involved in this conversation. Can be be
Q/// created by the framework in case the from  is not present in any chat room. 
/// 
(0ï\¢68s:14HDLLinPhoneSDK24AccountCreatorAlgoStatusO2OkyA2CmF Algorithm ok./// Algorithm ok. 
1/TQ9:s:14HDLLinPhoneSDK14AccountCreatorC6StatusO0D5ExistyA2EmFAccount exist./// Account exist. 
C2?(
0ºs:14HDLLinPhoneSDK4CoreC18addAllToConferenceyyKFšAdd all current calls into the conference. If no conference is running a new internal conference context is created and all current calls are added to it.0///    Add all current calls into the conference. 
Q/// If no conference is running a new internal conference context is created and
(/// all current calls are added to it. 
/// 
:/// - Returns: 0 if succeeded. Negative number if failed 
7ÿþÓ3 s:14HDLLinPhoneSDK4CoreC15videoPortsRangeAA0G0CSgvp]Get the video port range from which is randomly chosen the UDP port used for video streaming.Q/// Get the video port range from which is randomly chosen the UDP port used for
/// video streaming. 
!/// - Returns: a `Range` object 
8ï»þ*¥s:14HDLLinPhoneSDK11ProxyConfigC5realmSSvp(Get the realm of the given proxy config../// Get the realm of the given proxy config. 
//// - Returns: The realm of the proxy config. 
;ÿÄâZs:14HDLLinPhoneSDK12CoreDelegateC18onCallStatsUpdated2lc4call5statsyAA0D0C_AA0G0CAA0gH0CtF4Callback for receiving quality statistics for calls.:///    Callback for receiving quality statistics for calls. 
&/// - Parameter lc: the LinphoneCore 
 /// - Parameter call: the call 
-/// - Parameter stats: the call statistics. 
/// 
=o§"/Ès:14HDLLinPhoneSDK4CoreC13dnsServersAppSaySSGvp¢Forces liblinphone to use the supplied list of dns servers, instead of system’s ones and set dns_set_by_app at true or false according to value of servers list.T/// Forces liblinphone to use the supplied list of dns servers, instead of system's
O/// ones and set dns_set_by_app at true or false according to value of servers
 /// list. 
Q/// - Parameter servers: A list of const char * objects. const char *  A list of
R/// strings containing the IP addresses of DNS servers to be used. Setting to nil
T/// restores default behaviour, which is to use the DNS server list provided by the
,/// system. The list is copied internally. 
/// 
”CŸÑgF²s:14HDLLinPhoneSDK6FriendC20consolidatedPresenceAA012ConsolidatedF0Ovp*Get the consolidated presence of a friend.0/// Get the consolidated presence of a friend. 
8/// - Returns: The consolidated presence of the friend 
!E3à/js:14HDLLinPhoneSDK4CoreC17terminateAllCallsyyKFTerminates all the calls.///    Terminates all the calls. 
/// - Returns: 0 
¬F߯V2Os:14HDLLinPhoneSDK4CoreC16videoDevicesListSaySSGvp5Gets the list of the available video capture devices.;/// Gets the list of the available video capture devices. 
R/// - Returns: A list of char * objects. char *  An unmodifiable array of strings
M/// contanining the names of the available video capture devices that is nil
/// terminated 
 
F¶w;ùs:14HDLLinPhoneSDK10FriendListC22isSubscriptionBodylessSbvpBGet wheter the subscription of the friend list is bodyless or not.H/// Get wheter the subscription of the friend list is bodyless or not. 
O/// - Returns: Wheter the subscription of the friend list is bodyless or not. 
DIŸ5‘2Ts:14HDLLinPhoneSDK6ReasonO16MovedPermanentlyyA2CmFResource moved permanently.!/// Resource moved permanently. 
™N/î£IRs:14HDLLinPhoneSDK14AccountCreatorC20ActivationCodeStatusO8TooShortyA2EmFActivation code too short. /// Activation code too short. 
[R,A²s:14HDLLinPhoneSDK6TunnelC12removeServer12tunnelConfigyAA0dH0C_tF%Remove a tunnel server configuration.+///    Remove a tunnel server configuration. 
5/// - Parameter tunnelConfig: `TunnelConfig` object 
/// 
YRDý;Þs:14HDLLinPhoneSDK4CallC5StateO20EarlyUpdatedByRemoteyA2EmFZThe call is updated by remote while not yet answered (SIP UPDATE in early dialog received)N/// The call is updated by remote while not yet answered (SIP UPDATE in early
/// dialog received) 
åS
¡@·s:14HDLLinPhoneSDK4CoreC27createDefaultChatRoomParamsAA0ghI0CyKF5Creates and returns the default chat room parameters.;///    Creates and returns the default chat room parameters. 
'/// - Returns: LinphoneChatRoomParams 
6T¯Ù£&_s:14HDLLinPhoneSDK8AuthInfoC5realmSSvpGets the realm./// Gets the realm. 
/// - Returns: The realm. 
´T/Š•4s:14HDLLinPhoneSDK4CoreC16createFriendListAA0fG0CyKF%Create a new empty FriendList object.-///    Create a new empty `FriendList` object. 
+/// - Returns: A new `FriendList` object. 
8U¿9;s:14HDLLinPhoneSDK4CoreC15addToConference4callyAA4CallC_tKF’Add a participant to the conference. If no conference is going on a new internal conference context is created and the participant is added to it.*///    Add a participant to the conference. 
R/// If no conference is going on a new internal conference context is created and
%/// the participant is added to it. 
/// 
D/// - Parameter call: The current call with the participant to add 
/// 
/// 
:/// - Returns: 0 if succeeded. Negative number if failed 
#VïÓWN…s:14HDLLinPhoneSDK6ConfigC13getDefaultInt7section3key12defaultValueSiSS_SSSitF¨Retrieves a default configuration item as an integer, given its section, key, and default value. The default integer value is returned if the config item isn’t found.R///    Retrieves a default configuration item as an integer, given its section, key,
///    and default value. 
K/// The default integer value is returned if the config item isn't found. 
ZïÏP7Ks:14HDLLinPhoneSDK11ProxyConfigC17contactParametersSSvp3/// - Returns: previously set contact parameters. 
Zr.cÁs:14HDLLinPhoneSDK6ConfigC8getRange7section3key3min3max10defaultMin0K3MaxSbSS_SSSpys5Int32VGAMS2itFbRetrieves a configuration item as a range, given its section, key, and default min and max values.S///    Retrieves a configuration item as a range, given its section, key, and default
///    min and max values. 
S/// - Returns:  if the value is successfully parsed as a range, true otherwise. If
O/// true is returned, min and max are filled respectively with default_min and
/// default_max values. 
#ZáÞE=s:14HDLLinPhoneSDK4CoreC20createAccountCreator9xmlrpcUrlAA0fG0CSS_tKF;Create a AccountCreator and set Linphone Request callbacks.C///    Create a `AccountCreator` and set Linphone Request callbacks. 
L/// - Parameter xmlrpcUrl: The URL to the XML-RPC server. Must be NON nil. 
/// 
/// 
1/// - Returns: The new `AccountCreator` object. 
([?UŒ# s:14HDLLinPhoneSDK6FriendC4nameSSvp%Get the display name for this friend.+/// Get the display name for this friend. 
0/// - Returns: The display name of this friend 
%\O–6%fs:14HDLLinPhoneSDK4CallC8durationSivp%Returns call’s duration in seconds.)/// Returns call's duration in seconds. 
ô^x‰s:14HDLLinPhoneSDK19ChatMessageDelegateC18onFileTransferSend3msg7content6offset4sizeAA6BufferCSgAA0dE0C_AA7ContentCS2itF¥File transfer send callback prototype. This function is called by the core when an outgoing file transfer is started. This function is called until size is set to 0. ,///    File transfer send callback prototype. 
S/// This function is called by the core when an outgoing file transfer is started.
5/// This function is called until size is set to 0. 
/// 
S/// - Parameter msg: LinphoneChatMessage message from which the body is received. 
;/// - Parameter content: LinphoneContent outgoing content 
P/// - Parameter offset: the offset in the file from where to get the data to be
 
/// sent 
E/// - Parameter size: the number of bytes expected by the framework 
/// 
/// 
T/// - Returns: A LinphoneBuffer object holding the data written by the application.
(/// An empty buffer means end of file. 
ð^Ͼ4)Ðs:14HDLLinPhoneSDK4CoreC11videoDeviceSSvp6Returns the name of the currently active video device.</// Returns the name of the currently active video device. 
>/// - Returns: The name of the currently active video device 
    _ÿ؜/ns:14HDLLinPhoneSDK8ChatRoomC14allowMultipartyyF(Allow multipart on a basic chat room   ..///    Allow multipart on a basic chat room   . 
ábô‹*”s:14HDLLinPhoneSDK5EventC4coreAA4CoreCSgvp9Returns back pointer to the Core that created this Event.C/// Returns back pointer to the `Core` that created this `Event`. 
Écÿ›¶s:14HDLLinPhoneSDK5EventCDObject representing an event state, which is subcribed or published.J/// Object representing an event state, which is subcribed or published. 
&/// - See also: {@link Core#publish} 
/// 
(/// - See also: {@link Core#subscribe} 
ÈdÿzÿBós:14HDLLinPhoneSDK16ConferenceParamsC23localParticipantEnabledSbvp>Returns whether local participant has to enter the conference.D/// Returns whether local participant has to enter the conference. 
Q/// - Returns: if true, local participant is by default part of the conference. 
gOc.És:14HDLLinPhoneSDK10CallParamsC8userDataSvSgvp2Get the user data associated with the call params.8/// Get the user data associated with the call params. 
?/// - Returns: The user data associated with the call params. 
\hoîT*¤s:14HDLLinPhoneSDK21VideoActivationPolicyCCStructure describing policy regarding video streams establishments.I/// Structure describing policy regarding video streams establishments. 
wh¿Åš?rs:14HDLLinPhoneSDK14PlayerDelegateC12onEofReached3objyAA0D0C_tF*Callback for notifying end of play (file).0///    Callback for notifying end of play (file). 
9k?¼Ñ"ƒs:14HDLLinPhoneSDK13TransportTypeO3Enum describing transport type for LinphoneAddress.8///Enum describing transport type for LinphoneAddress. 
Æl?Úg#\s:14HDLLinPhoneSDK6ConfigC4syncyyKFWrites the config file to disk.%///    Writes the config file to disk. 
<oŸ©+´s:14HDLLinPhoneSDK4CallC13cameraEnabledSbvpKReturns true if camera pictures are allowed to be sent to the remote party.Q/// Returns true if camera pictures are allowed to be sent to the remote party. 
ëv° :Vs:14HDLLinPhoneSDK12EventLogTypeO17ConferenceCallEndyA2CmFConference call (end) event."/// Conference call (end) event. 
/vO8À,ns:14HDLLinPhoneSDK9UpnpStateO8RemovingyA2CmF(Internal use: Only used by port binding../// Internal use: Only used by port binding. 
Ëwψ}(ßs:14HDLLinPhoneSDK4CoreC11stopRingingyyFÔWhenever the liblinphone is playing a ring to advertise an incoming call or ringback of an outgoing call, this function stops the ringing. Typical use is to stop ringing when the user requests to ignore the call.P///    Whenever the liblinphone is playing a ring to advertise an incoming call or
D///    ringback of an outgoing call, this function stops the ringing. 
O/// Typical use is to stop ringing when the user requests to ignore the call. 
©y?²Lls:14HDLLinPhoneSDK4CoreC26createConferenceWithParams6paramsAA0F0CAA0fH0C_tKFCreate a conference.///    Create a conference. 
O/// - Parameter params: Parameters of the conference. See `ConferenceParams`. 
/// 
/// 
P/// - Returns: A pointer on the freshly created conference. That object will be
U/// automatically freed by the core after calling {@link Core#terminateConference}. 
3‚OD¶1ìs:14HDLLinPhoneSDK11ChatMessageC11forwardInfoSSvp/Gets the forward info if available as a string.5/// Gets the forward info if available as a string. 
Q/// - Returns: the original sender of the message if it has been forwarded, null
/// otherwise 
˜„¯Ë,Is:14HDLLinPhoneSDK4CallC14averageQualitySfvpReturns call quality averaged over all the duration of the call. See {@link Call#getCurrentQuality} for more details about quality measurement.F/// Returns call quality averaged over all the duration of the call. 
T/// See {@link Call#getCurrentQuality} for more details about quality measurement. 
é…ßæI ks:14HDLLinPhoneSDK4CallC6StatusO'Enum representing the status of a call.,///Enum representing the status of a call. 
ÆŠ?[è<s:14HDLLinPhoneSDK14PresencePersonC7addNote4noteyAA0dG0C_tKF!Adds a note to a presence person.'///    Adds a note to a presence person. 
G/// - Parameter note: The `PresenceNote` object to add to the person. 
/// 
/// 
?/// - Returns: 0 if successful, a value < 0 in case of error. 
ñŒß¦sVs:14HDLLinPhoneSDK12CoreDelegateC21onIsComposingReceived2lc4roomyAA0D0C_AA8ChatRoomCtF-Is composing notification callback prototype.3///    Is composing notification callback prototype. 
)/// - Parameter lc: LinphoneCore object 
F/// - Parameter room: LinphoneChatRoom involved in the conversation. 
/// 
'ÿQ '·s:14HDLLinPhoneSDK10FriendListC3uriSSvp,Get the URI associated with the friend list.2/// Get the URI associated with the friend list. 
9/// - Returns: The URI associated with the friend list. 
I•o‡x]Ës:14HDLLinPhoneSDK18FriendListDelegateC18onPresenceReceived4list7friendsyAA0dE0C_SayAA0D0CGtFXCallback used to notify a list with all friends that have received presence information.P///    Callback used to notify a list with all friends that have received presence
///    information. 
M/// - Parameter list: The LinphoneFriendList object for which the status has
 /// changed 
T/// - Parameter friends: A A list of LinphoneFriend objects. LinphoneFriend  of the
/// relevant friends 
/// 
4—ïg$9s:14HDLLinPhoneSDK14AccountCreatorC06updateD0AC6StatusOyF$Send a request to update an account.*///    Send a request to update an account. 
S/// - Returns: LinphoneAccountCreatorStatusRequestOk if the request has been sent,
9/// LinphoneAccountCreatorStatusRequestFailed otherwise 
“›?(¯f“s:14HDLLinPhoneSDK4CoreC17createLocalPlayer13soundCardName012videoDisplayJ08windowIdAA0G0CSS_SSSvSgtKFWCreate an independent media file player. This player support WAVE and MATROSKA formats. .///    Create an independent media file player. 
4/// This player support WAVE and MATROSKA formats. 
/// 
R/// - Parameter soundCardName: Playback sound card. If nil, the ringer sound card
 /// set in `Core` will be used 
R/// - Parameter videoDisplayName: Video display. If nil, the video display set in
/// `Core` will be used 
I/// - Parameter windowId: Id of the drawing window. Depend of video out 
/// 
/// 
=/// - Returns: A pointer on the new instance. nil if faild. 
; /Ü7s:14HDLLinPhoneSDK14AccountCreatorC04linkD0AC6StatusOyF.Send a request to link an account to an alias.4///    Send a request to link an account to an alias. 
S/// - Returns: LinphoneAccountCreatorStatusRequestOk if the request has been sent,
9/// LinphoneAccountCreatorStatusRequestFailed otherwise 
Ž¡?+H2s:14HDLLinPhoneSDK8ChatRoomC16ephemeralEnabledSbvpQReturns whether or not the ephemeral message feature is enabled in the chat room.P/// Returns whether or not the ephemeral message feature is enabled in the chat
 /// room. 
?/// - Returns: true if ephemeral is enabled, false otherwise. 
Ì®Û%Ós:14HDLLinPhoneSDK4CoreC8ringbackSSvp7Returns the path to the wav file used for ringing back.=/// Returns the path to the wav file used for ringing back. 
?/// - Returns: The path to the wav file used for ringing back 
Û°£F+²s:14HDLLinPhoneSDK10CallParamsC7privacySuvp,Get requested level of privacy for the call.2/// Get requested level of privacy for the call. 
4/// - Returns: The privacy mode used for the call. 
N±/à=És:14HDLLinPhoneSDK9CallStatsC26receiverInterarrivalJitterSfvp-Gets the remote reported interarrival jitter.3/// Gets the remote reported interarrival jitter. 
I/// - Returns: The interarrival jitter at last received receiver report 
s³¯b­0Äs:14HDLLinPhoneSDK6FriendC12phoneNumbersSaySSGvp0Returns a list of phone numbers for this friend.6/// Returns a list of phone numbers for this friend. 
>/// - Returns: A list of const char * objects. const char *  
&´ßSº3´s:14HDLLinPhoneSDK11PayloadTypeC13normalBitrateSivp!Get the normal bitrate in bits/s.'/// Get the normal bitrate in bits/s. 
L/// - Returns: The normal bitrate in bits/s or -1 if an error has occured. 
©¶Ïß"Õs:14HDLLinPhoneSDK13ImNotifPolicyCÉPolicy to use to send/receive instant messaging composing/delivery/display notifications. The sending of this information is done as in the RFCs 3994 (is_composing) and 5438 (imdn delivered/displayed).O/// Policy to use to send/receive instant messaging composing/delivery/display
/// notifications. 
S/// The sending of this information is done as in the RFCs 3994 (is_composing) and
&/// 5438 (imdn delivered/displayed). 
_ºÿAKižs:14HDLLinPhoneSDK16ChatRoomDelegateC21onIsComposingReceived2cr10remoteAddr02isI0yAA0dE0C_AA7AddressCSbtF-Is composing notification callback prototype.3///    Is composing notification callback prototype. 
C/// - Parameter cr: LinphoneChatRoom involved in the conversation 
U/// - Parameter remoteAddr: The address that has sent the is-composing notification 
K/// - Parameter isComposing: A boolean value telling whether the remote is
/// composing or not 
/// 
    ºÿ´PM}s:14HDLLinPhoneSDK12CoreDelegateC16onCallLogUpdated2lc5newclyAA0D0C_AA0gH0CtFfCallback to notify a new call-log entry has been added. This is done typically when a call terminates.=///    Callback to notify a new call-log entry has been added. 
4/// This is done typically when a call terminates. 
/// 
&/// - Parameter lc: the LinphoneCore 
6/// - Parameter newcl: the new call log entry added. 
/// 
ºo¡k]þs:14HDLLinPhoneSDK4CoreC22createPresenceActivity7acttype11descriptionAA0fG0CAA0fG4TypeO_SStKF>Create a PresenceActivity with the given type and description.F///    Create a `PresenceActivity` with the given type and description. 
T/// - Parameter acttype: The LinphonePresenceActivityType to set for the activity. 
R/// - Parameter description: An additional description of the activity to set for
K/// the activity. Can be nil if no additional description is to be added. 
/// 
/// 
7/// - Returns: The created `PresenceActivity` object. 
A½Êg5Ls:14HDLLinPhoneSDK21ChatRoomSecurityLevelO4SafeyA2CmFEncrypted and verified./// Encrypted and verified. 
"Àÿ²ËK@s:14HDLLinPhoneSDK11ParticipantC10findDevice7addressAA0dF0CSgAA7AddressC_tFFFind a device in the list of devices from a chat room’s participant.J///    Find a device in the list of devices from a chat room's participant. 
-/// - Parameter address: A `Address` object 
/// 
/// 
A/// - Returns: a #LinphoneParticipantDevice or nil if not found 
–Äÿ¨+.…s:14HDLLinPhoneSDK8EventLogC4typeAA0dE4TypeOvp Returns the type of a event log.&/// Returns the type of a event log. 
/// - Returns: The event type 
ïÆ_F.ôs:14HDLLinPhoneSDK4CoreC16rtpBundleEnabledSbvp°Returns whether RTP bundle mode (also known as Media Multiplexing) is enabled. See https://tools.ietf.org/html/draft-ietf-mmusic-sdp-bundle-negotiation-54 for more information.T/// Returns whether RTP bundle mode (also known as Media Multiplexing) is enabled. 
T/// See https://tools.ietf.org/html/draft-ietf-mmusic-sdp-bundle-negotiation-54 for
/// more information. 
/// 
H/// - Returns: a boolean indicating the enablement of rtp bundle mode. 
ßÇ_B4±s:14HDLLinPhoneSDK8DialPlanC18countryCallingCodeSSvp1Returns the country calling code of the dialplan.7/// Returns the country calling code of the dialplan. 
)/// - Returns: the country calling code 
ºÉ?˜-”s:14HDLLinPhoneSDK6FriendC5vcardAA5VcardCSgvp;Returns the vCard object associated to this friend, if any.A/// Returns the vCard object associated to this friend, if any. 
,ʏ    >fs:14HDLLinPhoneSDK17SubscriptionStateO16IncomingReceivedyA2CmF$An incoming subcription is received.*/// An incoming subcription is received. 
»ÊoŸr;,s:14HDLLinPhoneSDK4CoreC16rejectSubscriber2lfyAA6FriendC_tF]Black list a friend. same as {@link Friend#setIncSubscribePolicy} with LinphoneSPDeny policy;///    Black list a friend. 
N/// same as {@link Friend#setIncSubscribePolicy} with LinphoneSPDeny policy; 
/// 
%/// - Parameter lf: `Friend` to add 
/// 
‰Ï^ê$@s:14HDLLinPhoneSDK7ContentC4sizeSivppGet the content data buffer size, excluding null character despite null character is always set for convenience.L/// Get the content data buffer size, excluding null character despite null
./// character is always set for convenience. 
./// - Returns: The content data buffer size. 
KÐïȒ>`s:14HDLLinPhoneSDK17SubscriptionStateO16OutgoingProgressyA2CmF!An outgoing subcription was sent.'/// An outgoing subcription was sent. 
ºѯõ(õs:14HDLLinPhoneSDK7AddressC8asStringSSyFeReturns the address as a string. The returned char * must be freed by the application. Use ms_free().&///    Returns the address as a string. 
J/// The returned char * must be freed by the application. Use ms_free(). 
ŸÑ?,[Os:14HDLLinPhoneSDK6ConfigC16getDefaultString7section3key12defaultValueS2S_S2StF¥Retrieves a default configuration item as a string, given its section, key, and default value. The default value string is returned if the config item isn’t found.T///    Retrieves a default configuration item as a string, given its section, key, and
///    default value. 
J/// The default value string is returned if the config item isn't found. 
ÕïáJ+¡s:14HDLLinPhoneSDK5VcardC12organizationSSvp#Gets the Organization of the vCard.)/// Gets the Organization of the vCard. 
5/// - Returns: the Organization of the vCard or nil 
iÖÿzE2‚s:14HDLLinPhoneSDK4CallC13currentParamsAA0dF0CSgvp2Returns current parameters associated to the call.8/// Returns current parameters associated to the call. 
ðÛ?ҟAPs:14HDLLinPhoneSDK12EventLogTypeO24ConferenceSubjectChangedyA2CmFConference subject event./// Conference subject event. 
7ÜmEps:14HDLLinPhoneSDK8ChatRoomC35ephemeralSupportedByAllParticipantsSbyFÜUses linphone spec to check if all participants support ephemeral messages. It doesn’t prevent to send ephemeral messages in the room but those who don’t support it won’t delete messages after lifetime has expired.Q///    Uses linphone spec to check if all participants support ephemeral messages. 
R/// It doesn't prevent to send ephemeral messages in the room but those who don't
B/// support it won't delete messages after lifetime has expired. 
/// 
K/// - Returns: true if all participants in the chat room support ephemeral
/// messages, false otherwise 
êàϗӠ_s:14HDLLinPhoneSDK6TunnelC4ModeO!Enum describing the tunnel modes.&///Enum describing the tunnel modes. 
LáŸ&xUs:14HDLLinPhoneSDK16ChatRoomDelegateC16onEphemeralEvent2cr8eventLogyAA0dE0C_AA0iL0CtFWCallback used to notify a chat room that an ephemeral related event has been generated.Q///    Callback used to notify a chat room that an ephemeral related event has been
///    generated. 
-/// - Parameter cr: LinphoneChatRoom object 
/// 
üâé 0zs:14HDLLinPhoneSDK12PublishStateO8ProgressyA2CmF.An outgoing publish was created and submitted.4/// An outgoing publish was created and submitted. 
†äƒ:Os:14HDLLinPhoneSDK11ProxyConfigC20contactUriParametersSSvp7/// - Returns: previously set contact URI parameters. 
    ä/þÒ2bs:14HDLLinPhoneSDK14MediaDirectionO8SendOnlyyA2CmF"No active media not supported yet.(/// No active media not supported yet. 
Vå?ŒE[s:14HDLLinPhoneSDK7FactoryC20createCoreWithConfig6config13systemContextAA0F0CAA0H0C_SvSgtKFµInstantiate a Core object with a given LinphoneConfig. The Core object is the primary handle for doing all phone actions. It should be unique within your application. The Core object is not started automatically, you need to call {@link Core#start} to that effect. The returned Core will be in LinphoneGlobalState Ready. Core ressources can be released using {@link Core#stop} which is strongly encouraged on garbage collected languages.>///    Instantiate a `Core` object with a given LinphoneConfig. 
S/// The `Core` object is the primary handle for doing all phone actions. It should
H/// be unique within your application. The `Core` object is not started
T/// automatically, you need to call {@link Core#start} to that effect. The returned
Q/// `Core` will be in LinphoneGlobalState Ready. Core ressources can be released
N/// using {@link Core#stop} which is strongly encouraged on garbage collected
/// languages. 
/// 
S/// - Parameter config: A `Config` object holding the configuration for the `Core`
/// to be instantiated. 
T/// - Parameter systemContext: A pointer to a system object required by the core to
R/// operate. Currently it is required to pass an android Context on android, pass
/// nil on other platforms. 
/// 
/// 
0/// - See also: linphone_factory_create_core_3 
诀}5s:14HDLLinPhoneSDK14ChatRoomParamsC12groupEnabledSbvpPGet the group chat status of the chat room associated with the given parameters.I/// Get the group chat status of the chat room associated with the given
/// parameters. 
>/// - Returns:  if group chat is enabled, true if one-to-one 
ìŸõ©,Ás:14HDLLinPhoneSDK4CallC14currentQualitySfvpxObtain real-time quality rating of the call. Based on local RTP statistics and RTCP feedback, a quality rating is computed and updated during all the duration of the call. This function returns its value at the time of the function call. It is expected that the rating is updated at least every 5 seconds or so. The rating is a floating point number comprised between 0 and 5. 2/// Obtain real-time quality rating of the call. 
R/// Based on local RTP statistics and RTCP feedback, a quality rating is computed
O/// and updated during all the duration of the call. This function returns its
N/// value at the time of the function call. It is expected that the rating is
R/// updated at least every 5 seconds or so. The rating is a floating point number
/// comprised between 0 and 5.
/// 
S/// 4-5 = good quality  3-4 = average quality  2-3 = poor quality  1-2 = very poor
4/// quality  0-1 = can't be worse, mostly unusable 
/// 
S/// - Returns: The function returns -1 if no quality measurement is available, for
N/// example if no active audio stream exist. Otherwise it returns the quality
 /// rating. 
ñôŸ¨Ó+›s:14HDLLinPhoneSDK10TransportsC7udpPortSivp+Gets the UDP port in the Transports object.3/// Gets the UDP port in the `Transports` object. 
/// - Returns: the UDP port 
Iö¿9•7s:14HDLLinPhoneSDK4CoreC25NativeVideoWindowIdStringSSvp1Get the native window handle of the video window.6/// Get the native window handle of the video window.
Wû¿Ü›7¹s:14HDLLinPhoneSDK13PresenceModelC15clearActivitiesyyKF*Clears the activities of a presence model.0///    Clears the activities of a presence model. 
?/// - Returns: 0 if successful, a value < 0 in case of error. 
Ø”¶® ¾—
$  Ù  gQE¦ÌÃ5aDGt L!Ý!›#$ %/&’'™(Æ)Ü-æ/p2>3`466u79·:_<­=L>§?BvC.E=FcG/IaK.LVM¸NŽOÒQ¼RêTOWÕXZÍZ&]®]_Æ_ê`|cCgBh    i®jMk    lþl€m±nqÇq×r¼tlw^yšzô{p|C7„%…E‡ÈˆHŠ™‹ÓŒùà^z‘‡”ÖôœžøŸÜ -¢£ð£·¤“¥’¦>§£ª¦¬§­ç®´v¶¹·¹¤»œ¼D½(¾³À!Â6ÄNÅ<ÆÆÇ{ÈÉo˾Ì:ÍУÑcÔ©Õ× ØOÙÚÆÛ–à;áïâ ä"å™ëêìfínîëïÏñÂóPõñö´÷êùqúOüÀýo¸j    E 2 ã ‰.¾Ð$ÝÈ9ï•Ñù"½#P$Ó$ç%¼(ö)¤*6+Ã+‚,-À.ç2Í5ž6¤<±=ÊAºB‚CDÖD<FÍF˜HÅIÎK¦MìN PQãQÌRÄSnUDXÑad3eUf gæg i!j³jk-lØnAoùo|rtîutـ»‚xƒ‹†óˆŠ{‹¤Œh·Ž9â»‘°’&“m”\•±–ϙŸœr¢¡£ ¥å¥#§¯©ä«­¤®Ÿ¯E°…²0µ¤µ–¶¤·Tºè»s½Ò¾Í¿bÂæÃÖÄ—ÇdÈÌÎ$ÐæÒÌÔÙÕˆÖÕØ½Ù`ÚüÜ*ß¶à:á6âñâðã•æûæ¼è/êFí6î(ï–ðó\öŸ÷Òù÷û#ýŒþì8Õì߀9 C fq*ÊAIF9 '"²"W*,Ë-å.34ª4À6¢7¥;À<l@ÅAýB}D—EG@H;IJ8KÞNÿQ«T¤U,Wú[]U_—`•a¯bHckfŽgEiëilm#n›nQr sßtñu®v@w7xÅxby¼zü}¼‚èƒۄ€†­‡‰ñŠ[Œ–Š‘’ “²“˔â˜mš8›ٝPŸ£·¤i¦¨\®Ò®W±+²Þ²t³s´µsµ,¶’·N¸F¹R¾Ñ¿«ÀhÁèÆ„ÇÈ=ÉÌÐmÑ„ÒÓՐÕÖ7ךØ=ÙYÚ
۠ܥÜ{ÞàÊáÉãöçCécë<ìíTî»î™ïƒð‰ñÃò/ó¯ó|ô|ö«÷úáú    üÉüŠÿô“æJ    ­
6 P µàË«UGG "
#6$ç$%J*s+9,-/.Y0y1ˆ3 5 9:6;”@TAvBúBeCZD>F1GHGI°JóK¬L²MdN„O.P^U*V¹VXqYeZ’[x\?]K^Ù_½`bÑb‡dØeÒiçlZopØpt!uèuwùw¨yrz.|O§€0‚¯‚F„å…ú†,‰JŠùŒ’•ë–6˜µ˜¹™ٚޛ—ž–Ÿ    ¡ª¡O¢Î¥T¦(§¶§u¨ªÀ¬’­°A±D³ÚµF¹ãº½»v¾iÉ®ÒQÔÎյցØÂ٤ݨßáæá=åkæ‘çhêëßíBïºðUñ9òWô±÷6øYùú”û½ý»þ®ÿgvQ…ÛØ     " ¼ Ud÷ ñBÑNt/ K$%W&u'))þ)    + ,.V/'153:6è7Í9Ž=ä@ÐAqBC§C~DÁE HxIeJ&LþLN*OÐQ¤S9TÆXœYöZR_Ç`PaõbocÚd–fq5rØrµtwuexyÇy{{·|ÿ}e    ݁Hƒµƒ…†þ† ‡ΈY‰iMä”–ò˜n™uš‚›œ[ž Ÿ[¡”¢£º¤¦§¦¸©ù«­ñ­įS³Þ¸ß¹C»¼ú½LÀðÁ Ã$ÄãÅ—ÆNÈéÈÌ˺Ì=йÒÄÖFصØ9ÚBÜ-ݸÝ7ßîßêàáÍâäaæ8çsè%êëì®íÆî”ïBò~õUömüIÿ ƒ£yº[    ^
0 W m:(L&Q´h*¯ëóò P"B$©%(w)Q,Ä-‡.O1´2ì3Ë7§9e:ì:™=Œ?é@ BõBžCDDFÒHìPQ`RdS¿TWVY§]/_Ò`ÅcÅd²eqf˜g!k+l½l™m‰nqrÜr·sžtNuvmwx9zåz~†kƒKˆ¹kK‘õ‘°’*“”˚ϛªœˆž9 §™§ó¨æ©Òªý«®¯v¯í°q±D²&´•µ©¶ü·ì¸Mº‚»ð½¾„¿ÿ¿ŒÀéǂȷÉ<ÊË`ÌeÍÎÐfÒ’Ó9ÔªÕ–ÖÜ×€ØbÙ:Û Ü$ÝÆÝ¢ÞàájâgçWèzé$í~î~ï^ñØñ[óðóýôjö»÷…økûõû5ýe¢9$À‡G"    à
b N òöÖ÷lì©ty&AúÂKi ¹!A"ì"Æ$:&'9(s+-e.ÿ.y1]2.5F8: ;Ï;¨=J@!AÅALBÝBDëDF^H"I•L`MxO‹PÊQÑU]VÓV’X6Y[Ç\@]>_:`³`Ýa¹bãfk™lDoUpápBx~yfz‹|‰~/‘€ªºŒ.Ž&,=“l”)•ð•â—¯˜‹™ƒžŸ,¢¦Ÿ¦l¨%©Ä©ü¬²ñ´öµY·=¹ÓºÆ»´¼¾-¿”Á#Ã3ÅXdžÉ`ÊzÌ7Î'Ï,Ð"ÑáÑbÒŸÕÖØeÛ;Ü)ßÉßÓà‹áŠã©ätå¾èÜêënìî#ï$ð»ð7òJóÛówö1÷Zørù[üýQþÖþöù¼¯'ËÍ
¯ nñ¦?ô¿eFVñ°D1 :!L&?'((û(×)˜*s+-©-J. /[0S14263‡4N5*6\7e8Á9%;<g=ß>@KAÙBGH%I J´KL`N\O:PIQ”R0SÁUXùX[Zs[ù\H_ `í`»arbcØdGfÎgúkmûmŠn_p,qÐq„rUtïtKwÍw”y7zu{‹|ڀÀǃȄ¾‡҈يŒ…ŒVŽj²‘”¶”e—'˜À˜î™ëš žœŸ£¤)¦åªЫ_¬s¯ܰ¾²ë³~µ4·ι€¼2¾û¿¦ÁÃÆrÈÇÉaÊ0ÌÑÌ@ÒòÓF×ÃØEÚúß,áÄá#ä×äÐç»è÷éöêìšíÈî¿ïÅðåò]ôB÷ß÷ùúqû’ü¨þ¾ÿ@r!:¦è
þ 7µ“oëKØËKä~èeŽ ÷!~$Ê%&N'u*9+,{-ô-†/È0_1D2è2h6x7c8ñ:Ö<R=Ó=Ë?AöA|CF‡G.HýJ‘K:L`NeOÕP.SU]Y.ZÇZÛ_†`RaŠbÍcÒdkfg«g˜hÜiñk·mânepþpXrÀs¬tâv+x2{|à}æ~Ñå€ç܂á„3‹‹[ŽL?‘’3”¥•Q–V™0šòš‘›Tžáž^ ¡M¢E¨˜©“®g¯+°"
h!