File size: 173,830 Bytes
7934b29 | 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 | # Copyright (c) 2022, NVIDIA CORPORATION. All rights reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
import concurrent
import multiprocessing
import os
import shutil
import warnings
from collections import defaultdict
from typing import Dict, Iterable, List, Optional, Tuple, Union
import h5py
import librosa
import matplotlib.pyplot as plt
import numpy as np
import soundfile as sf
import torch
from numpy.random import default_rng
from omegaconf import DictConfig, OmegaConf
from scipy.signal import convolve
from scipy.signal.windows import cosine, hamming, hann
from scipy.spatial.transform import Rotation
from scipy.stats import beta, gamma
from tqdm import tqdm
from nemo.collections.asr.parts.preprocessing.segment import AudioSegment
from nemo.collections.asr.parts.utils.audio_utils import db2mag, mag2db, pow2db, rms
from nemo.collections.asr.parts.utils.manifest_utils import (
create_manifest,
create_segment_manifest,
read_manifest,
write_ctm,
write_manifest,
write_text,
)
from nemo.collections.asr.parts.utils.speaker_utils import (
get_overlap_range,
is_overlap,
labels_to_rttmfile,
merge_float_intervals,
)
from nemo.utils import logging
try:
import pyroomacoustics as pra
from pyroomacoustics.directivities import CardioidFamily, DirectionVector, DirectivityPattern
PRA = True
except ImportError:
PRA = False
try:
from gpuRIR import att2t_SabineEstimator, beta_SabineEstimation, simulateRIR, t2n
GPURIR = True
except ImportError:
GPURIR = False
def clamp_min_list(target_list: List[float], min_val: float) -> List[float]:
"""
Clamp numbers in the given list with `min_val`.
Args:
target_list (list):
List containing floating point numbers
min_val (float):
Desired minimum value to clamp the numbers in `target_list`
Returns:
(list) List containing clamped numbers
"""
return [max(x, min_val) for x in target_list]
def clamp_max_list(target_list: List[float], max_val: float) -> List[float]:
"""
Clamp numbers in the given list with `max_val`.
Args:
target_list (list):
List containing floating point numbers
min_val (float):
Desired maximum value to clamp the numbers in `target_list`
Returns:
(list) List containing clamped numbers
"""
return [min(x, max_val) for x in target_list]
class MultiSpeakerSimulator(object):
"""
Multispeaker Audio Session Simulator - Simulates multispeaker audio sessions using single-speaker audio files and
corresponding word alignments.
Change Log:
v1.0: Dec 2022
- First working verison, supports multispeaker simulation with overlaps, silence and RIR
v1.1: Feb 2023
- Multi-GPU support for speed up
- Faster random sampling routine
- Fixed sentence duration bug
- Silence and overlap length sampling algorithms are updated to guarantee `mean_silence` approximation
Args:
cfg: OmegaConf configuration loaded from yaml file.
Parameters:
manifest_filepath (str): Manifest file with paths to single speaker audio files
sr (int): Sampling rate of the input audio files from the manifest
random_seed (int): Seed to random number generator
session_config:
num_speakers (int): Number of unique speakers per multispeaker audio session
num_sessions (int): Number of sessions to simulate
session_length (int): Length of each simulated multispeaker audio session (seconds). Short sessions
(e.g. ~240 seconds) tend to fall short of the expected overlap-ratio and silence-ratio.
session_params:
sentence_length_params (list): k,p values for a negative_binomial distribution which is sampled to get the
sentence length (in number of words)
dominance_var (float): Variance in speaker dominance (where each speaker's dominance is sampled from a normal
distribution centered on 1/`num_speakers`, and then the dominance values are together
normalized to 1)
min_dominance (float): Minimum percentage of speaking time per speaker (note that this can cause the dominance of
the other speakers to be slightly reduced)
turn_prob (float): Probability of switching speakers after each utterance
mean_overlap (float): Mean proportion of overlap in the overall speaking time (overlap lengths are sampled from
half normal distribution)
mean_silence (float): Mean proportion of silence to speaking time in the audio session. Should be in range [0, 1).
mean_silence_var (float): Variance for mean silence in all audio sessions.
This value should be 0 <= mean_silence_var < mean_silence * (1 - mean_silence).
per_silence_var (float): Variance for each silence in an audio session, set large values (e.g., 20) for de-correlation.
per_silence_min (float): Minimum duration for each silence, default to 0.
per_silence_max (float): Maximum duration for each silence, default to -1 for no maximum.
mean_overlap (float): Mean proportion of overlap in the overall non-silence duration. Should be in range [0, 1) and
recommend [0, 0.15] range for accurate results.
mean_overlap_var (float): Variance for mean overlap in all audio sessions.
This value should be 0 <= mean_overlap_var < mean_overlap * (1 - mean_overlap).
per_overlap_var (float): Variance for per overlap in each session, set large values to de-correlate silence lengths
with the latest speech segment lengths
per_overlap_min (float): Minimum per overlap duration in seconds
per_overlap_max (float): Maximum per overlap duration in seconds, set -1 for no maximum
start_window (bool): Whether to window the start of sentences to smooth the audio signal (and remove silence at
the start of the clip)
window_type (str): Type of windowing used when segmenting utterances ("hamming", "hann", "cosine")
window_size (float): Length of window at the start or the end of segmented utterance (seconds)
start_buffer (float): Buffer of silence before the start of the sentence (to avoid cutting off speech or starting
abruptly)
split_buffer (float): Split RTTM labels if greater than twice this amount of silence (to avoid long gaps between
utterances as being labelled as speech)
release_buffer (float): Buffer before window at end of sentence (to avoid cutting off speech or ending abruptly)
normalize (bool): Normalize speaker volumes
normalization_type (str): Normalizing speakers ("equal" - same volume per speaker, "var" - variable volume per
speaker)
normalization_var (str): Variance in speaker volume (sample from standard deviation centered at 1)
min_volume (float): Minimum speaker volume (only used when variable normalization is used)
max_volume (float): Maximum speaker volume (only used when variable normalization is used)
end_buffer (float): Buffer at the end of the session to leave blank
outputs:
output_dir (str): Output directory for audio sessions and corresponding label files
output_filename (str): Output filename for the wav and RTTM files
overwrite_output (bool): If true, delete the output directory if it exists
output_precision (int): Number of decimal places in output files
background_noise:
add_bg (bool): Add ambient background noise if true
background_manifest (str): Path to background noise manifest file
snr (int): SNR for background noise (using average speaker power)
speaker_enforcement:
enforce_num_speakers (bool): Enforce that all requested speakers are present in the output wav file
enforce_time (list): Percentage of the way through the audio session that enforcement mode is triggered (sampled
between time 1 and 2)
segment_manifest: (parameters for regenerating the segment manifest file)
window (float): Window length for segmentation
shift (float): Shift length for segmentation
step_count (int): Number of the unit segments you want to create per utterance
deci (int): Rounding decimals for segment manifest file
"""
def __init__(self, cfg):
self._params = cfg
# internal params
self._manifest = read_manifest(self._params.data_simulator.manifest_filepath)
self._speaker_samples = self._build_speaker_samples_map()
self._noise_samples = []
self._sentence = None
self._text = ""
self._words = []
self._alignments = []
self._merged_speech_intervals = []
# keep track of furthest sample per speaker to avoid overlapping same speaker
self._furthest_sample = [0 for n in range(self._params.data_simulator.session_config.num_speakers)]
# use to ensure overlap percentage is correct
self._missing_overlap = 0
# creating manifests during online data simulation
self.base_manifest_filepath = None
self.segment_manifest_filepath = None
self._turn_prob_min = self._params.data_simulator.session_params.get("turn_prob_min", 0.5)
# variable speaker volume
self._volume = None
self._device = torch.device("cuda") if torch.cuda.is_available() else torch.device("cpu")
self._audio_read_buffer_dict = {}
self._noise_read_buffer_dict = {}
self.running_speech_len_samples = 0
self.running_silence_len_samples = 0
self.running_overlap_len_samples = 0
self.sess_silence_mean = 0
self.per_silence_min_len = 0
self.per_silence_max_len = 0
self.sess_overlap_mean = 0
self.per_overlap_min_len = 0
self.per_overlap_max_len = 0
self.add_missing_overlap = self._params.data_simulator.session_params.get("add_missing_overlap", False)
self._check_args() # error check arguments
def _check_args(self):
"""
Checks YAML arguments to ensure they are within valid ranges.
"""
if self._params.data_simulator.session_config.num_speakers < 1:
raise Exception("At least one speaker is required for making audio sessions (num_speakers < 1)")
if (
self._params.data_simulator.session_params.turn_prob < 0
or self._params.data_simulator.session_params.turn_prob > 1
):
raise Exception("Turn probability is outside of [0,1]")
elif (
self._params.data_simulator.session_params.turn_prob < self._turn_prob_min
and self._params.data_simulator.speaker_enforcement.enforce_num_speakers == True
):
logging.warning(
"Turn probability is less than {self._turn_prob_min} while enforce_num_speakers=True, which may result in excessive session lengths. Forcing turn_prob to 0.5."
)
self._params.data_simulator.session_params.turn_prob = self._turn_prob_min
if self._params.data_simulator.session_params.sentence_length_params[0] <= 0:
raise Exception(
"k (number of success until the exp. ends) in Sentence length parameter value must be a positive number"
)
if not (0 < self._params.data_simulator.session_params.sentence_length_params[1] <= 1):
raise Exception("p (success probability) value in sentence length parameter must be in range (0,1]")
if (
self._params.data_simulator.session_params.mean_overlap < 0
or self._params.data_simulator.session_params.mean_overlap > 1
):
raise Exception("Mean overlap is outside of [0,1]")
if (
self._params.data_simulator.session_params.mean_silence < 0
or self._params.data_simulator.session_params.mean_silence > 1
):
raise Exception("Mean silence is outside of [0,1]")
if self._params.data_simulator.session_params.mean_silence_var < 0:
raise Exception("Mean silence variance is not below 0")
if (
self._params.data_simulator.session_params.mean_silence > 0
and self._params.data_simulator.session_params.mean_silence_var
>= self._params.data_simulator.session_params.mean_silence
* (1 - self._params.data_simulator.session_params.mean_silence)
):
raise Exception("Mean silence variance should be lower than mean_silence * (1-mean_silence)")
if self._params.data_simulator.session_params.per_silence_var < 0:
raise Exception("Per silence variance is below 0")
if self._params.data_simulator.session_params.mean_overlap_var < 0:
raise Exception("Mean overlap variance is not larger than 0")
if (
self._params.data_simulator.session_params.mean_overlap > 0
and self._params.data_simulator.session_params.mean_overlap_var
>= self._params.data_simulator.session_params.mean_overlap
* (1 - self._params.data_simulator.session_params.mean_overlap)
):
raise Exception("Mean overlap variance should be lower than mean_overlap * (1-mean_overlap)")
if self._params.data_simulator.session_params.per_overlap_var < 0:
raise Exception("Per overlap variance is not larger than 0")
if (
self._params.data_simulator.session_params.min_dominance < 0
or self._params.data_simulator.session_params.min_dominance > 1
):
raise Exception("Minimum dominance is outside of [0,1]")
if (
self._params.data_simulator.speaker_enforcement.enforce_time[0] < 0
or self._params.data_simulator.speaker_enforcement.enforce_time[0] > 1
):
raise Exception("Speaker enforcement start is outside of [0,1]")
if (
self._params.data_simulator.speaker_enforcement.enforce_time[1] < 0
or self._params.data_simulator.speaker_enforcement.enforce_time[1] > 1
):
raise Exception("Speaker enforcement end is outside of [0,1]")
if (
self._params.data_simulator.session_params.min_dominance
* self._params.data_simulator.session_config.num_speakers
> 1
):
raise Exception("Number of speakers times minimum dominance is greater than 1")
if (
self._params.data_simulator.session_params.window_type not in ['hamming', 'hann', 'cosine']
and self._params.data_simulator.session_params.window_type is not None
):
raise Exception("Incorrect window type provided")
if len(self._manifest) == 0:
raise Exception("Manifest file is empty. Check that the source path is correct.")
def clean_up(self):
self._sentence = None
self._words = []
self._alignments = []
self._audio_read_buffer_dict = {}
self._noise_read_buffer_dict = {}
torch.cuda.empty_cache()
def _get_speaker_ids(self) -> List[str]:
"""
Randomly select speaker IDs from the loaded manifest file.
Returns:
speaker_ids (list): List of speaker IDs
"""
all_speaker_ids = list(self._speaker_samples.keys())
idx_list = np.random.permutation(len(all_speaker_ids))[
: self._params.data_simulator.session_config.num_speakers
]
speaker_ids = [all_speaker_ids[i] for i in idx_list]
return speaker_ids
def _build_speaker_samples_map(self) -> Dict:
"""
Build a dictionary for mapping speaker ID to their list of samples
Returns:
speaker_samples (Dict[list]):
Dictionary mapping speaker ID to their list of samples
"""
speaker_samples = defaultdict(list)
logging.info("Building speaker to samples map...")
for sample in tqdm(self._manifest, total=len(self._manifest)):
speaker_id = sample['speaker_id']
speaker_samples[speaker_id].append(sample)
return speaker_samples
def _sample_noise_manifest(self, noise_manifest) -> list:
"""
Sample noise manifest to a specified count `num_noise_files` for the current simulated audio session.
Args:
noise_manifest (list):
List of noise source samples to be sampled from.
Returns:
sampled_noise_manifest (list):
List of noise samples to be used for the current session.
"""
num_noise_files = min(len(noise_manifest), self._params.data_simulator.background_noise.num_noise_files)
sampled_noise_manifest = []
if num_noise_files > 0:
selected_noise_ids = np.random.choice(range(len(noise_manifest)), num_noise_files, replace=False)
for k in selected_noise_ids:
sampled_noise_manifest.append(noise_manifest[k])
return sampled_noise_manifest
def _read_noise_manifest(self):
"""
Read the noise manifest file and sample the noise manifest.
Returns:
noise_manifest (list): List of the entire noise source samples.
"""
noise_manifest = []
if self._params.data_simulator.background_noise.add_bg is True:
if self._params.data_simulator.background_noise.background_manifest is not None:
if os.path.exists(self._params.data_simulator.background_noise.background_manifest):
noise_manifest = read_manifest(self._params.data_simulator.background_noise.background_manifest)
else:
raise FileNotFoundError(
f"Noise manifest file: {self._params.data_simulator.background_noise.background_manifest} file not found."
)
else:
raise FileNotFoundError(
f"Noise manifest file is null. Please provide a valid noise manifest file if add_bg=True."
)
return noise_manifest
def _get_speaker_samples(self, speaker_ids: List[str]) -> Dict[str, list]:
"""
Get a list of the samples for each of the specified speakers.
Args:
speaker_ids (list): LibriSpeech speaker IDs for each speaker in the current session.
Returns:
speaker_wav_align_map (dict): Dictionary containing speaker IDs and their corresponding wav filepath and alignments.
"""
speaker_wav_align_map = defaultdict(list)
for sid in speaker_ids:
speaker_wav_align_map[sid] = self._speaker_samples[sid]
return speaker_wav_align_map
def _load_speaker_sample(
self, speaker_wav_align_map: List[dict], speaker_ids: List[str], speaker_turn: int
) -> str:
"""
Load a sample for the selected speaker ID.
The first alignment and word must be silence that determines the start of the alignments.
Args:
speaker_wav_align_map (dict): Dictionary containing speaker IDs and their corresponding wav filepath and alignments.
speaker_ids (list): LibriSpeech speaker IDs for each speaker in the current session.
speaker_turn (int): Current speaker turn.
Returns:
file_path (str): Path to the desired audio file
"""
speaker_id = speaker_ids[speaker_turn]
file_id = np.random.randint(0, max(len(speaker_wav_align_map[str(speaker_id)]) - 1, 1))
file_dict = speaker_wav_align_map[str(speaker_id)][file_id]
# Check whether the first word is silence and insert a silence token if the first token is not silence.
if file_dict['words'][0] != "":
file_dict['words'].insert(0, "")
file_dict['alignments'].insert(0, 1 / (10 ** self._params.data_simulator.outputs.output_precision))
return file_dict
def _get_speaker_dominance(self) -> List[float]:
"""
Get the dominance value for each speaker, accounting for the dominance variance and
the minimum per-speaker dominance.
Returns:
dominance (list): Per-speaker dominance
"""
dominance_mean = 1.0 / self._params.data_simulator.session_config.num_speakers
dominance = np.random.normal(
loc=dominance_mean,
scale=self._params.data_simulator.session_params.dominance_var,
size=self._params.data_simulator.session_config.num_speakers,
)
dominance = clamp_min_list(dominance, 0)
# normalize while maintaining minimum dominance
total = np.sum(dominance)
if total == 0:
for i in range(len(dominance)):
dominance[i] += self._params.data_simulator.session_params.min_dominance
# scale accounting for min_dominance which has to be added after
dominance = (dominance / total) * (
1
- self._params.data_simulator.session_params.min_dominance
* self._params.data_simulator.session_config.num_speakers
)
for i in range(len(dominance)):
dominance[i] += self._params.data_simulator.session_params.min_dominance
if (
i > 0
): # dominance values are cumulative to make it easy to select the speaker using a random value in [0,1]
dominance[i] = dominance[i] + dominance[i - 1]
return dominance
def _increase_speaker_dominance(
self, base_speaker_dominance: List[float], factor: int
) -> Tuple[List[float], bool]:
"""
Increase speaker dominance for unrepresented speakers (used only in enforce mode).
Increases the dominance for these speakers by the input factor (and then re-normalizes the probabilities to 1).
Args:
base_speaker_dominance (list): Dominance values for each speaker.
factor (int): Factor to increase dominance of unrepresented speakers by.
Returns:
dominance (list): Per-speaker dominance
enforce (bool): Whether to keep enforce mode turned on
"""
increase_percent = []
for i in range(self._params.data_simulator.session_config.num_speakers):
if self._furthest_sample[i] == 0:
increase_percent.append(i)
# ramp up enforce counter until speaker is sampled, then reset once all speakers have spoken
if len(increase_percent) > 0:
# extract original per-speaker probabilities
dominance = np.copy(base_speaker_dominance)
for i in range(len(dominance) - 1, 0, -1):
dominance[i] = dominance[i] - dominance[i - 1]
# increase specified speakers by the desired factor
for i in increase_percent:
dominance[i] = dominance[i] * factor
# renormalize
dominance = dominance / np.sum(dominance)
for i in range(1, len(dominance)):
dominance[i] = dominance[i] + dominance[i - 1]
enforce = True
else: # no unrepresented speakers, so enforce mode can be turned off
dominance = base_speaker_dominance
enforce = False
return dominance, enforce
def _set_speaker_volume(self):
"""
Set the volume for each speaker (either equal volume or variable speaker volume).
"""
if self._params.data_simulator.session_params.normalization_type == 'equal':
self._volume = np.ones(self._params.data_simulator.session_config.num_speakers)
elif self._params.data_simulator.session_params.normalization_type == 'variable':
self._volume = np.random.normal(
loc=1.0,
scale=self._params.data_simulator.session_params.normalization_var,
size=self._params.data_simulator.session_config.num_speakers,
)
self._volume = clamp_min_list(self._volume, self._params.data_simulator.session_params.min_volume)
self._volume = clamp_max_list(self._volume, self._params.data_simulator.session_params.max_volume)
def _get_next_speaker(self, prev_speaker: int, dominance: List[float]) -> int:
"""
Get the next speaker (accounting for turn probability and dominance distribution).
Args:
prev_speaker (int): Previous speaker turn.
dominance (list): Dominance values for each speaker.
Returns:
prev_speaker/speaker_turn (int): Speaker turn
"""
if self._params.data_simulator.session_config.num_speakers == 1:
prev_speaker = 0 if prev_speaker is None else prev_speaker
return prev_speaker
else:
if (
np.random.uniform(0, 1) > self._params.data_simulator.session_params.turn_prob
and prev_speaker is not None
):
return prev_speaker
else:
speaker_turn = prev_speaker
while speaker_turn == prev_speaker: # ensure another speaker goes next
rand = np.random.uniform(0, 1)
speaker_turn = 0
while rand > dominance[speaker_turn]:
speaker_turn += 1
return speaker_turn
def _get_window(self, window_amount: int, start: bool = False):
"""
Get window curve to alleviate abrupt change of time-series signal when segmenting audio samples.
Args:
window_amount (int): Window length (in terms of number of samples).
start (bool): If true, return the first half of the window.
Returns:
window (tensor): Half window (either first half or second half)
"""
if self._params.data_simulator.session_params.window_type == 'hamming':
window = hamming(window_amount * 2)
elif self._params.data_simulator.session_params.window_type == 'hann':
window = hann(window_amount * 2)
elif self._params.data_simulator.session_params.window_type == 'cosine':
window = cosine(window_amount * 2)
else:
raise Exception("Incorrect window type provided")
window = torch.from_numpy(window).to(self._device)
# return the first half or second half of the window
if start:
return window[:window_amount]
else:
return window[window_amount:]
def _get_start_buffer_and_window(self, first_alignment: int) -> Tuple[int, int]:
"""
Get the start cutoff and window length for smoothing the start of the sentence.
Args:
first_alignment (int): Start of the first word (in terms of number of samples).
Returns:
start_cutoff (int): Amount into the audio clip to start
window_amount (int): Window length
"""
window_amount = int(self._params.data_simulator.session_params.window_size * self._params.data_simulator.sr)
start_buffer = int(self._params.data_simulator.session_params.start_buffer * self._params.data_simulator.sr)
if first_alignment < start_buffer:
window_amount = 0
start_cutoff = 0
elif first_alignment < start_buffer + window_amount:
window_amount = first_alignment - start_buffer
start_cutoff = 0
else:
start_cutoff = first_alignment - start_buffer - window_amount
return start_cutoff, window_amount
def _get_end_buffer_and_window(
self, current_sample_cursor: int, remaining_dur_samples: int, remaining_len_audio_file: int
) -> Tuple[int, int]:
"""
Get the end buffer and window length for smoothing the end of the sentence.
Args:
current_sample_cursor (int): Current location in the target file (in terms of number of samples).
remaining_dur_samples (int): Remaining duration in the target file (in terms of number of samples).
remaining_len_audio_file (int): Length remaining in audio file (in terms of number of samples).
Returns:
release_buffer (int): Amount after the end of the last alignment to include
window_amount (int): Window length
"""
window_amount = int(self._params.data_simulator.session_params.window_size * self._params.data_simulator.sr)
release_buffer = int(
self._params.data_simulator.session_params.release_buffer * self._params.data_simulator.sr
)
if current_sample_cursor + release_buffer > remaining_dur_samples:
release_buffer = remaining_dur_samples - current_sample_cursor
window_amount = 0
elif current_sample_cursor + window_amount + release_buffer > remaining_dur_samples:
window_amount = remaining_dur_samples - current_sample_cursor - release_buffer
if remaining_len_audio_file < release_buffer:
release_buffer = remaining_len_audio_file
window_amount = 0
elif remaining_len_audio_file < release_buffer + window_amount:
window_amount = remaining_len_audio_file - release_buffer
return release_buffer, window_amount
def _sample_from_silence_model(self, running_len_samples: int, session_len_samples: int) -> int:
"""
Sample from the silence model to determine the amount of silence to add between sentences.
Gamma distribution is employed for modeling the highly skewed distribution of silence length distribution.
When we add silence between sentences, we want to ensure that the proportion of silence meets the `self.sess_silence_mean`.
Thus, we employ the following formula to determine the amount of silence to add:
running_ratio = running_len_samples / session_len_samples
silence_mean = (session_len_samples*(self.sess_silence_mean) - self.running_silence_len_samples) * running_ratio.
`running_ratio` is the proportion of the created session compared to the targeted total session length.
Args:
running_len_samples (int):
Running length of the session (in terms of number of samples).
session_len_samples (int):
Targeted total session length (in terms of number of samples).
Returns:
silence_amount (int): Amount of silence to add between sentences (in terms of number of samples).
"""
running_ratio = running_len_samples / session_len_samples
silence_mean = (
session_len_samples * (self.sess_silence_mean) - self.running_silence_len_samples
) * running_ratio
silence_mean = max(self.per_silence_min_len, min(silence_mean, self.per_silence_max_len))
if silence_mean > 0:
silence_var = self._params.data_simulator.session_params.per_silence_var
silence_amount = (
int(gamma(a=(silence_mean ** 2) / silence_var, scale=silence_var / silence_mean).rvs())
if silence_var > 0
else int(silence_mean)
)
silence_amount = max(self.per_silence_min_len, min(silence_amount, self.per_silence_max_len))
else:
silence_amount = 0
return silence_amount
def _sample_from_overlap_model(self, non_silence_len_samples: int):
"""
Sample from the overlap model to determine the amount of overlap between segments.
Gamma distribution is employed for modeling the highly skewed distribution of overlap length distribution.
When we add an overlap occurrence, we want to meet the desired overlap ratio defined by `self.sess_overlap_mean`.
Let `overlap_mean` be the desired overlap amount, then the mean and variance of the gamma distribution is given by:
self.sess_overlap_mean = (overlap_mean + self.running_overlap_len_samples) / (overlap_mean + non_silence_len_samples)
The above equation is setting `overlap_mean` to yield the desired overlap ratio `self.sess_overlap_mean`.
We use the above `overlap_mean` value to sample overlap-length for each overlap occurrence.
Args:
non_silence_len_samples (int):
The total amount of non-silence (speech) region regardless of overlap status
Returns:
desired_overlap_amount (int):
Amount of overlap between segments (in terms of number of samples).
"""
overlap_mean = ((self.sess_overlap_mean * non_silence_len_samples) - self.running_overlap_len_samples) / (
1 - self.sess_overlap_mean
)
overlap_mean = max(self.per_overlap_min_len, min(max(0, overlap_mean), self.per_overlap_max_len))
if self.add_missing_overlap:
overlap_mean += self._missing_overlap
if overlap_mean > 0:
overlap_var = self._params.data_simulator.session_params.per_overlap_var
desired_overlap_amount = (
int(gamma(a=overlap_mean ** 2 / overlap_var, scale=overlap_var / overlap_mean).rvs())
if overlap_var > 0
else int(overlap_mean)
)
desired_overlap_amount = max(
self.per_overlap_min_len, min(desired_overlap_amount, self.per_overlap_max_len)
)
else:
desired_overlap_amount = 0
return desired_overlap_amount
def _add_file(
self,
audio_manifest: dict,
audio_file,
sentence_word_count: int,
max_word_count_in_sentence: int,
max_samples_in_sentence: int,
) -> Tuple[int, torch.Tensor]:
"""
Add audio file to current sentence (up to the desired number of words).
Uses the alignments to segment the audio file.
Args:
audio_manifest (dict): Line from manifest file for current audio file
audio_file (tensor): Current loaded audio file
sentence_word_count (int): Running count for number of words in sentence
max_word_count_in_sentence (int): Maximum count for number of words in sentence
max_samples_in_sentence (int): Maximum length for sentence in terms of samples
Returns:
sentence_word_count+current_word_count (int): Running word count
len(self._sentence) (tensor): Current length of the audio file
"""
if len(audio_manifest['alignments']) <= 1:
raise ValueError(f"Alignment file has inappropriate length of {len(audio_manifest['alignments'])}")
offset_idx = np.random.randint(low=1, high=len(audio_manifest['words']))
first_alignment = int(audio_manifest['alignments'][offset_idx - 1] * self._params.data_simulator.sr)
start_cutoff, start_window_amount = self._get_start_buffer_and_window(first_alignment)
if not self._params.data_simulator.session_params.start_window: # cut off the start of the sentence
start_window_amount = 0
# ensure the desired number of words are added and the length of the output session isn't exceeded
sentence_samples = len(self._sentence)
remaining_dur_samples = max_samples_in_sentence - sentence_samples
remaining_duration = max_word_count_in_sentence - sentence_word_count
prev_dur_samples, dur_samples, curr_dur_samples = 0, 0, 0
current_word_count = 0
word_idx = offset_idx
silence_count = 1
while (
current_word_count < remaining_duration
and dur_samples < remaining_dur_samples
and word_idx < len(audio_manifest['words'])
):
dur_samples = int(audio_manifest['alignments'][word_idx] * self._params.data_simulator.sr) - start_cutoff
# check the length of the generated sentence in terms of sample count (int).
if curr_dur_samples + dur_samples > remaining_dur_samples:
# if the upcoming loop will exceed the remaining sample count, break out of the loop.
break
word = audio_manifest['words'][word_idx]
if silence_count > 0 and word == "":
break
self._words.append(word)
self._alignments.append(
float(sentence_samples * 1.0 / self._params.data_simulator.sr)
- float(start_cutoff * 1.0 / self._params.data_simulator.sr)
+ audio_manifest['alignments'][word_idx]
)
if word == "":
word_idx += 1
silence_count += 1
continue
elif self._text == "":
self._text += word
else:
self._text += " " + word
word_idx += 1
current_word_count += 1
prev_dur_samples = dur_samples
curr_dur_samples += dur_samples
# add audio clip up to the final alignment
if self._params.data_simulator.session_params.window_type is not None: # cut off the start of the sentence
if start_window_amount > 0: # include window
window = self._get_window(start_window_amount, start=True)
self._sentence = self._sentence.to(self._device)
self._sentence = torch.cat(
(
self._sentence,
torch.multiply(audio_file[start_cutoff : start_cutoff + start_window_amount], window),
),
0,
)
self._sentence = torch.cat(
(self._sentence, audio_file[start_cutoff + start_window_amount : start_cutoff + prev_dur_samples],), 0,
).to(self._device)
else:
self._sentence = torch.cat(
(self._sentence, audio_file[start_cutoff : start_cutoff + prev_dur_samples]), 0
).to(self._device)
# windowing at the end of the sentence
if (
word_idx < len(audio_manifest['words'])
) and self._params.data_simulator.session_params.window_type is not None:
release_buffer, end_window_amount = self._get_end_buffer_and_window(
prev_dur_samples, remaining_dur_samples, len(audio_file[start_cutoff + prev_dur_samples :]),
)
self._sentence = torch.cat(
(
self._sentence,
audio_file[start_cutoff + prev_dur_samples : start_cutoff + prev_dur_samples + release_buffer],
),
0,
).to(self._device)
if end_window_amount > 0: # include window
window = self._get_window(end_window_amount, start=False)
self._sentence = torch.cat(
(
self._sentence,
torch.multiply(
audio_file[
start_cutoff
+ prev_dur_samples
+ release_buffer : start_cutoff
+ prev_dur_samples
+ release_buffer
+ end_window_amount
],
window,
),
),
0,
).to(self._device)
del audio_file
return sentence_word_count + current_word_count, len(self._sentence)
def _build_sentence(
self,
speaker_turn: int,
speaker_ids: List[str],
speaker_wav_align_map: Dict[str, list],
max_samples_in_sentence: int,
):
"""
Build a new sentence by attaching utterance samples together until the sentence has reached a desired length.
While generating the sentence, alignment information is used to segment the audio.
Args:
speaker_turn (int): Current speaker turn.
speaker_ids (list): LibriSpeech speaker IDs for each speaker in the current session.
speaker_wav_align_map (dict): Dictionary containing speaker IDs and their corresponding wav filepath and alignments.
max_samples_in_sentence (int): Maximum length for sentence in terms of samples
"""
# select speaker length
sl = (
np.random.negative_binomial(
self._params.data_simulator.session_params.sentence_length_params[0],
self._params.data_simulator.session_params.sentence_length_params[1],
)
+ 1
)
# initialize sentence, text, words, alignments
self._sentence = torch.zeros(0, dtype=torch.float64, device=self._device)
self._text = ""
self._words = []
self._alignments = []
sentence_word_count = 0
sentence_samples = 0
# build sentence
while sentence_word_count < sl and sentence_samples < max_samples_in_sentence:
audio_manifest = self._load_speaker_sample(speaker_wav_align_map, speaker_ids, speaker_turn)
if audio_manifest['audio_filepath'] in self._audio_read_buffer_dict:
audio_file, sr = self._audio_read_buffer_dict[audio_manifest['audio_filepath']]
else:
audio_file, sr = sf.read(audio_manifest['audio_filepath'])
audio_file = torch.from_numpy(audio_file).to(self._device)
if audio_file.ndim > 1:
audio_file = torch.mean(audio_file, 1, False).to(self._device)
self._audio_read_buffer_dict[audio_manifest['audio_filepath']] = (audio_file, sr)
sentence_word_count, sentence_samples = self._add_file(
audio_manifest, audio_file, sentence_word_count, sl, max_samples_in_sentence
)
# look for split locations
splits = []
new_start = 0
for i in range(len(self._words)):
if self._words[i] == "" and i != 0 and i != len(self._words) - 1:
silence_length = self._alignments[i] - self._alignments[i - 1]
if (
silence_length > 2 * self._params.data_simulator.session_params.split_buffer
): # split utterance on silence
new_end = self._alignments[i - 1] + self._params.data_simulator.session_params.split_buffer
splits.append(
[
int(new_start * self._params.data_simulator.sr),
int(new_end * self._params.data_simulator.sr),
]
)
new_start = self._alignments[i] - self._params.data_simulator.session_params.split_buffer
splits.append([int(new_start * self._params.data_simulator.sr), len(self._sentence)])
# per-speaker normalization (accounting for active speaker time)
if self._params.data_simulator.session_params.normalize:
if torch.max(torch.abs(self._sentence)) > 0:
split_length = torch.tensor(0).to(self._device).double()
split_sum = torch.tensor(0).to(self._device).double()
for split in splits:
split_length += len(self._sentence[split[0] : split[1]])
split_sum += torch.sum(self._sentence[split[0] : split[1]] ** 2)
average_rms = torch.sqrt(split_sum * 1.0 / split_length)
self._sentence = self._sentence / (1.0 * average_rms) * self._volume[speaker_turn]
def _silence_vs_overlap_selector(self, running_len_samples: int, non_silence_len_samples: int) -> bool:
"""
Compare the current silence ratio to the current overlap ratio. Switch to either silence or overlap mode according
to the amount of the gap between current ratio and session mean in config.
Args:
running_len_samples (int): Length of the current session in samples.
non_silence_len_samples (int): Length of the signal that is not silence in samples.
Returns:
add_overlap (bool): True if the current silence ratio is less than the current overlap ratio, False otherwise.
"""
if running_len_samples > 0:
self.current_silence_ratio = (running_len_samples - self.running_speech_len_samples) / running_len_samples
self.current_overlap_ratio = self.running_overlap_len_samples / non_silence_len_samples
else:
self.current_silence_ratio, self.current_overlap_ratio = 0, 0
self.silence_discrepancy = self.current_silence_ratio - self.sess_silence_mean
self.overlap_discrepancy = self.current_overlap_ratio - self.sess_overlap_mean
add_overlap = self.overlap_discrepancy <= self.silence_discrepancy
return add_overlap
# returns new overlapped (or shifted) start position
def _add_silence_or_overlap(
self,
speaker_turn: int,
prev_speaker: int,
start: int,
length: int,
session_len_samples: int,
prev_len_samples: int,
enforce: bool,
) -> int:
"""
Returns new overlapped (or shifted) start position after inserting overlap or silence.
Args:
speaker_turn (int): The integer index of the current speaker turn.
prev_speaker (int): The integer index of the previous speaker turn.
start (int): Current start of the audio file being inserted.
length (int): Length of the audio file being inserted.
session_len_samples (int): Maximum length of the session in terms of number of samples
prev_len_samples (int): Length of previous sentence (in terms of number of samples)
enforce (bool): Whether speaker enforcement mode is being used
Returns:
new_start (int): New starting position in the session accounting for overlap or silence
"""
running_len_samples = start + length
# `length` is the length of the current sentence to be added, so not included in self.running_speech_len_samples
non_silence_len_samples = self.running_speech_len_samples + length
# compare silence and overlap ratios
add_overlap = self._silence_vs_overlap_selector(running_len_samples, non_silence_len_samples)
# choose overlap if this speaker is not the same as the previous speaker and add_overlap is True.
if prev_speaker != speaker_turn and prev_speaker is not None and add_overlap:
# desired_overlap_amount = self._sample_from_overlap_model(running_len_samples - self.running_silence_len_samples_rttm)
desired_overlap_amount = self._sample_from_overlap_model(non_silence_len_samples)
new_start = start - desired_overlap_amount
# avoid overlap at start of clip
if new_start < 0:
desired_overlap_amount -= 0 - new_start
self._missing_overlap += 0 - new_start
new_start = 0
# if same speaker ends up overlapping from any previous clip, pad with silence instead
if new_start < self._furthest_sample[speaker_turn]:
desired_overlap_amount -= self._furthest_sample[speaker_turn] - new_start
self._missing_overlap += self._furthest_sample[speaker_turn] - new_start
new_start = self._furthest_sample[speaker_turn]
prev_start = start - prev_len_samples
prev_end = start
new_end = new_start + length
# check overlap amount to calculate the actual amount of generated overlaps
overlap_amount = 0
if is_overlap([prev_start, prev_end], [new_start, new_end]):
overlap_range = get_overlap_range([prev_start, prev_end], [new_start, new_end])
overlap_amount = max(overlap_range[1] - overlap_range[0], 0)
if overlap_amount < desired_overlap_amount:
self._missing_overlap += desired_overlap_amount - overlap_amount
self.running_overlap_len_samples += overlap_amount
# if we are not adding overlap, add silence
else:
silence_amount = self._sample_from_silence_model(running_len_samples, session_len_samples)
# truncate the silence if it is going beyond the session length.
if start + length + silence_amount > session_len_samples and not enforce:
new_start = max(session_len_samples - length, start)
else:
new_start = start + silence_amount
return new_start
def _get_background(self, len_array: int, power_array: float):
"""
Augment with background noise (inserting ambient background noise up to the desired SNR for the full clip).
Args:
len_array (int): Length of background noise required.
avg_power_array (float): Average power of the audio file.
Returns:
bg_array (tensor): Tensor containing background noise
"""
bg_array = torch.zeros(len_array).to(self._device)
desired_snr = self._params.data_simulator.background_noise.snr
ratio = 10 ** (desired_snr / 20)
desired_avg_power_noise = (power_array / ratio).to(self._device)
running_len_samples, file_id = 0, 0
while running_len_samples < len_array: # build background audio stream (the same length as the full file)
audio_manifest = self._noise_samples[file_id % len(self._noise_samples)]
file_id += 1
if audio_manifest['audio_filepath'] in self._noise_read_buffer_dict:
audio_file, sr = self._noise_read_buffer_dict[audio_manifest['audio_filepath']]
else:
audio_file, sr = sf.read(audio_manifest['audio_filepath'])
audio_file = torch.from_numpy(audio_file).to(self._device)
if audio_file.ndim > 1:
audio_file = torch.mean(audio_file, 1, False)
self._noise_read_buffer_dict[audio_manifest['audio_filepath']] = (audio_file, sr)
if running_len_samples + len(audio_file) < len_array:
end_audio_file = running_len_samples + len(audio_file)
else:
end_audio_file = len_array
pow_audio_file = torch.mean(audio_file[: end_audio_file - running_len_samples] ** 2).to(self._device)
scaled_audio_file = audio_file[: end_audio_file - running_len_samples] * torch.sqrt(
desired_avg_power_noise / pow_audio_file
).to(self._device)
bg_array[running_len_samples:end_audio_file] = scaled_audio_file
running_len_samples = end_audio_file
return bg_array
def _create_new_rttm_entry(self, start: int, end: int, speaker_id: int) -> List[str]:
"""
Create new RTTM entries (to write to output rttm file)
Args:
start (int): Current start of the audio file being inserted.
end (int): End of the audio file being inserted.
speaker_id (int): LibriSpeech speaker ID for the current entry.
Returns:
rttm_list (list): List of rttm entries
"""
rttm_list = []
new_start = start
# look for split locations
for i in range(len(self._words)):
if self._words[i] == "" and i != 0 and i != len(self._words) - 1:
silence_length = self._alignments[i] - self._alignments[i - 1]
if (
silence_length > 2 * self._params.data_simulator.session_params.split_buffer
): # split utterance on silence
new_end = start + self._alignments[i - 1] + self._params.data_simulator.session_params.split_buffer
t_stt = float(round(new_start, self._params.data_simulator.outputs.output_precision))
t_end = float(round(new_end, self._params.data_simulator.outputs.output_precision))
rttm_list.append(f"{t_stt} {t_end} {speaker_id}")
new_start = start + self._alignments[i] - self._params.data_simulator.session_params.split_buffer
t_stt = float(round(new_start, self._params.data_simulator.outputs.output_precision))
t_end = float(round(end, self._params.data_simulator.outputs.output_precision))
rttm_list.append(f"{t_stt} {t_end} {speaker_id}")
return rttm_list
def _create_new_json_entry(
self, wav_filename: str, start: int, length: int, speaker_id: int, rttm_filepath: str, ctm_filepath: str
) -> dict:
"""
Create new JSON entries (to write to output json file).
Args:
wav_filename (str): Output wav filepath.
start (int): Current start of the audio file being inserted.
length (int): Length of the audio file being inserted.
speaker_id (int): LibriSpeech speaker ID for the current entry.
rttm_filepath (str): Output rttm filepath.
ctm_filepath (str): Output ctm filepath.
Returns:
dict (dict): JSON entry
"""
start = float(round(start, self._params.data_simulator.outputs.output_precision))
length = float(round(length, self._params.data_simulator.outputs.output_precision))
meta = {
"audio_filepath": wav_filename,
"offset": start,
"duration": length,
"label": speaker_id,
"text": self._text,
"num_speakers": self._params.data_simulator.session_config.num_speakers,
"rttm_filepath": rttm_filepath,
"ctm_filepath": ctm_filepath,
"uem_filepath": None,
}
return meta
def _create_new_ctm_entry(self, session_name: str, speaker_id: int, start: int) -> List[str]:
"""
Create new CTM entry (to write to output ctm file)
Args:
session_name (str): Current session name.
start (int): Current start of the audio file being inserted.
speaker_id (int): LibriSpeech speaker ID for the current entry.
Returns:
arr (list): List of ctm entries
"""
arr = []
start = float(round(start, self._params.data_simulator.outputs.output_precision))
for i in range(len(self._words)):
word = self._words[i]
if (
word != ""
): # note that using the current alignments the first word is always empty, so there is no error from indexing the array with i-1
prev_align = 0 if i == 0 else self._alignments[i - 1]
align1 = float(round(prev_align + start, self._params.data_simulator.outputs.output_precision))
align2 = float(
round(self._alignments[i] - prev_align, self._params.data_simulator.outputs.output_precision,)
)
text = f"{session_name} {speaker_id} {align1} {align2} {word} 0\n"
arr.append((align1, text))
return arr
def create_base_manifest_ds(self) -> str:
"""
Create base diarization manifest file for online data simulation.
Returns:
self.base_manifest_filepath (str): Path to manifest file
"""
basepath = self._params.data_simulator.outputs.output_dir
wav_path = os.path.join(basepath, 'synthetic_wav.list')
text_path = os.path.join(basepath, 'synthetic_txt.list')
rttm_path = os.path.join(basepath, 'synthetic_rttm.list')
ctm_path = os.path.join(basepath, 'synthetic_ctm.list')
manifest_filepath = os.path.join(basepath, 'base_manifest.json')
create_manifest(
wav_path,
manifest_filepath,
text_path=text_path,
rttm_path=rttm_path,
ctm_path=ctm_path,
add_duration=False,
)
self.base_manifest_filepath = manifest_filepath
return self.base_manifest_filepath
def create_segment_manifest_ds(self) -> str:
"""
Create segmented diarization manifest file for online data simulation.
Returns:
self.segment_manifest_filepath (str): Path to manifest file
"""
basepath = self._params.data_simulator.outputs.output_dir
output_manifest_filepath = os.path.join(basepath, 'segment_manifest.json')
input_manifest_filepath = self.base_manifest_filepath
window = self._params.data_simulator.segment_manifest.window
shift = self._params.data_simulator.segment_manifest.shift
step_count = self._params.data_simulator.segment_manifest.step_count
deci = self._params.data_simulator.segment_manifest.deci
create_segment_manifest(input_manifest_filepath, output_manifest_filepath, window, shift, step_count, deci)
self.segment_manifest_filepath = output_manifest_filepath
return self.segment_manifest_filepath
def _init_silence_params(self):
"""
Initialize parameters for silence insertion in the current session.
"""
self.running_silence_len_samples = 0
self.running_speech_len_samples = 0
self.per_silence_min_len = int(
max(0, self._params.data_simulator.session_params.per_silence_min) * self._params.data_simulator.sr
)
if self._params.data_simulator.session_params.per_silence_max > 0:
self.per_silence_max_len = int(
self._params.data_simulator.session_params.per_silence_max * self._params.data_simulator.sr
)
else:
self.per_silence_max_len = int(
self._params.data_simulator.session_config.session_length * self._params.data_simulator.sr
)
def _init_overlap_params(self):
"""
Initialize parameters for overlap insertion in the current session.
"""
self.running_overlap_len_samples = 0
self.per_overlap_min_len = int(
max(0, self._params.data_simulator.session_params.per_overlap_min) * self._params.data_simulator.sr
)
if self._params.data_simulator.session_params.per_overlap_max > 0:
self.per_overlap_max_len = int(
self._params.data_simulator.session_params.per_overlap_max * self._params.data_simulator.sr
)
else:
self.per_overlap_max_len = int(
self._params.data_simulator.session_config.session_length * self._params.data_simulator.sr
)
def _get_session_silence_mean(self):
"""
Get the target mean silence for current session using re-parameterized Beta distribution.
The following constraints are applied to make a > 0 and b > 0:
0 < mean_silence < 1
0 < mean_silence_var < mean_silence * (1 - mean_silence)
Args:
silence_mean (float):
Target mean silence for the current session
"""
mean = float(self._params.data_simulator.session_params.mean_silence)
var = float(self._params.data_simulator.session_params.mean_silence_var)
if var > 0:
a = mean ** 2 * (1 - mean) / var - mean
b = mean * (1 - mean) ** 2 / var - (1 - mean)
if a < 0 or b < 0:
raise ValueError(
f"Beta(a, b), a = {a:.3f} and b = {b:.3f} should be both greater than 0. "
f"Invalid `mean_silence_var` value {var} for sampling from Beta distribution. "
f"`mean_silence_var` should be less than `mean_silence * (1 - mean_silence)`. "
f"Please check `mean_silence_var` and try again."
)
silence_mean = beta(a, b).rvs()
else:
silence_mean = mean
return silence_mean
def _get_session_overlap_mean(self):
"""
Get the target mean overlap for current session using re-parameterized Beta distribution.
The following constraints are applied to make a > 0 and b > 0:
0 < mean_overlap < 1
0 < mean_overlap_var < mean_overlap * (1 - mean_overlap)
Returns:
overlap_mean (float):
Target mean overlap for the current session
"""
mean = float(self._params.data_simulator.session_params.mean_overlap)
var = float(self._params.data_simulator.session_params.mean_overlap_var)
if var > 0:
a = mean ** 2 * (1 - mean) / var - mean
b = mean * (1 - mean) ** 2 / var - (1 - mean)
if a < 0 or b < 0:
raise ValueError(
f"Beta(a, b), a = {a:.3f} and b = {b:.3f} should be both greater than 0. "
f"Invalid `mean_overlap_var` value {var} for sampling from Beta distribution. "
f"`mean_overlap_var` should be less than `mean_overlap * (1 - mean_overlap)`. "
f"Please check `mean_overlap_var` and try again."
)
overlap_mean = beta(a, b).rvs()
else:
overlap_mean = mean
return overlap_mean
def _get_session_silence_from_rttm(self, rttm_list: List[str], running_len_samples: int):
"""
Calculate the total speech and silence duration in the current session using RTTM file.
Args:
rttm_list (list):
List of RTTM timestamps
running_len_samples (int):
Total number of samples generated so far in the current session
Returns:
sess_speech_len_rttm (int):
The total number of speech samples in the current session
sess_silence_len_rttm (int):
The total number of silence samples in the current session
"""
all_sample_list = []
for x_raw in rttm_list:
x = [token for token in x_raw.split()]
all_sample_list.append([float(x[0]), float(x[1])])
self._merged_speech_intervals = merge_float_intervals(all_sample_list)
total_speech_in_secs = sum([x[1] - x[0] for x in self._merged_speech_intervals])
total_silence_in_secs = running_len_samples / self._params.data_simulator.sr - total_speech_in_secs
sess_speech_len = int(total_speech_in_secs * self._params.data_simulator.sr)
sess_silence_len = int(total_silence_in_secs * self._params.data_simulator.sr)
return sess_speech_len, sess_silence_len
def _generate_session(
self,
idx: int,
basepath: str,
filename: str,
speaker_ids: List[str],
speaker_wav_align_map: Dict[str, list],
noise_samples: list,
device: torch.device,
enforce_counter: int = 2,
):
"""
_generate_session function without RIR simulation.
Generate a multispeaker audio session and corresponding label files.
Args:
idx (int): Index for current session (out of total number of sessions).
basepath (str): Path to output directory.
filename (str): Filename for output files.
speaker_ids (list): List of speaker IDs that will be used in this session.
speaker_wav_align_map (dict): Dictionary containing speaker IDs and their corresponding wav filepath and alignments.
noise_samples (list): List of randomly sampled noise source files that will be used for generating this session.
device (torch.device): Device to use for generating this session.
enforce_counter (int): In enforcement mode, dominance is increased by a factor of enforce_counter for unrepresented speakers
"""
self._device = device
speaker_dominance = self._get_speaker_dominance() # randomly determine speaker dominance
base_speaker_dominance = np.copy(speaker_dominance)
self._set_speaker_volume()
running_len_samples, prev_len_samples = 0, 0
prev_speaker = None
rttm_list, json_list, ctm_list = [], [], []
self._noise_samples = noise_samples
self._furthest_sample = [0 for n in range(self._params.data_simulator.session_config.num_speakers)]
self._missing_silence = 0
# hold enforce until all speakers have spoken
enforce_time = np.random.uniform(
self._params.data_simulator.speaker_enforcement.enforce_time[0],
self._params.data_simulator.speaker_enforcement.enforce_time[1],
)
enforce = self._params.data_simulator.speaker_enforcement.enforce_num_speakers
session_len_samples = int(
(self._params.data_simulator.session_config.session_length * self._params.data_simulator.sr)
)
array = torch.zeros(session_len_samples).to(self._device)
is_speech = torch.zeros(session_len_samples).to(self._device)
self._init_silence_params()
self._init_overlap_params()
self.sess_silence_mean = self._get_session_silence_mean()
self.sess_overlap_mean = self._get_session_overlap_mean()
while running_len_samples < session_len_samples or enforce:
# enforce num_speakers
if running_len_samples > enforce_time * session_len_samples and enforce:
speaker_dominance, enforce = self._increase_speaker_dominance(base_speaker_dominance, enforce_counter)
if enforce:
enforce_counter += 1
# Step 1: Select a speaker
speaker_turn = self._get_next_speaker(prev_speaker, speaker_dominance)
# build sentence (only add if remaining length > specific time)
max_samples_in_sentence = session_len_samples - running_len_samples
if enforce:
max_samples_in_sentence = float('inf')
elif (
max_samples_in_sentence
< self._params.data_simulator.session_params.end_buffer * self._params.data_simulator.sr
):
break
# Step 2: Generate a sentence
self._build_sentence(speaker_turn, speaker_ids, speaker_wav_align_map, max_samples_in_sentence)
length = len(self._sentence)
# Step 3: Generate a timestamp for either silence or overlap
start = self._add_silence_or_overlap(
speaker_turn,
prev_speaker,
running_len_samples,
length,
session_len_samples,
prev_len_samples,
enforce,
)
# Step 4: Add sentence to array
end = start + length
if end > len(array): # only occurs in enforce mode
array = torch.nn.functional.pad(array, (0, end - len(array)))
is_speech = torch.nn.functional.pad(is_speech, (0, end - len(is_speech)))
array[start:end] += self._sentence
is_speech[start:end] = 1
# Step 5: Build entries for output files
new_rttm_entries = self._create_new_rttm_entry(
start / self._params.data_simulator.sr, end / self._params.data_simulator.sr, speaker_ids[speaker_turn]
)
for entry in new_rttm_entries:
rttm_list.append(entry)
new_json_entry = self._create_new_json_entry(
os.path.join(basepath, filename + '.wav'),
start / self._params.data_simulator.sr,
length / self._params.data_simulator.sr,
speaker_ids[speaker_turn],
os.path.join(basepath, filename + '.rttm'),
os.path.join(basepath, filename + '.ctm'),
)
json_list.append(new_json_entry)
new_ctm_entries = self._create_new_ctm_entry(
filename, speaker_ids[speaker_turn], start / self._params.data_simulator.sr
)
for entry in new_ctm_entries:
ctm_list.append(entry)
running_len_samples = np.maximum(running_len_samples, end)
self.running_speech_len_samples, self.running_silence_len_samples = self._get_session_silence_from_rttm(
rttm_list, running_len_samples
)
self._furthest_sample[speaker_turn] = running_len_samples
prev_speaker = speaker_turn
prev_len_samples = length
# Step 6: Background noise augmentation
if self._params.data_simulator.background_noise.add_bg:
if len(self._noise_samples) > 0:
avg_power_array = torch.mean(array[is_speech == 1] ** 2)
bg = self._get_background(len(array), avg_power_array)
array += bg
else:
raise ValueError('No background noise samples found in self._noise_samples.')
# Step 7: Normalize and write to disk
array = array / (1.0 * torch.max(torch.abs(array))) # normalize wav file to avoid clipping
if torch.is_tensor(array):
array = array.cpu().numpy()
sf.write(os.path.join(basepath, filename + '.wav'), array, self._params.data_simulator.sr)
labels_to_rttmfile(rttm_list, filename, self._params.data_simulator.outputs.output_dir)
write_manifest(os.path.join(basepath, filename + '.json'), json_list)
write_ctm(os.path.join(basepath, filename + '.ctm'), ctm_list)
write_text(os.path.join(basepath, filename + '.txt'), ctm_list)
del array
self.clean_up()
return basepath, filename
def generate_sessions(self, random_seed: int = None):
"""
Generate several multispeaker audio sessions and corresponding list files.
Args:
random_seed (int): random seed for reproducibility
"""
logging.info(f"Generating Diarization Sessions")
if random_seed is None:
random_seed = self._params.data_simulator.random_seed
np.random.seed(random_seed)
output_dir = self._params.data_simulator.outputs.output_dir
# delete output directory if it exists or throw warning
if os.path.isdir(output_dir) and os.listdir(output_dir):
if self._params.data_simulator.outputs.overwrite_output:
if os.path.exists(output_dir):
shutil.rmtree(output_dir)
os.mkdir(output_dir)
else:
raise Exception("Output directory is nonempty and overwrite_output = false")
elif not os.path.isdir(output_dir):
os.mkdir(output_dir)
# only add root if paths are relative
if not os.path.isabs(output_dir):
ROOT = os.getcwd()
basepath = os.path.join(ROOT, output_dir)
else:
basepath = output_dir
wavlist = open(os.path.join(basepath, "synthetic_wav.list"), "w")
rttmlist = open(os.path.join(basepath, "synthetic_rttm.list"), "w")
jsonlist = open(os.path.join(basepath, "synthetic_json.list"), "w")
ctmlist = open(os.path.join(basepath, "synthetic_ctm.list"), "w")
textlist = open(os.path.join(basepath, "synthetic_txt.list"), "w")
num_workers = self._params.get("num_workers", 1)
tp = concurrent.futures.ProcessPoolExecutor(max_workers=self._params.get("num_workers", 1))
futures = []
num_sessions = self._params.data_simulator.session_config.num_sessions
source_noise_manifest = self._read_noise_manifest()
queue = []
# add radomly sampled arguments to a list(queue) for multiprocessing
for sess_idx in range(num_sessions):
filename = self._params.data_simulator.outputs.output_filename + f"_{sess_idx}"
speaker_ids = self._get_speaker_ids()
speaker_wav_align_map = self._get_speaker_samples(speaker_ids)
noise_samples = self._sample_noise_manifest(source_noise_manifest)
if torch.cuda.is_available():
device = torch.device(f"cuda:{sess_idx % torch.cuda.device_count()}")
else:
device = self._device
queue.append((sess_idx, basepath, filename, speaker_ids, speaker_wav_align_map, noise_samples, device))
# for multiprocessing speed, we avoid loading potentially huge manifest list and speaker sample files into each process.
if num_workers > 1:
self._manifest = None
self._speaker_samples = None
for sess_idx in range(num_sessions):
self._furthest_sample = [0 for n in range(self._params.data_simulator.session_config.num_speakers)]
self._audio_read_buffer_dict = {}
if num_workers > 1:
futures.append(tp.submit(self._generate_session, *queue[sess_idx]))
else:
futures.append(queue[sess_idx])
if num_workers > 1:
generator = concurrent.futures.as_completed(futures)
else:
generator = futures
for future in tqdm(generator, desc="Waiting for generators to finish", unit="jobs", total=len(futures)):
if num_workers > 1:
basepath, filename = future.result()
else:
self._noise_samples = self._sample_noise_manifest(source_noise_manifest)
basepath, filename = self._generate_session(*future)
wavlist.write(os.path.join(basepath, filename + '.wav\n'))
rttmlist.write(os.path.join(basepath, filename + '.rttm\n'))
jsonlist.write(os.path.join(basepath, filename + '.json\n'))
ctmlist.write(os.path.join(basepath, filename + '.ctm\n'))
textlist.write(os.path.join(basepath, filename + '.txt\n'))
# throw warning if number of speakers is less than requested
num_missing = 0
for k in range(len(self._furthest_sample)):
if self._furthest_sample[k] == 0:
num_missing += 1
if num_missing != 0:
warnings.warn(
f"{self._params.data_simulator.session_config.num_speakers-num_missing} speakers were included in the clip instead of the requested amount of {self._params.data_simulator.session_config.num_speakers}"
)
tp.shutdown()
wavlist.close()
rttmlist.close()
jsonlist.close()
ctmlist.close()
textlist.close()
logging.info(f"Data simulation has been completed, results saved at: {basepath}")
class RIRMultiSpeakerSimulator(MultiSpeakerSimulator):
"""
RIR Augmented Multispeaker Audio Session Simulator - simulates multispeaker audio sessions using single-speaker
audio files and corresponding word alignments, as well as simulated RIRs for augmentation.
Args:
cfg: OmegaConf configuration loaded from yaml file.
Parameters (in addition to the base MultiSpeakerSimulator parameters):
rir_generation:
use_rir (bool): Whether to generate synthetic RIR
toolkit (str): Which toolkit to use ("pyroomacoustics", "gpuRIR")
room_config:
room_sz (list): Size of the shoebox room environment (1d array for specific, 2d array for random range to be
sampled from)
pos_src (list): Positions of the speakers in the simulated room environment (2d array for specific, 3d array
for random ranges to be sampled from)
noise_src_pos (list): Position in room for the ambient background noise source
mic_config:
num_channels (int): Number of output audio channels
pos_rcv (list): Microphone positions in the simulated room environment (1d/2d array for specific, 2d/3d array
for range assuming num_channels is 1/2+)
orV_rcv (list or null): Microphone orientations (needed for non-omnidirectional microphones)
mic_pattern (str): Microphone type ("omni" - omnidirectional) - currently only omnidirectional microphones are
supported for pyroomacoustics
absorbtion_params: (Note that only `T60` is used for pyroomacoustics simulations)
abs_weights (list): Absorption coefficient ratios for each surface
T60 (float): Room reverberation time (`T60` is the time it takes for the RIR to decay by 60DB)
att_diff (float): Starting attenuation (if this is different than att_max, the diffuse reverberation model is
used by gpuRIR)
att_max (float): End attenuation when using the diffuse reverberation model (gpuRIR)
"""
def __init__(self, cfg):
super().__init__(cfg)
self._check_args_rir()
def _check_args_rir(self):
"""
Checks RIR YAML arguments to ensure they are within valid ranges
"""
if not (self._params.data_simulator.rir_generation.toolkit in ['pyroomacoustics', 'gpuRIR']):
raise Exception("Toolkit must be pyroomacoustics or gpuRIR")
if self._params.data_simulator.rir_generation.toolkit == 'pyroomacoustics' and not PRA:
raise ImportError("pyroomacoustics should be installed to run this simulator with RIR augmentation")
if self._params.data_simulator.rir_generation.toolkit == 'gpuRIR' and not GPURIR:
raise ImportError("gpuRIR should be installed to run this simulator with RIR augmentation")
if len(self._params.data_simulator.rir_generation.room_config.room_sz) != 3:
raise Exception("Incorrect room dimensions provided")
if self._params.data_simulator.rir_generation.mic_config.num_channels == 0:
raise Exception("Number of channels should be greater or equal to 1")
if len(self._params.data_simulator.rir_generation.room_config.pos_src) < 2:
raise Exception("Less than 2 provided source positions")
for sublist in self._params.data_simulator.rir_generation.room_config.pos_src:
if len(sublist) != 3:
raise Exception("Three coordinates must be provided for sources positions")
if len(self._params.data_simulator.rir_generation.mic_config.pos_rcv) == 0:
raise Exception("No provided mic positions")
for sublist in self._params.data_simulator.rir_generation.room_config.pos_src:
if len(sublist) != 3:
raise Exception("Three coordinates must be provided for mic positions")
if self._params.data_simulator.session_config.num_speakers != len(
self._params.data_simulator.rir_generation.room_config.pos_src
):
raise Exception("Number of speakers is not equal to the number of provided source positions")
if self._params.data_simulator.rir_generation.mic_config.num_channels != len(
self._params.data_simulator.rir_generation.mic_config.pos_rcv
):
raise Exception("Number of channels is not equal to the number of provided microphone positions")
if (
not self._params.data_simulator.rir_generation.mic_config.orV_rcv
and self._params.data_simulator.rir_generation.mic_config.mic_pattern != 'omni'
):
raise Exception("Microphone orientations must be provided if mic_pattern != omni")
if self._params.data_simulator.rir_generation.mic_config.orV_rcv is not None:
if len(self._params.data_simulator.rir_generation.mic_config.orV_rcv) != len(
self._params.data_simulator.rir_generation.mic_config.pos_rcv
):
raise Exception("A different number of microphone orientations and microphone positions were provided")
for sublist in self._params.data_simulator.rir_generation.mic_config.orV_rcv:
if len(sublist) != 3:
raise Exception("Three coordinates must be provided for orientations")
def _generate_rir_gpuRIR(self):
"""
Create simulated RIR using the gpuRIR library
Returns:
RIR (tensor): Generated RIR
RIR_pad (int): Length of padding added when convolving the RIR with an audio file
"""
room_sz_tmp = np.array(self._params.data_simulator.rir_generation.room_config.room_sz)
if room_sz_tmp.ndim == 2: # randomize
room_sz = np.zeros(room_sz_tmp.shape[0])
for i in range(room_sz_tmp.shape[0]):
room_sz[i] = np.random.uniform(room_sz_tmp[i, 0], room_sz_tmp[i, 1])
else:
room_sz = room_sz_tmp
pos_src_tmp = np.array(self._params.data_simulator.rir_generation.room_config.pos_src)
if pos_src_tmp.ndim == 3: # randomize
pos_src = np.zeros((pos_src_tmp.shape[0], pos_src_tmp.shape[1]))
for i in range(pos_src_tmp.shape[0]):
for j in range(pos_src_tmp.shape[1]):
pos_src[i] = np.random.uniform(pos_src_tmp[i, j, 0], pos_src_tmp[i, j, 1])
else:
pos_src = pos_src_tmp
if self._params.data_simulator.background_noise.add_bg:
pos_src = np.vstack((pos_src, self._params.data_simulator.rir_generation.room_config.noise_src_pos))
mic_pos_tmp = np.array(self._params.data_simulator.rir_generation.mic_config.pos_rcv)
if mic_pos_tmp.ndim == 3: # randomize
mic_pos = np.zeros((mic_pos_tmp.shape[0], mic_pos_tmp.shape[1]))
for i in range(mic_pos_tmp.shape[0]):
for j in range(mic_pos_tmp.shape[1]):
mic_pos[i] = np.random.uniform(mic_pos_tmp[i, j, 0], mic_pos_tmp[i, j, 1])
else:
mic_pos = mic_pos_tmp
orV_rcv = self._params.data_simulator.rir_generation.mic_config.orV_rcv
if orV_rcv: # not needed for omni mics
orV_rcv = np.array(orV_rcv)
mic_pattern = self._params.data_simulator.rir_generation.mic_config.mic_pattern
abs_weights = self._params.data_simulator.rir_generation.absorbtion_params.abs_weights
T60 = self._params.data_simulator.rir_generation.absorbtion_params.T60
att_diff = self._params.data_simulator.rir_generation.absorbtion_params.att_diff
att_max = self._params.data_simulator.rir_generation.absorbtion_params.att_max
sr = self._params.data_simulator.sr
beta = beta_SabineEstimation(room_sz, T60, abs_weights=abs_weights) # Reflection coefficients
Tdiff = att2t_SabineEstimator(att_diff, T60) # Time to start the diffuse reverberation model [s]
Tmax = att2t_SabineEstimator(att_max, T60) # Time to stop the simulation [s]
nb_img = t2n(Tdiff, room_sz) # Number of image sources in each dimension
RIR = simulateRIR(
room_sz, beta, pos_src, mic_pos, nb_img, Tmax, sr, Tdiff=Tdiff, orV_rcv=orV_rcv, mic_pattern=mic_pattern
)
RIR_pad = RIR.shape[2] - 1
return RIR, RIR_pad
def _generate_rir_pyroomacoustics(self) -> Tuple[torch.Tensor, int]:
"""
Create simulated RIR using the pyroomacoustics library
Returns:
RIR (tensor): Generated RIR
RIR_pad (int): Length of padding added when convolving the RIR with an audio file
"""
rt60 = self._params.data_simulator.rir_generation.absorbtion_params.T60 # The desired reverberation time
sr = self._params.data_simulator.sr
room_sz_tmp = np.array(self._params.data_simulator.rir_generation.room_config.room_sz)
if room_sz_tmp.ndim == 2: # randomize
room_sz = np.zeros(room_sz_tmp.shape[0])
for i in range(room_sz_tmp.shape[0]):
room_sz[i] = np.random.uniform(room_sz_tmp[i, 0], room_sz_tmp[i, 1])
else:
room_sz = room_sz_tmp
pos_src_tmp = np.array(self._params.data_simulator.rir_generation.room_config.pos_src)
if pos_src_tmp.ndim == 3: # randomize
pos_src = np.zeros((pos_src_tmp.shape[0], pos_src_tmp.shape[1]))
for i in range(pos_src_tmp.shape[0]):
for j in range(pos_src_tmp.shape[1]):
pos_src[i] = np.random.uniform(pos_src_tmp[i, j, 0], pos_src_tmp[i, j, 1])
else:
pos_src = pos_src_tmp
# We invert Sabine's formula to obtain the parameters for the ISM simulator
e_absorption, max_order = pra.inverse_sabine(rt60, room_sz)
room = pra.ShoeBox(room_sz, fs=sr, materials=pra.Material(e_absorption), max_order=max_order)
if self._params.data_simulator.background_noise.add_bg:
pos_src = np.vstack((pos_src, self._params.data_simulator.rir_generation.room_config.noise_src_pos))
for pos in pos_src:
room.add_source(pos)
# currently only supports omnidirectional microphones
mic_pattern = self._params.data_simulator.rir_generation.mic_config.mic_pattern
if self._params.data_simulator.rir_generation.mic_config.mic_pattern == 'omni':
mic_pattern = DirectivityPattern.OMNI
dir_vec = DirectionVector(azimuth=0, colatitude=90, degrees=True)
dir_obj = CardioidFamily(orientation=dir_vec, pattern_enum=mic_pattern,)
mic_pos_tmp = np.array(self._params.data_simulator.rir_generation.mic_config.pos_rcv)
if mic_pos_tmp.ndim == 3: # randomize
mic_pos = np.zeros((mic_pos_tmp.shape[0], mic_pos_tmp.shape[1]))
for i in range(mic_pos_tmp.shape[0]):
for j in range(mic_pos_tmp.shape[1]):
mic_pos[i] = np.random.uniform(mic_pos_tmp[i, j, 0], mic_pos_tmp[i, j, 1])
else:
mic_pos = mic_pos_tmp
room.add_microphone_array(mic_pos.T, directivity=dir_obj)
room.compute_rir()
rir_pad = 0
for channel in room.rir:
for pos in channel:
if pos.shape[0] - 1 > rir_pad:
rir_pad = pos.shape[0] - 1
return room.rir, rir_pad
def _convolve_rir(self, input, speaker_turn: int, RIR: torch.Tensor) -> Tuple[list, int]:
"""
Augment one sentence (or background noise segment) using a synthetic RIR.
Args:
input (torch.tensor): Input audio.
speaker_turn (int): Current speaker turn.
RIR (torch.tensor): Room Impulse Response.
Returns:
output_sound (list): List of tensors containing augmented audio
length (int): Length of output audio channels (or of the longest if they have different lengths)
"""
output_sound = []
length = 0
for channel in range(self._params.data_simulator.rir_generation.mic_config.num_channels):
if self._params.data_simulator.rir_generation.toolkit == 'gpuRIR':
out_channel = convolve(input, RIR[speaker_turn, channel, : len(input)]).tolist()
elif self._params.data_simulator.rir_generation.toolkit == 'pyroomacoustics':
out_channel = convolve(input, RIR[channel][speaker_turn][: len(input)]).tolist()
if len(out_channel) > length:
length = len(out_channel)
output_sound.append(torch.tensor(out_channel))
return output_sound, length
def _generate_session(
self,
idx: int,
basepath: str,
filename: str,
speaker_ids: list,
speaker_wav_align_map: dict,
noise_samples: list,
device: torch.device,
enforce_counter: int = 2,
):
"""
Generate a multispeaker audio session and corresponding label files.
Args:
idx (int): Index for current session (out of total number of sessions).
basepath (str): Path to output directory.
filename (str): Filename for output files.
speaker_ids (list): List of speaker IDs that will be used in this session.
speaker_wav_align_map (dict): Dictionary containing speaker IDs and their corresponding wav filepath and alignments.
noise_samples (list): List of randomly sampled noise source files that will be used for generating this session.
device (torch.device): Device to use for generating this session.
enforce_counter (int): In enforcement mode, dominance is increased by a factor of enforce_counter for unrepresented speakers
"""
self._device = device
speaker_dominance = self._get_speaker_dominance() # randomly determine speaker dominance
base_speaker_dominance = np.copy(speaker_dominance)
self._set_speaker_volume()
running_len_samples, prev_len_samples = 0, 0 # starting point for each sentence
prev_speaker = None
rttm_list, json_list, ctm_list = [], [], []
self._noise_samples = noise_samples
self._furthest_sample = [0 for n in range(self._params.data_simulator.session_config.num_speakers)]
# Room Impulse Response Generation (performed once per batch of sessions)
if self._params.data_simulator.rir_generation.toolkit == 'gpuRIR':
RIR, RIR_pad = self._generate_rir_gpuRIR()
elif self._params.data_simulator.rir_generation.toolkit == 'pyroomacoustics':
RIR, RIR_pad = self._generate_rir_pyroomacoustics()
else:
raise Exception("Toolkit must be pyroomacoustics or gpuRIR")
# hold enforce until all speakers have spoken
enforce_time = np.random.uniform(
self._params.data_simulator.speaker_enforcement.enforce_time[0],
self._params.data_simulator.speaker_enforcement.enforce_time[1],
)
enforce = self._params.data_simulator.speaker_enforcement.enforce_num_speakers
session_len_samples = int(
(self._params.data_simulator.session_config.session_length * self._params.data_simulator.sr)
)
array = torch.zeros((session_len_samples, self._params.data_simulator.rir_generation.mic_config.num_channels))
is_speech = torch.zeros(session_len_samples)
while running_len_samples < session_len_samples or enforce:
# enforce num_speakers
if running_len_samples > enforce_time * session_len_samples and enforce:
speaker_dominance, enforce = self._increase_speaker_dominance(base_speaker_dominance, enforce_counter)
if enforce:
enforce_counter += 1
# select speaker
speaker_turn = self._get_next_speaker(prev_speaker, speaker_dominance)
# build sentence (only add if remaining length > specific time)
max_samples_in_sentence = (
session_len_samples - running_len_samples - RIR_pad
) # sentence will be RIR_len - 1 longer than the audio was pre-augmentation
if enforce:
max_samples_in_sentence = float('inf')
elif (
max_samples_in_sentence
< self._params.data_simulator.session_params.end_buffer * self._params.data_simulator.sr
):
break
# Step 1: Generate a sentence
self._build_sentence(speaker_turn, speaker_ids, speaker_wav_align_map, max_samples_in_sentence)
augmented_sentence, length = self._convolve_rir(self._sentence, speaker_turn, RIR)
# Step 2: Generate a time-stamp for either silence or overlap
start = self._add_silence_or_overlap(
speaker_turn,
prev_speaker,
running_len_samples,
length,
session_len_samples,
prev_len_samples,
enforce,
)
end = start + length
if end > len(array):
array = torch.nn.functional.pad(array, (0, 0, 0, end - len(array)))
is_speech = torch.nn.functional.pad(is_speech, (0, end - len(is_speech)))
is_speech[start:end] = 1
for channel in range(self._params.data_simulator.rir_generation.mic_config.num_channels):
len_ch = len(augmented_sentence[channel]) # accounts for how channels are slightly different lengths
array[start : start + len_ch, channel] += augmented_sentence[channel]
# build entries for output files
new_rttm_entries = self._create_new_rttm_entry(
start / self._params.data_simulator.sr, end / self._params.data_simulator.sr, speaker_ids[speaker_turn]
)
for entry in new_rttm_entries:
rttm_list.append(entry)
new_json_entry = self._create_new_json_entry(
os.path.join(basepath, filename + '.wav'),
start / self._params.data_simulator.sr,
length / self._params.data_simulator.sr,
speaker_ids[speaker_turn],
os.path.join(basepath, filename + '.rttm'),
os.path.join(basepath, filename + '.ctm'),
)
json_list.append(new_json_entry)
new_ctm_entries = self._create_new_ctm_entry(
filename, speaker_ids[speaker_turn], start / self._params.data_simulator.sr
)
for entry in new_ctm_entries:
ctm_list.append(entry)
running_len_samples = np.maximum(running_len_samples, end)
self._furthest_sample[speaker_turn] = running_len_samples
prev_speaker = speaker_turn
prev_len_samples = length
# background noise augmentation
if self._params.data_simulator.background_noise.add_bg:
avg_power_array = torch.mean(array[is_speech == 1] ** 2)
length = array.shape[0]
bg = self._get_background(length, avg_power_array)
augmented_bg, _ = self._convolve_rir(bg, -1, RIR)
for channel in range(self._params.data_simulator.rir_generation.mic_config.num_channels):
array[:, channel] += augmented_bg[channel][:length]
array = array / (1.0 * torch.max(torch.abs(array))) # normalize wav file to avoid clipping
sf.write(os.path.join(basepath, filename + '.wav'), array, self._params.data_simulator.sr)
labels_to_rttmfile(rttm_list, filename, self._params.data_simulator.outputs.output_dir)
write_manifest(os.path.join(basepath, filename + '.json'), json_list)
write_ctm(os.path.join(basepath, filename + '.ctm'), ctm_list)
write_text(os.path.join(basepath, filename + '.txt'), ctm_list)
del array
self.clean_up()
return basepath, filename
def check_angle(key: str, val: Union[float, Iterable[float]]) -> bool:
"""Check if the angle value is within the expected range. Input
values are in degrees.
Note:
azimuth: angle between a projection on the horizontal (xy) plane and
positive x axis. Increases counter-clockwise. Range: [-180, 180].
elevation: angle between a vector an its projection on the horizontal (xy) plane.
Positive above, negative below, i.e., north=+90, south=-90. Range: [-90, 90]
yaw: rotation around the z axis. Defined accoding to right-hand rule.
Range: [-180, 180]
pitch: rotation around the yʹ axis. Defined accoding to right-hand rule.
Range: [-90, 90]
roll: rotation around the xʺ axis. Defined accoding to right-hand rule.
Range: [-180, 180]
Args:
key: angle type
val: values in degrees
Returns:
True if all values are within the expected range.
"""
if np.isscalar(val):
min_val = max_val = val
else:
min_val = min(val)
max_val = max(val)
if key == 'azimuth' and -180 <= min_val <= max_val <= 180:
return True
if key == 'elevation' and -90 <= min_val <= max_val <= 90:
return True
if key == 'yaw' and -180 <= min_val <= max_val <= 180:
return True
if key == 'pitch' and -90 <= min_val <= max_val <= 90:
return True
if key == 'roll' and -180 <= min_val <= max_val <= 180:
return True
raise ValueError(f'Invalid value for angle {key} = {val}')
def wrap_to_180(angle: float) -> float:
"""Wrap an angle to range ±180 degrees.
Args:
angle: angle in degrees
Returns:
Angle in degrees wrapped to ±180 degrees.
"""
return angle - np.floor(angle / 360 + 1 / 2) * 360
class ArrayGeometry(object):
"""A class to simplify handling of array geometry.
Supports translation and rotation of the array and calculation of
spherical coordinates of a given point relative to the internal
coordinate system of the array.
Args:
mic_positions: 3D coordinates, with shape (num_mics, 3)
center: optional position of the center of the array. Defaults to the average of the coordinates.
internal_cs: internal coordinate system for the array relative to the global coordinate system.
Defaults to (x, y, z), and is rotated with the array.
"""
def __init__(
self,
mic_positions: Union[np.ndarray, List],
center: Optional[np.ndarray] = None,
internal_cs: Optional[np.ndarray] = None,
):
if isinstance(mic_positions, Iterable):
mic_positions = np.array(mic_positions)
if not mic_positions.ndim == 2:
raise ValueError(
f'Expecting a 2D array specifying mic positions, but received {mic_positions.ndim}-dim array'
)
if not mic_positions.shape[1] == 3:
raise ValueError(f'Expecting 3D positions, but received {mic_positions.shape[1]}-dim positions')
mic_positions_center = np.mean(mic_positions, axis=0)
self.centered_positions = mic_positions - mic_positions_center
self.center = mic_positions_center if center is None else center
# Internal coordinate system
if internal_cs is None:
# Initially aligned with the global
self.internal_cs = np.eye(3)
else:
self.internal_cs = internal_cs
@property
def num_mics(self):
"""Return the number of microphones for the current array.
"""
return self.centered_positions.shape[0]
@property
def positions(self):
"""Absolute positions of the microphones.
"""
return self.centered_positions + self.center
@property
def internal_positions(self):
"""Positions in the internal coordinate system.
"""
return np.matmul(self.centered_positions, self.internal_cs.T)
@property
def radius(self):
"""Radius of the array, relative to the center.
"""
return max(np.linalg.norm(self.centered_positions, axis=1))
@staticmethod
def get_rotation(yaw: float = 0, pitch: float = 0, roll: float = 0) -> Rotation:
"""Get a Rotation object for given angles.
All angles are defined according to the right-hand rule.
Args:
yaw: rotation around the z axis
pitch: rotation around the yʹ axis
roll: rotation around the xʺ axis
Returns:
A rotation object constructed using the provided angles.
"""
check_angle('yaw', yaw)
check_angle('pitch', pitch)
check_angle('roll', roll)
return Rotation.from_euler('ZYX', [yaw, pitch, roll], degrees=True)
def translate(self, to: np.ndarray):
"""Translate the array center to a new point.
Translation does not change the centered positions or the internal coordinate system.
Args:
to: 3D point, shape (3,)
"""
self.center = to
def rotate(self, yaw: float = 0, pitch: float = 0, roll: float = 0):
"""Apply rotation on the mic array.
This rotates the centered microphone positions and the internal
coordinate system, it doesn't change the center of the array.
All angles are defined according to the right-hand rule.
For example, this means that a positive pitch will result in a rotation from z
to x axis, which will result in a reduced elevation with respect to the global
horizontal plane.
Args:
yaw: rotation around the z axis
pitch: rotation around the yʹ axis
roll: rotation around the xʺ axis
"""
# construct rotation using TB angles
rotation = self.get_rotation(yaw=yaw, pitch=pitch, roll=roll)
# rotate centered positions
self.centered_positions = rotation.apply(self.centered_positions)
# apply the same transformation on the internal coordinate system
self.internal_cs = rotation.apply(self.internal_cs)
def new_rotated_array(self, yaw: float = 0, pitch: float = 0, roll: float = 0):
"""Create a new array by rotating this array.
Args:
yaw: rotation around the z axis
pitch: rotation around the yʹ axis
roll: rotation around the xʺ axis
Returns:
A new ArrayGeometry object constructed using the provided angles.
"""
new_array = ArrayGeometry(mic_positions=self.positions, center=self.center, internal_cs=self.internal_cs)
new_array.rotate(yaw=yaw, pitch=pitch, roll=roll)
return new_array
def spherical_relative_to_array(
self, point: np.ndarray, use_internal_cs: bool = True
) -> Tuple[float, float, float]:
"""Return spherical coordinates of a point relative to the internal coordinate system.
Args:
point: 3D coordinate, shape (3,)
use_internal_cs: Calculate position relative to the internal coordinate system.
If `False`, the positions will be calculated relative to the
external coordinate system centered at `self.center`.
Returns:
A tuple (distance, azimuth, elevation) relative to the mic array.
"""
rel_position = point - self.center
distance = np.linalg.norm(rel_position)
if use_internal_cs:
# transform from the absolute coordinate system to the internal coordinate system
rel_position = np.matmul(self.internal_cs, rel_position)
# get azimuth
azimuth = np.arctan2(rel_position[1], rel_position[0]) / np.pi * 180
# get elevation
elevation = np.arcsin(rel_position[2] / distance) / np.pi * 180
return distance, azimuth, elevation
def __str__(self):
with np.printoptions(precision=3, suppress=True):
desc = f"{type(self)}:\ncenter =\n{self.center}\ncentered positions =\n{self.centered_positions}\nradius = \n{self.radius:.3}\nabsolute positions =\n{self.positions}\ninternal coordinate system =\n{self.internal_cs}\n\n"
return desc
def plot(self, elev=30, azim=-55, mic_size=25):
"""Plot microphone positions.
Args:
elev: elevation for the view of the plot
azim: azimuth for the view of the plot
mic_size: size of the microphone marker in the plot
"""
fig = plt.figure()
ax = fig.add_subplot(projection='3d')
# show mic positions
for m in range(self.num_mics):
# show mic
ax.scatter(
self.positions[m, 0],
self.positions[m, 1],
self.positions[m, 2],
marker='o',
c='black',
s=mic_size,
depthshade=False,
)
# add label
ax.text(self.positions[m, 0], self.positions[m, 1], self.positions[m, 2], str(m), c='red', zorder=10)
# show the internal coordinate system
ax.quiver(
self.center[0],
self.center[1],
self.center[2],
self.internal_cs[:, 0],
self.internal_cs[:, 1],
self.internal_cs[:, 2],
length=self.radius,
label='internal cs',
normalize=False,
linestyle=':',
linewidth=1.0,
)
for dim, label in enumerate(['x′', 'y′', 'z′']):
label_pos = self.center + self.radius * self.internal_cs[dim]
ax.text(label_pos[0], label_pos[1], label_pos[2], label, tuple(self.internal_cs[dim]), c='blue')
try:
# Unfortunately, equal aspect ratio has been added very recently to Axes3D
ax.set_aspect('equal')
except NotImplementedError:
logging.warning('Equal aspect ratio not supported by Axes3D')
# Set view
ax.view_init(elev=elev, azim=azim)
# Set reasonable limits for all axes, even for the case of an unequal aspect ratio
ax.set_xlim([self.center[0] - self.radius, self.center[0] + self.radius])
ax.set_ylim([self.center[1] - self.radius, self.center[1] + self.radius])
ax.set_zlim([self.center[2] - self.radius, self.center[2] + self.radius])
ax.set_xlabel('x/m')
ax.set_ylabel('y/m')
ax.set_zlabel('z/m')
ax.set_title('Microphone positions')
ax.legend()
plt.show()
def convert_placement_to_range(
placement: Dict, room_dim: Iterable[float], object_radius: float = 0
) -> List[List[float]]:
"""Given a placement dictionary, return ranges for each dimension.
Args:
placement: dictionary containing x, y, height, and min_to_wall
room_dim: dimensions of the room, shape (3,)
object_radius: radius of the object to be placed
Returns
List with a range of values for each dimensions.
"""
if not np.all(np.array(room_dim) > 0):
raise ValueError(f'Room dimensions must be positive: {room_dim}')
placement_range = [None] * 3
min_to_wall = placement.get('min_to_wall', 0)
if min_to_wall < 0:
raise ValueError(f'Min distance to wall must be positive: {min_to_wall}')
for idx, key in enumerate(['x', 'y', 'height']):
# Room dimension
dim = room_dim[idx]
# Construct the range
val = placement.get(key)
if val is None:
# No constrained specified on the coordinate of the mic center
min_val, max_val = 0, dim
elif np.isscalar(val):
min_val = max_val = val
else:
if len(val) != 2:
raise ValueError(f'Invalid value for placement for dim {idx}/{key}: {str(placement)}')
min_val, max_val = val
# Make sure the array is not too close to a wall
min_val = max(min_val, min_to_wall + object_radius)
max_val = min(max_val, dim - min_to_wall - object_radius)
if min_val > max_val or min(min_val, max_val) < 0:
raise ValueError(f'Invalid range dim {idx}/{key}: min={min_val}, max={max_val}')
placement_range[idx] = [min_val, max_val]
return placement_range
class RIRCorpusGenerator(object):
"""Creates a corpus of RIRs based on a defined configuration of rooms and microphone array.
RIRs are generated using `generate` method.
"""
def __init__(self, cfg: DictConfig):
"""
Args:
cfg: dictionary with parameters of the simulation
"""
logging.info("Initialize RIRCorpusGenerator")
self._cfg = cfg
self.check_cfg()
@property
def cfg(self):
"""Property holding the internal config of the object.
Note:
Changes to this config are not reflected in the state of the object.
Please create a new model with the updated config.
"""
return self._cfg
@property
def sample_rate(self):
return self._cfg.sample_rate
@cfg.setter
def cfg(self, cfg):
"""Property holding the internal config of the object.
Note:
Changes to this config are not reflected in the state of the object.
Please create a new model with the updated config.
"""
self._cfg = cfg
def check_cfg(self):
"""
Checks provided configuration to ensure it has the minimal required
configuration the values are in a reasonable range.
"""
# sample rate
sample_rate = self.cfg.get('sample_rate')
if sample_rate is None:
raise ValueError('Sample rate not provided.')
elif sample_rate < 0:
raise ValueError(f'Sample rate must to be positive: {sample_rate}')
# room configuration
room_cfg = self.cfg.get('room')
if room_cfg is None:
raise ValueError('Room configuration not provided')
if room_cfg.get('num') is None:
raise ValueError('Number of rooms per subset not provided')
if room_cfg.get('dim') is None:
raise ValueError('Room dimensions not provided')
for idx, key in enumerate(['width', 'length', 'height']):
dim = room_cfg.dim.get(key)
if dim is None:
# not provided
raise ValueError(f'Room {key} needs to be a scalar or a range, currently it is None')
elif np.isscalar(dim) and dim <= 0:
# fixed dimension
raise ValueError(f'A fixed dimension must be positive for {key}: {dim}')
elif len(dim) != 2 or not 0 < dim[0] < dim[1]:
# not a valid range
raise ValueError(f'Range must be specified with two positive increasing elements for {key}: {dim}')
rt60 = room_cfg.get('rt60')
if rt60 is None:
# not provided
raise ValueError(f'RT60 needs to be a scalar or a range, currently it is None')
elif np.isscalar(rt60) and rt60 <= 0:
# fixed dimension
raise ValueError(f'RT60 must be positive: {rt60}')
elif len(rt60) != 2 or not 0 < rt60[0] < rt60[1]:
# not a valid range
raise ValueError(f'RT60 range must be specified with two positive increasing elements: {rt60}')
# mic array
mic_cfg = self.cfg.get('mic_array')
if mic_cfg is None:
raise ValueError('Mic configuration not provided')
for key in ['positions', 'placement', 'orientation']:
if key not in mic_cfg:
raise ValueError(f'Mic array {key} not provided')
# source
source_cfg = self.cfg.get('source')
if source_cfg is None:
raise ValueError('Source configuration not provided')
if source_cfg.get('num') is None:
raise ValueError('Number of sources per room not provided')
elif source_cfg.num <= 0:
raise ValueError(f'Number of sources must be positive: {source_cfg.num}')
if 'placement' not in source_cfg:
raise ValueError('Source placement dictionary not provided')
# anechoic
if self.cfg.get('anechoic') is None:
raise ValueError(f'Anechoic configuratio not provided.')
def generate_room_params(self) -> dict:
"""Generate randomized room parameters based on the provided
configuration.
"""
# Prepare room sim parameters
if not PRA:
raise ImportError('pyroomacoustics is required for room simulation')
room_cfg = self.cfg.room
# width, length, height
room_dim = np.zeros(3)
# prepare dimensions
for idx, key in enumerate(['width', 'length', 'height']):
# get configured dimension
dim = room_cfg.dim[key]
# set a value
if dim is None:
raise ValueError(f'Room {key} needs to be a scalar or a range, currently it is None')
elif np.isscalar(dim):
assert dim > 0, f'Dimension should be positive for {key}: {dim}'
room_dim[idx] = dim
elif len(dim) == 2:
assert 0 < dim[0] <= dim[1], f'Expecting two non-decreasing values for {key}, received {dim}'
room_dim[idx] = self.random.uniform(low=dim[0], high=dim[1])
else:
raise ValueError(f'Unexpected value for {key}: {dim}')
# prepare rt60
if room_cfg.rt60 is None:
raise ValueError(f'Room RT60 needs to be a scalar or a range, currently it is None')
if np.isscalar(room_cfg.rt60):
assert room_cfg.rt60 > 0, f'RT60 should be positive: {room_cfg.rt60}'
rt60 = room_cfg.rt60
elif len(room_cfg.rt60) == 2:
assert (
0 < room_cfg.rt60[0] <= room_cfg.rt60[1]
), f'Expecting two non-decreasing values for RT60, received {room_cfg.rt60}'
rt60 = self.random.uniform(low=room_cfg.rt60[0], high=room_cfg.rt60[1])
else:
raise ValueError(f'Unexpected value for RT60: {room_cfg.rt60}')
# Get parameters from size and RT60
room_absorption, room_max_order = pra.inverse_sabine(rt60, room_dim)
# Return the required values
room_params = {
'dim': room_dim,
'absorption': room_absorption,
'max_order': room_max_order,
'rt60_theoretical': rt60,
'anechoic_absorption': self.cfg.anechoic.absorption,
'anechoic_max_order': self.cfg.anechoic.max_order,
'sample_rate': self.cfg.sample_rate,
}
return room_params
def generate_array(self, room_dim: Iterable[float]) -> ArrayGeometry:
"""Generate array placement for the current room and config.
Args:
room_dim: dimensions of the room, [width, length, height]
Returns:
Randomly placed microphone array.
"""
mic_cfg = self.cfg.mic_array
mic_array = ArrayGeometry(mic_cfg.positions)
# Randomize center placement
center = np.zeros(3)
placement_range = convert_placement_to_range(
placement=mic_cfg.placement, room_dim=room_dim, object_radius=mic_array.radius
)
for idx in range(len(center)):
center[idx] = self.random.uniform(low=placement_range[idx][0], high=placement_range[idx][1])
# Place the array at the configured center point
mic_array.translate(to=center)
# Randomize orientation
orientation = dict()
for key in ['yaw', 'roll', 'pitch']:
# angle for current orientation
angle = mic_cfg.orientation[key]
if angle is None:
raise ValueError(f'Mic array {key} should be a scalar or a range, currently it is set to None.')
# check it's within the expected range
check_angle(key, angle)
if np.isscalar(angle):
orientation[key] = angle
elif len(angle) == 2:
assert angle[0] <= angle[1], f"Expecting two non-decreasing values for {key}, received {angle}"
# generate integer values, for easier bucketing, if necessary
orientation[key] = self.random.uniform(low=angle[0], high=angle[1])
else:
raise ValueError(f'Unexpected value for orientation {key}: {angle}')
# Rotate the array to match the selected orientation
mic_array.rotate(**orientation)
return mic_array
def generate_source_position(self, room_dim: Iterable[float]) -> List[List[float]]:
"""Generate position for all sources in a room.
Args:
room_dim: dimensions of a 3D shoebox room
Returns:
List of source positions, with each position characterized with a 3D coordinate
"""
source_cfg = self.cfg.source
placement_range = convert_placement_to_range(placement=source_cfg.placement, room_dim=room_dim)
source_position = []
for n in range(source_cfg.num):
# generate a random point withing the range
s_pos = [None] * 3
for idx in range(len(s_pos)):
s_pos[idx] = self.random.uniform(low=placement_range[idx][0], high=placement_range[idx][1])
source_position.append(s_pos)
return source_position
def generate(self):
"""Generate RIR corpus.
This method will prepare randomized examples based on the current configuration,
run room simulations and save results to output_dir.
"""
logging.info("Generate RIR corpus")
# Initialize
self.random = default_rng(seed=self.cfg.random_seed)
# Prepare output dir
output_dir = self.cfg.output_dir
if output_dir.endswith('.yaml'):
output_dir = output_dir[:-5]
# Create absolute path
logging.info('Output dir set to: %s', output_dir)
# Generate all cases
for subset, num_rooms in self.cfg.room.num.items():
output_dir_subset = os.path.join(output_dir, subset)
examples = []
if not os.path.exists(output_dir_subset):
logging.info('Creating output directory: %s', output_dir_subset)
os.makedirs(output_dir_subset)
elif os.path.isdir(output_dir_subset) and len(os.listdir(output_dir_subset)) > 0:
raise RuntimeError(f'Output directory {output_dir_subset} is not empty.')
# Generate examples
for n_room in range(num_rooms):
# room info
room_params = self.generate_room_params()
# array placement
mic_array = self.generate_array(room_params['dim'])
# source placement
source_position = self.generate_source_position(room_params['dim'])
# file name for the file
room_filepath = os.path.join(output_dir_subset, f'{subset}_room_{n_room:06d}.h5')
# prepare example
example = {
'room_params': room_params,
'mic_array': mic_array,
'source_position': source_position,
'room_filepath': room_filepath,
}
examples.append(example)
# Simulation
num_workers = self.cfg.num_workers
if num_workers is not None and num_workers > 1:
logging.info(f'Simulate using {num_workers} workers')
with multiprocessing.Pool(processes=num_workers) as pool:
metadata = list(tqdm(pool.imap(simulate_room_kwargs, examples), total=len(examples)))
else:
logging.info('Simulate using a single worker')
metadata = []
for example in tqdm(examples, total=len(examples)):
metadata.append(simulate_room(**example))
# Save manifest
manifest_filepath = os.path.join(output_dir, f'{subset}_manifest.json')
if os.path.exists(manifest_filepath) and os.path.isfile(manifest_filepath):
raise RuntimeError(f'Manifest config file exists: {manifest_filepath}')
# Make all paths in the manifest relative to the output dir
for data in metadata:
data['room_filepath'] = os.path.relpath(data['room_filepath'], start=output_dir)
write_manifest(manifest_filepath, metadata)
# Generate plots with information about generated data
plot_filepath = os.path.join(output_dir, f'{subset}_info.png')
if os.path.exists(plot_filepath) and os.path.isfile(plot_filepath):
raise RuntimeError(f'Plot file exists: {plot_filepath}')
plot_rir_manifest_info(manifest_filepath, plot_filepath=plot_filepath)
# Save used configuration for reference
config_filepath = os.path.join(output_dir, 'config.yaml')
if os.path.exists(config_filepath) and os.path.isfile(config_filepath):
raise RuntimeError(f'Output config file exists: {config_filepath}')
OmegaConf.save(self.cfg, config_filepath, resolve=True)
def simulate_room_kwargs(kwargs: dict) -> dict:
"""Wrapper around `simulate_room` to handle kwargs.
`pool.map(simulate_room_kwargs, examples)` would be
equivalent to `pool.starstarmap(simulate_room, examples)`
if `starstarmap` would exist.
Args:
kwargs: kwargs that are forwarded to `simulate_room`
Returns:
Dictionary with metadata, see `simulate_room`
"""
return simulate_room(**kwargs)
def simulate_room(
room_params: dict, mic_array: ArrayGeometry, source_position: Iterable[Iterable[float]], room_filepath: str,
) -> dict:
"""Simulate room
Args:
room_params: parameters of the room to be simulated
mic_array: defines positions of the microphones
source_positions: positions for all sources to be simulated
room_filepath: results are saved to this path
Returns:
Dictionary with metadata based on simulation setup
and simulation results. Used to create the corresponding
manifest file.
"""
# room with the selected parameters
room_sim = pra.ShoeBox(
room_params['dim'],
fs=room_params['sample_rate'],
materials=pra.Material(room_params['absorption']),
max_order=room_params['max_order'],
)
# same geometry for generating anechoic responses
room_anechoic = pra.ShoeBox(
room_params['dim'],
fs=room_params['sample_rate'],
materials=pra.Material(room_params['anechoic_absorption']),
max_order=room_params['anechoic_max_order'],
)
# Compute RIRs
for room in [room_sim, room_anechoic]:
# place the array
room.add_microphone_array(mic_array.positions.T)
# place the sources
for s_pos in source_position:
room.add_source(s_pos)
# generate RIRs
room.compute_rir()
# Get metadata for sources
source_distance = []
source_azimuth = []
source_elevation = []
for s_pos in source_position:
distance, azimuth, elevation = mic_array.spherical_relative_to_array(s_pos)
source_distance.append(distance)
source_azimuth.append(azimuth)
source_elevation.append(elevation)
# RIRs
rir_dataset = {
'rir': convert_rir_to_multichannel(room_sim.rir),
'anechoic': convert_rir_to_multichannel(room_anechoic.rir),
}
# Prepare metadata dict and return
metadata = {
'room_filepath': room_filepath,
'sample_rate': room_params['sample_rate'],
'dim': room_params['dim'],
'rir_absorption': room_params['absorption'],
'rir_max_order': room_params['max_order'],
'rir_rt60_theory': room_sim.rt60_theory(),
'rir_rt60_measured': room_sim.measure_rt60().mean(axis=0), # average across mics for each source
'anechoic_rt60_theory': room_anechoic.rt60_theory(),
'anechoic_rt60_measured': room_anechoic.measure_rt60().mean(axis=0), # average across mics for each source
'anechoic_absorption': room_params['anechoic_absorption'],
'anechoic_max_order': room_params['anechoic_max_order'],
'mic_positions': mic_array.positions,
'mic_center': mic_array.center,
'source_position': source_position,
'source_distance': source_distance,
'source_azimuth': source_azimuth,
'source_elevation': source_elevation,
'num_sources': len(source_position),
}
# Save simulated RIR
save_rir_simulation(room_filepath, rir_dataset, metadata)
return convert_numpy_to_serializable(metadata)
def save_rir_simulation(filepath: str, rir_dataset: Dict[str, List[np.array]], metadata: dict):
"""Save simulated RIRs and metadata.
Args:
filepath: Path to the file where the data will be saved.
rir_dataset: Dictionary with RIR data. Each item is a set of multi-channel RIRs.
metadata: Dictionary with related metadata.
"""
if os.path.exists(filepath):
raise RuntimeError(f'Output file exists: {room_filepath}')
num_sources = metadata['num_sources']
with h5py.File(filepath, 'w') as h5f:
# Save RIRs, each RIR set in a separate group
for rir_key, rir_value in rir_dataset.items():
if len(rir_value) != num_sources:
raise ValueError(
f'Each RIR dataset should have exactly {num_sources} elements. Current RIR {key} has {len(rir_value)} elements'
)
rir_group = h5f.create_group(rir_key)
# RIRs for different sources are saved under [group]['idx']
for idx, rir in enumerate(rir_value):
rir_group.create_dataset(f'{idx}', data=rir_value[idx])
# Save metadata
metadata_group = h5f.create_group('metadata')
for key, value in metadata.items():
metadata_group.create_dataset(key, data=value)
def load_rir_simulation(filepath: str, source: int = 0, rir_key: str = 'rir') -> Tuple[np.ndarray, float]:
"""Load simulated RIRs and metadata.
Args:
filepath: Path to simulated RIR data
source: Index of a source.
rir_key: String to denote which RIR to load, if there are multiple available.
Returns:
Multichannel RIR as ndarray with shape (num_samples, num_channels) and scalar sample rate.
"""
with h5py.File(filepath, 'r') as h5f:
# Load RIR
rir = h5f[rir_key][f'{source}'][:]
# Load metadata
sample_rate = h5f['metadata']['sample_rate'][()]
return rir, sample_rate
def convert_numpy_to_serializable(data: Union[dict, float, np.ndarray]) -> Union[dict, float, np.ndarray]:
"""Convert all numpy estries to list.
Can be used to preprocess data before writing to a JSON file.
Args:
data: Dictionary, array or scalar.
Returns:
The same structure, but converted to list if
the input is np.ndarray, so `data` can be seralized.
"""
if isinstance(data, dict):
for key, val in data.items():
data[key] = convert_numpy_to_serializable(val)
elif isinstance(data, list):
data = [convert_numpy_to_serializable(d) for d in data]
elif isinstance(data, np.ndarray):
data = data.tolist()
elif isinstance(data, np.integer):
data = int(data)
elif isinstance(data, np.floating):
data = float(data)
elif isinstance(data, np.generic):
data = data.item()
return data
def convert_rir_to_multichannel(rir: List[List[np.ndarray]]) -> List[np.ndarray]:
"""Convert RIR to a list of arrays.
Args:
rir: list of lists, each element is a single-channel RIR
Returns:
List of multichannel RIRs
"""
num_mics = len(rir)
num_sources = len(rir[0])
mc_rir = [None] * num_sources
for n_source in range(num_sources):
rir_len = [len(rir[m][n_source]) for m in range(num_mics)]
max_len = max(rir_len)
mc_rir[n_source] = np.zeros((max_len, num_mics))
for n_mic, len_mic in enumerate(rir_len):
mc_rir[n_source][:len_mic, n_mic] = rir[n_mic][n_source]
return mc_rir
def plot_rir_manifest_info(filepath: str, plot_filepath: str = None):
"""Plot distribution of parameters from manifest file.
Args:
filepath: path to a RIR corpus manifest file
plot_filepath: path to save the plot at
"""
metadata = read_manifest(filepath)
# source placement
source_distance = []
source_azimuth = []
source_elevation = []
source_height = []
# room config
rir_rt60_theory = []
rir_rt60_measured = []
anechoic_rt60_theory = []
anechoic_rt60_measured = []
# get the required data
for data in metadata:
# source config
source_distance += data['source_distance']
source_azimuth += data['source_azimuth']
source_elevation += data['source_elevation']
source_height += [s_pos[2] for s_pos in data['source_position']]
# room config
rir_rt60_theory.append(data['rir_rt60_theory'])
rir_rt60_measured += data['rir_rt60_measured']
anechoic_rt60_theory.append(data['anechoic_rt60_theory'])
anechoic_rt60_measured += data['anechoic_rt60_measured']
# plot
plt.figure(figsize=(12, 6))
plt.subplot(2, 4, 1)
plt.hist(source_distance, label='distance')
plt.xlabel('distance / m')
plt.ylabel('# examples')
plt.title('Source-to-array center distance')
plt.subplot(2, 4, 2)
plt.hist(source_azimuth, label='azimuth')
plt.xlabel('azimuth / deg')
plt.ylabel('# examples')
plt.title('Source-to-array center azimuth')
plt.subplot(2, 4, 3)
plt.hist(source_elevation, label='elevation')
plt.xlabel('elevation / deg')
plt.ylabel('# examples')
plt.title('Source-to-array center elevation')
plt.subplot(2, 4, 4)
plt.hist(source_height, label='source height')
plt.xlabel('height / m')
plt.ylabel('# examples')
plt.title('Source height')
plt.subplot(2, 4, 5)
plt.hist(rir_rt60_theory, label='theory')
plt.xlabel('RT60 / s')
plt.ylabel('# examples')
plt.title('RT60 theory')
plt.subplot(2, 4, 6)
plt.hist(rir_rt60_measured, label='measured')
plt.xlabel('RT60 / s')
plt.ylabel('# examples')
plt.title('RT60 measured')
plt.subplot(2, 4, 7)
plt.hist(anechoic_rt60_theory, label='theory')
plt.xlabel('RT60 / s')
plt.ylabel('# examples')
plt.title('RT60 theory (anechoic)')
plt.subplot(2, 4, 8)
plt.hist(anechoic_rt60_measured, label='measured')
plt.xlabel('RT60 / s')
plt.ylabel('# examples')
plt.title('RT60 measured (anechoic)')
for n in range(8):
plt.subplot(2, 4, n + 1)
plt.grid()
plt.legend(loc='lower left')
plt.tight_layout()
if plot_filepath is not None:
plt.savefig(plot_filepath)
plt.close()
logging.info('Plot saved at %s', plot_filepath)
class RIRMixGenerator(object):
"""Creates a dataset of mixed signals at the microphone
by combining target speech, background noise and interference.
Correspnding signals are are generated and saved
using the `generate` method.
Input configuration is expexted to have the following structure
```
sample_rate: sample rate used for simulation
room:
subset: manifest for RIR data
target:
subset: manifest for target source data
noise:
subset: manifest for noise data
interference:
subset: manifest for interference data
interference_probability: probability that interference is present
max_num_interferers: max number of interferers, randomly selected between 0 and max
mix:
subset:
num: number of examples to generate
rsnr: range of RSNR
rsir: range of RSIR
ref_mic: reference microphone
ref_mic_rms: desired RMS at ref_mic
```
"""
def __init__(self, cfg: DictConfig):
"""
Instantiate a RIRMixGenerator object.
Args:
cfg: generator configuration defining data for room,
target signal, noise, interference and mixture
"""
logging.info("Initialize RIRMixGenerator")
self._cfg = cfg
self.check_cfg()
self.subsets = self.cfg.room.keys()
logging.info('Initialized with %d subsets: %s', len(self.subsets), str(self.subsets))
# load manifests
self.metadata = dict()
for subset in self.subsets:
subset_data = dict()
logging.info('Loading data for %s', subset)
for key in ['room', 'target', 'noise', 'interference']:
try:
subset_data[key] = read_manifest(self.cfg[key][subset])
logging.info('\t%-*s: \t%d files', 15, key, len(subset_data[key]))
except Exception as e:
subset_data[key] = None
logging.info('\t%-*s: \t0 files', 15, key)
logging.warning('\t\tManifest data not loaded. Exception: %s', str(e))
self.metadata[subset] = subset_data
logging.info('Loaded all manifests')
self.num_retries = self.cfg.get('num_retries', 5)
@property
def cfg(self):
"""Property holding the internal config of the object.
Note:
Changes to this config are not reflected in the state of the object.
Please create a new model with the updated config.
"""
return self._cfg
@property
def sample_rate(self):
return self._cfg.sample_rate
@cfg.setter
def cfg(self, cfg):
"""Property holding the internal config of the object.
Note:
Changes to this config are not reflected in the state of the object.
Please create a new model with the updated config.
"""
self._cfg = cfg
def check_cfg(self):
"""
Checks provided configuration to ensure it has the minimal required
configuration the values are in a reasonable range.
"""
# sample rate
sample_rate = self.cfg.get('sample_rate')
if sample_rate is None:
raise ValueError('Sample rate not provided.')
elif sample_rate < 0:
raise ValueError(f'Sample rate must be positive: {sample_rate}')
# room configuration
room_cfg = self.cfg.get('room')
if not room_cfg:
raise ValueError(
'Room configuration not provided. Expecting RIR manifests in format {subset: path_to_manifest}'
)
# target configuration
target_cfg = self.cfg.get('target')
if not target_cfg:
raise ValueError(
'Target configuration not provided. Expecting audio manifests in format {subset: path_to_manifest}'
)
for key in ['azimuth', 'elevation', 'distance']:
value = target_cfg.get(key)
if value is None or np.isscalar(value):
# no constraint or a fixed dimension is ok
pass
elif len(value) != 2 or not value[0] < value[1]:
# not a valid range
raise ValueError(f'Range must be specified with two positive increasing elements for {key}: {value}')
# noise configuration
noise_cfg = self.cfg.get('noise')
if not noise_cfg:
raise ValueError(
'Noise configuration not provided. Expecting audio manifests in format {subset: path_to_manifest}'
)
# interference configuration
interference_cfg = self.cfg.get('interference')
if not interference_cfg:
raise ValueError(
'Interference configuration not provided. Expecting audio manifests in format {subset: path_to_manifest}'
)
interference_probability = interference_cfg.get('interference_probability', 0)
max_num_interferers = interference_cfg.get('max_num_interferers', 0)
min_azimuth_to_target = interference_cfg.get('min_azimuth_to_target', 0)
if interference_probability is not None:
if interference_probability < 0:
raise ValueError(f'Interference probability must be non-negative. Current value: {interference_prob}')
elif interference_probability > 0:
assert (
max_num_interferers is not None and max_num_interferers > 0
), f'Max number of interferers must be positive. Current value: {max_num_interferers}'
assert (
min_azimuth_to_target is not None and min_azimuth_to_target >= 0
), f'Min azimuth to target must be non-negative'
# mix configuration
mix_cfg = self.cfg.get('mix')
if not mix_cfg:
raise ValueError('Mix configuration not provided. Expecting configuration for each subset.')
if 'ref_mic' not in mix_cfg:
raise ValueError('Reference microphone not defined.')
if 'ref_mic_rms' not in mix_cfg:
raise ValueError('Reference microphone RMS not defined.')
def get_audio_list(
self, metadata: List[dict], min_duration: float, manifest_filepath: str = None, duration_eps: float = 0.01
) -> List[dict]:
"""Prepare a list of audio files with duration of at least min_duration.
Audio files are randomly selected from manifest metadata.
If a selected file is longer than required duration, then a random offset is selected
before taking a min_duration segment.
If a selected file is shorter than the required duration, then a the whole file is selected
and a next file is randomly selected.
Needs manifest filepath to support relative path resolution.
Args:
metadata: metadata loaded from a manifest file
min_duration: minimal duration for the output file
manifest_filepath: path to the manifest file, used to resolve relative paths.
For relative paths, manifest parent directory is assume to
be the base directory.
duration_eps: A small extra duration selected from each file. This is to make
sure that the signal will be long enough even if it needs to be
resampled, etc.
Returns:
List of audio files with some metadata (offset, duration).
"""
# load a bit more than required, to compensate to floor rounding
# when loading samples from a file
total_duration = additional_duration = 0
audio_list = []
while total_duration < min_duration + additional_duration:
data = self.random.choice(metadata)
audio_filepath = data['audio_filepath']
if not os.path.isabs(audio_filepath) and manifest_filepath is not None:
manifest_dir = os.path.dirname(manifest_filepath)
audio_filepath = os.path.join(manifest_dir, audio_filepath)
remaining_duration = min_duration - total_duration + additional_duration
# select a random offset
if data['duration'] <= remaining_duration:
# take the whole noise file
offset = 0
duration = data['duration']
additional_duration += duration_eps
else:
# select a random offset in seconds
max_offset = data['duration'] - remaining_duration
offset = self.random.uniform(low=0, high=max_offset)
duration = remaining_duration
audio_example = {
'audio_filepath': audio_filepath,
'offset': offset,
'duration': duration,
'type': data.get('type'),
}
audio_list.append(audio_example)
total_duration += duration
return audio_list
def generate_target(self, subset: str) -> dict:
"""
Prepare a dictionary with target configuration.
The output dictionary contains the following information
```
room_index: index of the selected room from the RIR corpus
room_filepath: path to the room simulation file
source: index of the selected source for the target
rt60: reverberation time of the selected room
num_mics: number of microphones
azimuth: azimuth of the target source, relative to the microphone array
elevation: elevation of the target source, relative to the microphone array
distance: distance of the target source, relative to the microphone array
audio_filepath: path to the audio file for the target source
text: text for the target source audio signal, if available
duration: duration of the target source audio signal
```
Args:
subset: string denoting a subset which will be used to selected target
audio and room parameters.
Returns:
Dictionary with target configuration, including room, source index, and audio information.
"""
# Prepare room & source position
room_metadata = self.metadata[subset]['room']
for _ in range(self.num_retries):
# Select room
room_index = self.random.integers(low=0, high=len(room_metadata))
room_data = room_metadata[room_index]
# Select target source in this room
for _ in range(self.num_retries):
# Select a source for the target
source = self.random.integers(low=0, high=room_data['num_sources'])
# Check constraints
for constraint in ['azimuth', 'elevation', 'distance']:
if self.cfg.target.get(constraint) is None:
continue
else:
# Check that the selected source is in the range
source_value = room_data[f'source_{constraint}'][source]
if self.cfg.target[constraint][0] <= source_value <= self.cfg.target[constraint][1]:
continue
else:
# Pick a new one
source = None
break
if source is not None:
# A feasible source has been found
break
if source is None:
raise RuntimeError(f'Could not find a feasible source given target constraints {self.cfg.target}')
# Prepare audio data
audio_data = self.random.choice(self.metadata[subset]['target'])
# Handle relative paths
room_filepath = room_data['room_filepath']
if not os.path.isabs(room_filepath):
manifest_dir = os.path.dirname(self.cfg.room[subset])
room_filepath = os.path.join(manifest_dir, room_filepath)
audio_filepath = audio_data['audio_filepath']
if not os.path.isabs(audio_filepath):
manifest_dir = os.path.dirname(self.cfg.target[subset])
audio_filepath = os.path.join(manifest_dir, audio_filepath)
target_cfg = {
'room_index': int(room_index),
'room_filepath': room_filepath,
'source': source,
'rt60': room_data['rir_rt60_measured'][source],
'num_mics': len(room_data['mic_positions']),
'azimuth': room_data['source_azimuth'][source],
'elevation': room_data['source_elevation'][source],
'distance': room_data['source_distance'][source],
'audio_filepath': audio_filepath,
'text': audio_data.get('text'),
'duration': audio_data['duration'],
}
return target_cfg
def generate_noise(self, subset: str, target_cfg: dict) -> List[dict]:
"""
Prepare a list of dictionaries with noise configuration.
Args:
subset: string denoting a subset which will be used to select noise audio.
target_cfg: dictionary with target configuration. This is used determine
the minimal required duration for the noise signal.
Returns:
List of dictionary with noise configuration, including audio information
for one or more noise files.
"""
if (noise_metadata := self.metadata[subset]['noise']) is None:
return None
noise_cfg = self.get_audio_list(
noise_metadata, min_duration=target_cfg['duration'], manifest_filepath=self.cfg.noise[subset]
)
return noise_cfg
def generate_interference(self, subset: str, target_cfg: dict) -> List[dict]:
"""
Prepare a list of dictionaries with interference configuration.
Args:
subset: string denoting a subset which will be used to select interference audio.
target_cfg: dictionary with target configuration. This is used to determine
the minimal required duration for the noise signal.
Returns:
List of dictionary with interference configuration, including source index and audio information
for one or more interference sources.
"""
if (interference_metadata := self.metadata[subset]['interference']) is None:
# No interference to be configured
return None
# Configure interfering sources
max_num_sources = self.cfg.interference.get('max_num_interferers', 0)
interference_probability = self.cfg.interference.get('interference_probability', 0)
if (
max_num_sources >= 1
and interference_probability > 0
and self.random.uniform(low=0.0, high=1.0) < interference_probability
):
# interference present
num_interferers = self.random.integers(low=1, high=max_num_sources + 1)
else:
# interference not present
return None
# Room setup: same room as target
room_index = target_cfg['room_index']
room_data = self.metadata[subset]['room'][room_index]
feasible_sources = list(range(room_data['num_sources']))
# target source is not eligible
feasible_sources.remove(target_cfg['source'])
# Constraints for interfering sources
min_azimuth_to_target = self.cfg.interference.get('min_azimuth_to_target', 0)
# Prepare interference configuration
interference_cfg = []
for n in range(num_interferers):
# Select a source
source = None
while len(feasible_sources) > 0 and source is None:
# Select a potential source for the target
source = self.random.choice(feasible_sources)
feasible_sources.remove(source)
# Check azimuth separation
if min_azimuth_to_target > 0:
source_azimuth = room_data['source_azimuth'][source]
azimuth_diff = wrap_to_180(source_azimuth - target_cfg['azimuth'])
if abs(azimuth_diff) < min_azimuth_to_target:
# Try again
source = None
continue
if source is None:
logging.warning('Could not select a feasible interference source %d of %s', n, num_interferers)
# Return what we have for now or None
return interference_cfg if interference_cfg else None
# Current source setup
interfering_source = {
'source': source,
'azimuth': room_data['source_azimuth'][source],
'elevation': room_data['source_elevation'][source],
'distance': room_data['source_distance'][source],
'audio': self.get_audio_list(
interference_metadata,
min_duration=target_cfg['duration'],
manifest_filepath=self.cfg.interference[subset],
),
}
# Done with interference for this source
interference_cfg.append(interfering_source)
return interference_cfg
def generate_mix(self, subset: str) -> dict:
"""Generate scaling parameters for mixing
the target speech at the microphone, background noise
and interference signal at the microphone.
The output dictionary contains the following information
```
rsnr: reverberant signal-to-noise ratio
rsir: reverberant signal-to-interference ratio
ref_mic: reference microphone for calculating the metrics
ref_mic_rms: RMS of the signal at the reference microphone
```
Args:
subset: string denoting the subset of configuration
Returns:
Dictionary containing configured RSNR, RSIR, ref_mic
and RMS on ref_mic.
"""
mix_cfg = dict()
for key in ['rsnr', 'rsir', 'ref_mic', 'ref_mic_rms']:
if key in self.cfg.mix[subset]:
# Take the value from subset config
value = self.cfg.mix[subset][key]
else:
# Take the global value
value = self.cfg.mix[key]
if value is None:
mix_cfg[key] = None
elif np.isscalar(value):
mix_cfg[key] = value
elif len(value) == 2:
# Select from the given range, including the upper bound
mix_cfg[key] = self.random.integers(low=value[0], high=value[1] + 1)
else:
# Select one of the multiple values
mix_cfg[key] = self.random.choice(value)
return mix_cfg
def generate(self):
"""Generate a corpus of microphone signals by mixing target, background noise
and interference signals.
This method will prepare randomized examples based on the current configuration,
run simulations and save results to output_dir.
"""
logging.info('Generate mixed signals')
# Initialize
self.random = default_rng(seed=self.cfg.random_seed)
# Prepare output dir
output_dir = self.cfg.output_dir
if output_dir.endswith('.yaml'):
output_dir = output_dir[:-5]
# Create absolute path
logging.info('Output dir set to: %s', output_dir)
# Generate all cases
for subset in self.subsets:
output_dir_subset = os.path.join(output_dir, subset)
examples = []
if not os.path.exists(output_dir_subset):
logging.info('Creating output directory: %s', output_dir_subset)
os.makedirs(output_dir_subset)
elif os.path.isdir(output_dir_subset) and len(os.listdir(output_dir_subset)) > 0:
raise RuntimeError(f'Output directory {output_dir_subset} is not empty.')
num_examples = self.cfg.mix[subset].num
logging.info('Preparing %d examples for subset %s', num_examples, subset)
# Generate examples
for n_example in tqdm(range(num_examples), total=num_examples, desc=f'Preparing {subset}'):
# prepare configuration
target_cfg = self.generate_target(subset)
noise_cfg = self.generate_noise(subset, target_cfg)
interference_cfg = self.generate_interference(subset, target_cfg)
mix_cfg = self.generate_mix(subset)
# base file name
base_output_filepath = os.path.join(output_dir_subset, f'{subset}_example_{n_example:09d}')
# prepare example
example = {
'sample_rate': self.sample_rate,
'target_cfg': target_cfg,
'noise_cfg': noise_cfg,
'interference_cfg': interference_cfg,
'mix_cfg': mix_cfg,
'base_output_filepath': base_output_filepath,
}
examples.append(example)
# Simulation
num_workers = self.cfg.num_workers
if num_workers is not None and num_workers > 1:
logging.info(f'Simulate using {num_workers} workers')
with multiprocessing.Pool(processes=num_workers) as pool:
metadata = list(
tqdm(
pool.imap(simulate_room_mix_kwargs, examples),
total=len(examples),
desc=f'Simulating {subset}',
)
)
else:
logging.info('Simulate using a single worker')
metadata = []
for example in tqdm(examples, total=len(examples), desc=f'Simulating {subset}'):
metadata.append(simulate_room_mix(**example))
# Save manifest
manifest_filepath = os.path.join(output_dir, f'{subset}_manifest.json')
if os.path.exists(manifest_filepath) and os.path.isfile(manifest_filepath):
raise RuntimeError(f'Manifest config file exists: {manifest_filepath}')
# Make all paths in the manifest relative to the output dir
for data in tqdm(metadata, total=len(metadata), desc=f'Making filepaths relative {subset}'):
for key, val in data.items():
if key.endswith('_filepath') and val is not None:
data[key] = os.path.relpath(val, start=output_dir)
write_manifest(manifest_filepath, metadata)
# Generate plots with information about generated data
plot_filepath = os.path.join(output_dir, f'{subset}_info.png')
if os.path.exists(plot_filepath) and os.path.isfile(plot_filepath):
raise RuntimeError(f'Plot file exists: {plot_filepath}')
plot_mix_manifest_info(manifest_filepath, plot_filepath=plot_filepath)
# Save used configuration for reference
config_filepath = os.path.join(output_dir, 'config.yaml')
if os.path.exists(config_filepath) and os.path.isfile(config_filepath):
raise RuntimeError(f'Output config file exists: {config_filepath}')
OmegaConf.save(self.cfg, config_filepath, resolve=True)
def convolve_rir(signal: np.ndarray, rir: np.ndarray) -> np.ndarray:
"""Convolve signal with a possibly multichannel IR in rir, i.e.,
calculate the following for each channel m:
signal_m = rir_m \ast signal
Args:
signal: single-channel signal (samples,)
rir: single- or multi-channel IR, (samples,) or (samples, channels)
Returns:
out: same length as signal, same number of channels as rir, shape (samples, channels)
"""
num_samples = len(signal)
if rir.ndim == 1:
# convolve and trim to length
out = convolve(signal, rir)[:num_samples]
elif rir.ndim == 2:
num_channels = rir.shape[1]
out = np.zeros((num_samples, num_channels))
for m in range(num_channels):
out[:, m] = convolve(signal, rir[:, m])[:num_samples]
else:
raise RuntimeError(f'RIR with {rir.ndim} not supported')
return out
def calculate_drr(rir: np.ndarray, sample_rate: float, n_direct: List[int], n_0_ms=2.5) -> List[float]:
"""Calculate direct-to-reverberant ratio (DRR) from the measured RIR.
Calculation is done as in eq. (3) from [1].
Args:
rir: room impulse response, shape (num_samples, num_channels)
sample_rate: sample rate for the impulse response
n_direct: direct path delay
n_0_ms: window around n_direct for calculating the direct path energy
Returns:
Calculated DRR for each channel of the input RIR.
References:
[1] Eaton et al, The ACE challenge: Corpus description and performance evaluation, WASPAA 2015
"""
# Define a window around the direct path delay
n_0 = int(n_0_ms * sample_rate / 1000)
len_rir, num_channels = rir.shape
drr = [None] * num_channels
for m in range(num_channels):
# Window around the direct path
dir_start = max(n_direct[m] - n_0, 0)
dir_end = n_direct[m] + n_0
# Power of the direct component
pow_dir = np.sum(np.abs(rir[dir_start:dir_end, m]) ** 2) / len_rir
# Power of the reverberant component
pow_reverberant = (np.sum(np.abs(rir[0:dir_start, m]) ** 2) + np.sum(np.abs(rir[dir_end:, m]) ** 2)) / len_rir
# DRR in dB
drr[m] = pow2db(pow_dir / pow_reverberant)
return drr
def normalize_max(x: np.ndarray, max_db: float = 0, eps: float = 1e-16) -> np.ndarray:
"""Normalize max input value to max_db full scale (±1).
Args:
x: input signal
max_db: desired max magnitude compared to full scale
eps: small regularization constant
Returns:
Normalized signal with max absolute value max_db.
"""
max_val = db2mag(max_db)
return max_val * x / (np.max(np.abs(x)) + eps)
def simultaneously_active_rms(
x: np.ndarray,
y: np.ndarray,
sample_rate: float,
rms_threshold_db: float = -40,
window_len_ms: float = 200,
min_active_duration: float = 0.5,
) -> Tuple[float, float]:
"""Calculate RMS over segments where both input signals are active.
Args:
x: first input signal
y: second input signal
sample_rate: sample rate for input signals in Hz
rms_threshold_db: threshold for determining activity of the signal, relative
to max absolute value
window_len_ms: window length in milliseconds, used for calculating segmental RMS
min_active_duration: minimal duration of the active segments
Returns:
RMS value over active segments for x and y.
"""
if len(x) != len(y):
raise RuntimeError(f'Expecting signals of same length: len(x)={len(x)}, len(y)={len(y)}')
window_len = int(window_len_ms * sample_rate / 1000)
rms_threshold = db2mag(rms_threshold_db) # linear scale
x_normalized = normalize_max(x)
y_normalized = normalize_max(y)
x_active_power = y_active_power = active_len = 0
for start in range(0, len(x) - window_len, window_len):
window = slice(start, start + window_len)
# check activity on the scaled signal
x_window_rms = rms(x_normalized[window])
y_window_rms = rms(y_normalized[window])
if x_window_rms > rms_threshold and y_window_rms > rms_threshold:
# sum the power of the original non-scaled signal
x_active_power += np.sum(np.abs(x[window]) ** 2)
y_active_power += np.sum(np.abs(y[window]) ** 2)
active_len += window_len
if active_len < int(min_active_duration * sample_rate):
raise RuntimeError(
f'Signals are simultaneously active less than {min_active_duration} s: only {active_len/sample_rate} s'
)
# normalize
x_active_power /= active_len
y_active_power /= active_len
return np.sqrt(x_active_power), np.sqrt(y_active_power)
def scaled_disturbance(
signal: np.ndarray,
disturbance: np.ndarray,
sdr: float,
sample_rate: float = None,
ref_channel: int = 0,
eps: float = 1e-16,
) -> np.ndarray:
"""
Args:
signal: numpy array, shape (num_samples, num_channels)
disturbance: numpy array, same shape as signal
sdr: desired signal-to-disturbance ration
sample_rate: sample rate of the input signals
ref_channel: ref mic used to calculate RMS
eps: regularization constant
Returns:
Scaled disturbance, so that signal-to-disturbance ratio at ref_channel
is approximately equal to input SDR during simultaneously active
segment of signal and disturbance.
"""
if signal.shape != disturbance.shape:
raise ValueError(f'Signal and disturbance shapes do not match: {signal.shape} != {disturbance.shape}')
# set scaling based on RMS at ref_mic
signal_rms, disturbance_rms = simultaneously_active_rms(
signal[:, ref_channel], disturbance[:, ref_channel], sample_rate=sample_rate
)
disturbance_gain = db2mag(-sdr) * signal_rms / (disturbance_rms + eps)
# scale disturbance
scaled_disturbance = disturbance_gain * disturbance
return scaled_disturbance
def load_audio_from_multiple_files(items: List[Dict], sample_rate: int, total_len: int) -> np.ndarray:
"""Load an audio from multiple files and concatenate into a single signal.
Args:
items: list of dictionaries, each item has audio_filepath, offset, and duration
sample_rate: desired sample rate of the signal
total_len: total length in samples
Returns:
Numpy array, shape (total_len, num_channels)
"""
if items is None:
# Nothing is provided
return None
signal = None
samples_to_load = total_len
# if necessary, load multiple from files
for item in items:
check_min_sample_rate(item['audio_filepath'], sample_rate)
# load the pre-defined segment
segment = AudioSegment.from_file(
item['audio_filepath'], target_sr=sample_rate, offset=item['offset'], duration=item['duration'],
)
# not perfect, since different files may have different distributions
segment_samples = normalize_max(segment.samples)
# concatenate
signal = np.concatenate((signal, segment_samples)) if signal is not None else segment_samples
# remaining samples
samples_to_load -= len(segment_samples)
if samples_to_load <= 0:
break
# trim to length
signal = signal[:total_len, ...]
return signal
def check_min_sample_rate(filepath: str, sample_rate: float):
"""Make sure the file's sample rate is at least sample_rate.
This will make sure that we have only downsampling if loading
this file, while upsampling is not permitted.
Args:
filepath: path to a file
sample_rate: desired sample rate
"""
file_sample_rate = librosa.get_samplerate(path=filepath)
if file_sample_rate < sample_rate:
raise RuntimeError(
f'Sample rate ({file_sample_rate}) is lower than the desired sample rate ({sample_rate}). File: {filepath}.'
)
def simulate_room_mix(
sample_rate: int,
target_cfg: dict,
noise_cfg: List[dict],
interference_cfg: dict,
mix_cfg: dict,
base_output_filepath: str,
max_amplitude: float = 0.999,
eps: float = 1e-16,
) -> dict:
"""Simulate mixture signal at the microphone, including target, noise and
interference signals and mixed at specific RSNR and RSIR.
Args:
sample_rate: Sample rate for all signals
target_cfg: Dictionary with configuration of the target. Includes
room_filepath, source index, audio_filepath, duration
noise_cfg: List of dictionaries, where each item includes audio_filepath,
offset and duration.
interference_cfg: List of dictionaries, where each item contains source
index
mix_cfg: Dictionary with the mixture configuration. Includes RSNR, RSIR,
ref_mic and ref_mic_rms.
base_output_filepath: All output audio files will be saved with this prefix by
adding a diffierent suffix for each component, e.g., _mic.wav.
max_amplitude: Maximum amplitude of the mic signal, used to prevent clipping.
eps: Small regularization constant.
Returns:
Dictionary with metadata based on the mixture setup and
simulation results. This corresponds to a line of the
output manifest file.
"""
# Local utilities
def load_rir(room_filepath: str, source: int, sample_rate: float, rir_key: str = 'rir') -> np.ndarray:
"""Load a RIR and check that the sample rate is matching the desired sample rate
Args:
room_filepath: Path to a room simulation in an h5 file
source: Index of the desired source
sample_rate: Sample rate of the simulation
rir_key: Key of the RIR to load from the simulation.
Returns:
Numpy array with shape (num_samples, num_channels)
"""
rir, rir_sample_rate = load_rir_simulation(room_filepath, source=source, rir_key=rir_key)
if rir_sample_rate != sample_rate:
raise RuntimeError(
f'RIR sample rate ({sample_rate}) is not matching the expected sample rate ({sample_rate}). File: {room_filepath}'
)
return rir
# Target RIRs
target_rir = load_rir(target_cfg['room_filepath'], source=target_cfg['source'], sample_rate=sample_rate)
target_rir_anechoic = load_rir(
target_cfg['room_filepath'], source=target_cfg['source'], sample_rate=sample_rate, rir_key='anechoic'
)
# Target signals
check_min_sample_rate(target_cfg['audio_filepath'], sample_rate)
target_segment = AudioSegment.from_file(
target_cfg['audio_filepath'], target_sr=sample_rate, duration=target_cfg['duration']
)
if target_segment.num_channels > 1:
raise RuntimeError(
f'Expecting single-channel source signal, but received {target_segment.num_channels}. File: {target_cfg["audio_filepath"]}'
)
target_signal = normalize_max(target_segment.samples)
# Convolve
target_reverberant = convolve_rir(target_signal, target_rir)
target_anechoic = convolve_rir(target_signal, target_rir_anechoic)
# Prepare noise signal
noise = load_audio_from_multiple_files(noise_cfg, sample_rate=sample_rate, total_len=len(target_reverberant))
# Prepare interference signal
if interference_cfg is None:
interference = None
else:
# Load interference signals
interference = 0
for i_cfg in interference_cfg:
# Load signal
i_signal = load_audio_from_multiple_files(
i_cfg['audio'], sample_rate=sample_rate, total_len=len(target_reverberant)
)
# Load RIR from the same room as the target, but a difference source
i_rir = load_rir(target_cfg['room_filepath'], source=i_cfg['source'], sample_rate=sample_rate)
# Convolve
i_reverberant = convolve_rir(i_signal, i_rir)
# Sum
interference += i_reverberant
# Scale and add components of the signal
mix = target_reverberant.copy()
if noise is not None:
noise = scaled_disturbance(
signal=target_reverberant,
disturbance=noise,
sdr=mix_cfg['rsnr'],
sample_rate=sample_rate,
ref_channel=mix_cfg['ref_mic'],
)
# Update mic signal
mix += noise
if interference is not None:
interference = scaled_disturbance(
signal=target_reverberant,
disturbance=interference,
sdr=mix_cfg['rsir'],
sample_rate=sample_rate,
ref_channel=mix_cfg['ref_mic'],
)
# Update mic signal
mix += interference
# Set the final mic signal level
mix_rms = rms(mix[:, mix_cfg['ref_mic']])
global_gain = db2mag(mix_cfg['ref_mic_rms']) / (mix_rms + eps)
mix_max = np.max(np.abs(mix))
if (clipped_max := mix_max * global_gain) > max_amplitude:
# Downscale the global gain to prevent clipping + adjust ref_mic_rms accordingly
clipping_prevention_gain = max_amplitude / clipped_max
global_gain *= clipping_prevention_gain
mix_cfg['ref_mic_rms'] += mag2db(clipping_prevention_gain)
logging.debug(
'Clipping prevented for example %s (protection gain: %.2f dB)',
base_output_filepath,
mag2db(clipping_prevention_gain),
)
# scale all signal components
mix *= global_gain
target_reverberant *= global_gain
target_anechoic *= global_gain
if noise is not None:
noise *= global_gain
if interference is not None:
interference *= global_gain
# save signals
mic_filepath = base_output_filepath + '_mic.wav'
sf.write(mic_filepath, mix, sample_rate, 'float')
target_reverberant_filepath = base_output_filepath + '_target_reverberant.wav'
sf.write(target_reverberant_filepath, target_reverberant, sample_rate, 'float')
target_anechoic_filepath = base_output_filepath + '_target_anechoic.wav'
sf.write(target_anechoic_filepath, target_anechoic, sample_rate, 'float')
if noise is not None:
noise_filepath = base_output_filepath + '_noise.wav'
sf.write(noise_filepath, noise, sample_rate, 'float')
else:
noise_filepath = None
if interference is not None:
interference_filepath = base_output_filepath + '_interference.wav'
sf.write(interference_filepath, interference, sample_rate, 'float')
else:
interference_filepath = None
# calculate DRR
direct_path_delay = np.argmax(target_rir_anechoic, axis=0)
drr = calculate_drr(target_rir, sample_rate, direct_path_delay)
metadata = {
'audio_filepath': mic_filepath,
'target_reverberant_filepath': target_reverberant_filepath,
'target_anechoic_filepath': target_anechoic_filepath,
'noise_filepath': noise_filepath,
'interference_filepath': interference_filepath,
'text': target_cfg.get('text'),
'duration': target_cfg['duration'],
'target_cfg': target_cfg,
'noise_cfg': noise_cfg,
'interference_cfg': interference_cfg,
'mix_cfg': mix_cfg,
'rt60': target_cfg.get('rt60'),
'drr': drr,
'rsnr': None if noise_cfg is None else mix_cfg['rsnr'],
'rsir': None if interference_cfg is None else mix_cfg['rsir'],
}
return convert_numpy_to_serializable(metadata)
def simulate_room_mix_kwargs(kwargs: dict) -> dict:
"""Wrapper around `simulate_room_mix` to handle kwargs.
`pool.map(simulate_room_kwargs, examples)` would be
equivalent to `pool.starstarmap(simulate_room_mix, examples)`
if `starstarmap` would exist.
Args:
kwargs: kwargs that are forwarded to `simulate_room_mix`
Returns:
Dictionary with metadata, see `simulate_room_mix`
"""
return simulate_room_mix(**kwargs)
def plot_mix_manifest_info(filepath: str, plot_filepath: str = None):
"""Plot distribution of parameters from the manifest file.
Args:
filepath: path to a RIR corpus manifest file
plot_filepath: path to save the plot at
"""
metadata = read_manifest(filepath)
# target info
target_distance = []
target_azimuth = []
target_elevation = []
target_duration = []
# room config
rt60 = []
drr = []
# noise
rsnr = []
rsir = []
# get the required data
for data in metadata:
# target info
target_distance.append(data['target_cfg']['distance'])
target_azimuth.append(data['target_cfg']['azimuth'])
target_elevation.append(data['target_cfg']['elevation'])
target_duration.append(data['duration'])
# room config
rt60.append(data['rt60'])
drr += data['drr'] # average DRR across all mics
# noise
rsnr.append(data['rsnr'])
rsir.append(data['rsir'])
# plot
plt.figure(figsize=(12, 6))
plt.subplot(2, 4, 1)
plt.hist(target_distance, label='distance')
plt.xlabel('distance / m')
plt.ylabel('# examples')
plt.title('Target-to-array distance')
plt.subplot(2, 4, 2)
plt.hist(target_azimuth, label='azimuth')
plt.xlabel('azimuth / deg')
plt.ylabel('# examples')
plt.title('Target-to-array azimuth')
plt.subplot(2, 4, 3)
plt.hist(target_elevation, label='elevation')
plt.xlabel('elevation / deg')
plt.ylabel('# examples')
plt.title('Target-to-array elevation')
plt.subplot(2, 4, 4)
plt.hist(target_duration, label='duration')
plt.xlabel('time / s')
plt.ylabel('# examples')
plt.title('Target duration')
plt.subplot(2, 4, 5)
plt.hist(rt60, label='RT60')
plt.xlabel('RT60 / s')
plt.ylabel('# examples')
plt.title('RT60')
plt.subplot(2, 4, 6)
plt.hist(drr, label='DRR')
plt.xlabel('DRR / dB')
plt.ylabel('# examples')
plt.title('DRR (average over mics)')
if not any([val is None for val in rsnr]):
plt.subplot(2, 4, 7)
plt.hist(rsnr, label='RSNR')
plt.xlabel('RSNR / dB')
plt.ylabel('# examples')
plt.title('RSNR')
if not any([val is None for val in rsir]):
plt.subplot(2, 4, 8)
plt.hist(rsir, label='RSIR')
plt.xlabel('RSIR / dB')
plt.ylabel('# examples')
plt.title('RSIR')
for n in range(8):
plt.subplot(2, 4, n + 1)
plt.grid()
plt.legend(loc='lower left')
plt.tight_layout()
if plot_filepath is not None:
plt.savefig(plot_filepath)
plt.close()
logging.info('Plot saved at %s', plot_filepath)
|