1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813 1814 1815 1816 1817 1818 1819 1820 1821 1822 1823 1824 1825 1826 1827 1828 1829 1830 1831 1832 1833 1834 1835 1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849 1850 1851 1852 1853 1854 1855 1856 1857 1858 1859 1860 1861 1862 1863 1864 1865 1866 1867 1868 1869 1870 1871 1872 1873 1874 1875 1876 1877 1878 1879 1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896 1897 1898 1899 1900 1901 1902 1903 1904 1905 1906 1907 1908 1909 1910 1911 1912 1913 1914 1915 1916 1917 1918 1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935 1936 1937 1938 1939 1940 1941 1942 1943 1944 1945 1946 1947 1948 1949 1950 1951 1952 1953 1954 1955 1956 1957 1958 1959 1960 1961 1962 1963 1964 1965 1966 1967 1968 1969 1970 1971 1972 1973 1974 1975 1976 1977 1978 1979 1980 1981 1982 1983 1984 1985 1986 1987 1988 1989 1990 1991 1992 1993 1994 1995 1996 1997 1998 1999 2000 2001 2002 2003 2004 2005 2006 2007 2008 2009 2010 2011 2012 2013 2014 2015 2016 2017 2018 2019 2020 2021 2022 2023 2024 2025 2026 2027 2028 2029 2030 2031 2032 2033 2034 2035 2036 2037 2038 2039 2040 2041 2042 2043 2044 2045 2046 2047 2048 2049 2050 2051 2052 2053 2054 2055 2056 2057 2058 2059 2060 2061 2062 2063 2064 2065 2066 2067 2068 2069 2070 2071 2072 2073 2074 2075 2076 2077 2078 2079 2080 2081 2082 2083 2084 2085 2086 2087 2088 2089 2090 2091 2092 2093 2094 2095 2096 2097 2098 2099 2100 2101 2102 2103 2104 2105 2106 2107 2108 2109 2110 2111 2112 2113 2114 2115 2116 2117 2118 2119 2120 2121 2122 2123 2124 2125 2126 2127 2128 2129 2130 2131 2132 2133 2134 2135 2136 2137 2138 2139 2140 2141 2142 2143 2144 2145 2146 2147 2148 2149 2150 2151 2152 2153 2154 2155 2156 2157 2158 2159 2160 2161 2162 2163 2164 2165 2166 2167 2168 2169 2170 2171 2172 2173 2174 2175 2176 2177 2178 2179 2180 2181 2182 2183 2184 2185 2186 2187 2188 2189 2190 2191 2192 2193 2194 2195 2196 2197 2198 2199 2200 2201 2202 2203 2204 2205 2206 2207 2208 2209 2210 2211 2212 2213 2214 2215 2216 2217 2218 2219 2220 2221 2222 2223 2224 2225 2226 2227 2228 2229 2230 2231 2232 2233 2234 2235 2236 2237 2238 2239 2240 2241 2242 2243 2244 2245 2246 2247 2248 2249 2250 2251 2252 2253 2254 2255 2256 2257 2258 2259 2260 2261 2262 2263 2264 2265 2266 2267 2268 2269 2270 2271 2272 2273 2274 2275 2276 2277 2278 2279 2280 2281 2282 2283 2284 2285 2286 2287 2288 2289 2290 2291 2292 2293 2294 2295 2296 2297 2298 2299 2300 2301 2302 2303 2304 2305 2306 2307 2308 2309 2310 2311 2312 2313 2314 2315 2316 2317 2318 2319 2320 2321 2322 2323 2324 2325 2326 2327 2328 2329 2330 2331 2332 2333 2334 2335 2336 2337 2338 2339 2340 2341 2342 2343 2344 2345 2346 2347 2348 2349 2350 2351 2352 2353 2354 2355 2356 2357 2358 2359 2360 2361 2362 2363 2364 2365 2366 2367 2368 2369 2370 2371 2372 2373 2374 2375 2376 2377 2378 2379 2380 2381 2382 2383 2384 2385 2386 2387 2388 2389 2390 2391 2392 2393 2394 2395 2396 2397 2398 2399 2400 2401 2402 2403 2404 2405 2406 2407 2408 2409 2410 2411 2412 2413 2414 2415 2416 2417 2418 2419 2420 2421 2422 2423 2424 2425 2426 2427 2428 2429 2430 2431 2432 2433 2434 2435 2436 2437 2438 2439 2440 2441 2442 2443 2444 2445 2446 2447 2448 2449 2450 2451 2452 2453 2454 2455 2456 2457 2458 2459 2460 2461 2462 2463 2464 2465 2466 2467 2468 2469 2470 2471 2472 2473 2474 2475 2476 2477 2478 2479 2480 2481 2482 2483 2484 2485 2486 2487 2488 2489 2490 2491 2492 2493 2494 2495 2496 2497 2498 2499 2500 2501 2502 2503 2504 2505 2506 2507 2508 2509 2510 2511 2512 2513 2514 2515 2516 2517 2518 2519 2520 2521 2522 2523 2524 2525 2526 2527 2528 2529 2530 2531 2532 2533 2534 2535 2536 2537 2538 2539 2540 2541 2542 2543 2544 2545 2546 2547 2548 2549 2550 2551 2552 2553 2554 2555 2556 2557 2558 2559 2560 2561 2562 2563 2564 2565 2566 2567 2568 2569 2570 2571 2572 2573 2574 2575 2576 2577 2578 2579 2580 2581 2582 2583 2584 2585 2586 2587 2588 2589 2590 2591 2592 2593 2594 2595 2596 2597 2598 2599 2600 2601 2602 2603 2604 2605 2606 2607 2608 2609 2610 2611 2612 2613 2614 2615 2616 2617 2618 2619 2620 2621 2622 2623 2624 2625 2626 2627 2628 2629 2630 2631 2632 2633 2634 2635 2636 2637 2638 2639 2640 2641 2642 2643 2644 2645 2646 2647 2648 2649 2650 2651 2652 2653 2654 2655 2656 2657 2658 2659 2660 2661 2662 2663 2664 2665 2666 2667 2668 2669 2670 2671 2672 2673 2674 2675 2676 2677 2678 2679 2680 2681 2682 2683 2684 2685 2686 2687 2688 2689 2690 2691 2692 2693 2694 2695 2696 2697 2698 2699 2700 2701 2702 2703 2704 2705 2706 2707 2708 2709 2710 2711 2712 2713 2714 2715 2716 2717 2718 2719 2720 2721 2722 2723 2724 2725 2726 2727 2728 2729 2730 2731 2732 2733 2734 2735 2736 2737 2738 2739 2740 2741 2742 2743 2744 2745 2746 2747 2748 2749 2750 2751 2752 2753 2754 2755 2756 2757 2758 2759 2760 2761 2762 2763 2764 2765 2766 2767 2768 2769 2770 2771 2772 2773 2774 2775 2776 2777 2778 2779 2780 2781 2782 2783 2784 2785 2786 2787 2788 2789 2790 2791 2792 2793 2794 2795 2796 2797 2798 2799 2800 2801 2802 2803 2804 2805 2806 2807 2808 2809 2810 2811 2812 2813 2814 2815 2816 2817 2818 2819 2820 2821 2822 2823 2824 2825 2826 2827 2828 2829 2830 2831 2832 2833 2834 2835 2836 2837 2838 2839 2840 2841 2842 2843 2844 2845 2846 2847 2848 2849 2850 2851 2852 2853 2854 2855 2856 2857 2858 2859 2860 2861 2862 2863 2864 2865 2866 2867 2868 2869 2870 2871 2872 2873 2874 2875 2876 2877 2878 2879 2880 2881 2882 2883 2884 2885 2886 2887 2888 2889 2890 2891 2892 2893 2894 2895 2896 2897 2898 2899 2900 2901 2902 2903 2904 2905 2906 2907 2908 2909 2910 2911 2912 2913 2914 2915 2916 2917 2918 2919 2920 2921 2922 2923 2924 2925 2926 2927 2928 2929 2930 2931 2932 2933 2934 2935 2936 2937 2938 2939 2940 2941 2942 2943 2944 2945 2946 2947 2948 2949 2950 2951 2952 2953 2954 2955 2956 2957 2958 2959 2960 2961 2962 2963 2964 2965 2966 2967 2968 2969 2970 2971 2972 2973 2974 2975 2976 2977 2978 2979 2980 2981 2982 2983 2984 2985 2986 2987 2988 2989 2990 2991 2992 2993 2994 2995 2996 2997 2998 2999 3000 3001 3002 3003 3004 3005 3006 3007 3008 3009 3010 3011 3012 3013 3014 3015 3016 3017 3018 3019 3020 3021 3022 3023 3024 3025 3026 3027 3028 3029 3030 3031 3032 3033 3034 3035 3036 3037 3038 3039 3040 3041 3042 3043 3044 3045 3046 3047 3048 3049 3050 3051 3052 3053 3054 3055 3056 3057 3058 3059 3060 3061 3062 3063 3064 3065 3066 3067 3068 3069 3070 3071 3072 3073 3074 3075 3076 3077 3078 3079 3080 3081 3082 3083 3084 3085 3086 3087 3088 3089 3090 3091 3092 3093 3094 3095 3096 3097 3098 3099 3100 3101 3102 3103 3104 3105 3106 3107 3108 3109 3110 3111 3112 3113 3114 3115 3116 3117 3118 3119 3120 3121 3122 3123 3124 3125 3126 3127 3128 3129 3130 3131 3132 3133 3134 3135 3136 3137 3138 3139 3140 3141 3142 3143 3144 3145 3146 3147 3148 3149 3150 3151 3152 3153 3154 3155 3156 3157 3158 3159 3160 3161 3162 3163 3164 3165 3166 3167 3168 3169 3170 3171 3172 3173 3174 3175 3176 3177 3178 3179 3180 3181 3182 3183 3184 3185 3186 3187 3188 3189 3190 3191 3192 3193 3194 3195 3196 3197 3198 3199 3200 3201 3202 3203 3204 3205 3206 3207 3208 3209 3210 3211 3212 3213 3214 3215 3216 3217 3218 3219 3220 3221 3222 3223 3224 3225 3226 3227 3228 3229 3230 3231 3232 3233 3234 3235 3236 3237 3238 3239 3240 3241 3242 3243 3244 3245 3246 3247 3248 3249 3250 3251 3252 3253 3254 3255 3256 3257 3258 3259 3260 3261 3262 3263 3264 3265 3266 3267 3268 3269 3270 3271 3272 3273 3274 3275 3276 3277 3278 3279 3280 3281 3282 3283 3284 3285 3286 3287 3288 3289 3290 3291 3292 3293 3294 3295 3296 3297 3298 3299 3300 3301 3302 3303 3304 3305 3306 3307 3308 3309 3310 3311 3312 3313 3314 3315 3316 3317 3318 3319 3320 3321 3322 3323 3324 3325 3326 3327 3328 3329 3330 3331 3332 3333 3334 3335 3336 3337 3338 3339 3340 3341 3342 3343 3344 3345 3346 3347 3348 3349 3350 3351 3352 3353 3354 3355 3356 3357 3358 3359 3360 3361 3362 3363 3364 3365 3366 3367 3368 3369 3370 3371 3372 3373 3374 3375 3376 3377 3378 3379 3380 3381 3382 3383 3384 3385 3386 3387 3388 3389 3390 3391 3392 3393 3394 3395 3396 3397 3398 3399 3400 3401 3402 3403 3404 3405 3406 3407 3408 3409 3410 3411 3412 3413 3414 3415 3416 3417 3418 3419 3420 3421 3422 3423 3424 3425 3426 3427 3428 3429 3430 3431 3432 3433 3434 3435 3436 3437 3438 3439 3440 3441 3442 3443 3444 3445 3446 3447 3448 3449 3450 3451 3452 3453 3454 3455 3456 3457 3458 3459 3460 3461 3462 3463 3464 3465 3466 3467 3468 3469 3470 3471 3472 3473 3474 3475 3476 3477 3478 3479 3480 3481 3482 3483 3484 3485 3486 3487 3488 3489 3490 3491 3492 3493 3494 3495 3496 3497 3498 3499 3500 3501 3502 3503 3504 3505 3506 3507 3508 3509 3510 3511 3512 3513 3514 3515 3516 3517 3518 3519 3520 3521 3522 3523 3524 3525 3526 3527 3528 3529 3530 3531 3532 3533 3534 3535 3536 3537 3538 3539 3540 3541 3542 3543 3544 3545 3546 3547 3548 3549 3550 3551 3552 3553 3554 3555 3556 3557 3558 3559 3560 3561 3562 3563 3564 3565 3566 3567 3568 3569 3570 3571 3572 3573 3574 3575 3576 3577 3578 3579 3580 3581 3582 3583 3584 3585 3586 3587 3588 3589 3590 3591 3592 3593 3594 3595 3596 3597 3598 3599 3600 3601 3602 3603 3604 3605 3606 3607 3608 3609 3610 3611 3612 3613 3614 3615 3616 3617 3618 3619 3620 3621 3622 3623 3624 3625 3626 3627 3628 3629 3630 3631 3632 3633 3634 3635 3636 3637 3638 3639 3640 3641 3642 3643 3644 3645 3646 3647 3648 3649 3650 3651 3652 3653 3654 3655 3656 3657 3658 3659 3660 3661 3662 3663 3664 3665 3666 3667 3668 3669 3670 3671 3672 3673 3674 3675 3676 3677 3678 3679 3680 3681 3682 3683 3684 3685 3686 3687 3688 3689 3690 3691 3692 3693 3694 3695 3696 3697 3698 3699 3700 3701 3702 3703 3704 3705 3706 3707 3708 3709 3710 3711 3712 3713 3714 3715 3716 3717 3718 3719 3720 3721 3722 3723 3724 3725 3726 3727 3728 3729 3730 3731 3732 3733 3734 3735 3736 3737 3738 3739 3740 3741 3742 3743 3744 3745 3746 3747 3748 3749 3750 3751 3752 3753 3754 3755 3756 3757 3758 3759 3760 3761 3762 3763 3764 3765 3766 3767 3768 3769 3770 3771 3772 3773 3774 3775 3776 3777 3778 3779 3780 3781 3782 3783 3784 3785 3786 3787 3788 3789 3790 3791 3792 3793 3794 3795 3796 3797 3798 3799 3800 3801 3802 3803 3804 3805 3806 3807 3808 3809 3810 3811 3812 3813 3814 3815 3816 3817 3818 3819 3820 3821 3822 3823 3824 3825 3826 3827 3828 3829 3830 3831 3832 3833 3834 3835 3836 3837 3838 3839 3840 3841 3842 3843 3844 3845 3846 3847 3848 3849 3850 3851 3852 3853 3854 3855 3856 3857 3858 3859 3860 3861 3862 3863 3864 3865 3866 3867 3868 3869 3870 3871 3872 3873 3874 3875 3876 3877 3878 3879 3880 3881 3882 3883 3884 3885 3886 3887 3888 3889 3890 3891 3892 3893 3894 3895 3896 3897 3898 3899 3900 3901 3902 3903 3904 3905 3906 3907 3908 3909 3910 3911 3912 3913 3914 3915 3916 3917 3918 3919 3920 3921 3922 3923 3924 3925 3926 3927 3928 3929 3930 3931 3932 3933 3934 3935 3936 3937 3938 3939 3940 3941 3942 3943 3944 3945 3946 3947 3948 3949 3950 3951 3952 3953 3954 3955 3956 3957 3958 3959 3960 3961 3962 3963 3964 3965 3966 3967 3968 3969 3970 3971 3972 3973 3974 3975 3976 3977 3978 3979 3980 3981 3982 3983 3984 3985 3986 3987 3988 3989 3990 3991 3992 3993 3994 3995 3996 3997 3998 3999 4000 4001 4002 4003 4004 4005 4006 4007 4008 4009 4010 4011 4012 4013 4014 4015 4016 4017 4018 4019 4020 4021 4022 4023 4024 4025 4026 4027 4028 4029 4030 4031 4032 4033 4034 4035 4036 4037 4038 4039 4040 4041 4042 4043 4044 4045 4046 4047 4048 4049 4050 4051 4052 4053 4054 4055 4056 4057 4058 4059 4060 4061 4062 4063 4064 4065 4066 4067 4068 4069 4070 4071 4072 4073 4074 4075 4076 4077 4078 4079 4080 4081 4082 4083 4084 4085 4086 4087 4088 4089 4090 4091 4092 4093 4094 4095 4096 4097 4098 4099 4100 4101 4102 4103 4104 4105 4106 4107 4108 4109 4110 4111 4112 4113 4114 4115 4116 4117 4118 4119 4120 4121 4122 4123 4124 4125 4126 4127 4128 4129 4130 4131 4132 4133 4134 4135 4136 4137 4138 4139 4140 4141 4142 4143 4144 4145 4146 4147 4148 4149 4150 4151 4152 4153 4154 4155 4156 4157 4158 4159 4160 4161 4162 4163 4164 4165 4166 4167 4168 4169 4170 4171 4172 4173 4174 4175 4176 4177 4178 4179 4180 4181 4182 4183 4184 4185 4186 4187 4188 4189 4190 4191 4192 4193 4194 4195 4196 4197 4198 4199 4200 4201 4202 4203 4204 4205 4206 4207 4208 4209 4210 4211 4212 4213 4214 4215 4216 4217 4218 4219 4220 4221 4222 4223 4224 4225 4226 4227 4228 4229 4230 4231 4232 4233 4234 4235 4236 4237 4238 4239 4240 4241 4242 4243 4244 4245 4246 4247 4248 4249 4250 4251 4252 4253 4254 4255 4256 4257 4258 4259 4260 4261 4262 4263 4264 4265 4266 4267 4268 4269 4270 4271 4272 4273 4274 4275 4276 4277 4278 4279 4280 4281 4282 4283 4284 4285 4286 4287 4288 4289 4290 4291 4292 4293 4294 4295 4296 4297 4298 4299 4300 4301 4302 4303 4304 4305 4306 4307 4308 4309 4310 4311 4312 4313 4314 4315 4316 4317 4318 4319 4320 4321 4322 4323 4324 4325 4326 4327 4328 4329 4330 4331 4332 4333 4334 4335 4336 4337 4338 4339 4340 4341 4342 4343 4344 4345 4346 4347 4348 4349 4350 4351 4352 4353 4354 4355 4356 4357 4358 4359 4360 4361 4362 4363 4364 4365 4366 4367 4368 4369 4370 4371 4372 4373 4374 4375 4376 4377 4378 4379 4380 4381 4382 4383 4384 4385 4386 4387 4388 4389 4390 4391 4392 4393 4394 4395 4396 4397 4398 4399 4400 4401 4402 4403 4404 4405 4406 4407 4408 4409 4410 4411 4412 4413 4414 4415 4416 4417 4418 4419 4420 4421 4422 4423 4424 4425 4426 4427 4428 4429 4430 4431 4432 4433 4434 4435 4436 4437 4438 4439 4440 4441 4442 4443 4444 4445 4446 4447 4448 4449 4450 4451 4452 4453 4454 4455 4456 4457 4458 4459 4460 4461 4462 4463 4464 4465 4466 4467 4468 4469 4470 4471 4472 4473 4474 4475 4476 4477 4478 4479 4480 4481 4482 4483 4484 4485 4486 4487 4488 4489 4490 4491 4492 4493 4494 4495 4496 4497 4498 4499 4500 4501 4502 4503 4504 4505 4506 4507 4508 4509 4510 4511 4512 4513 4514 4515 4516 4517 4518 4519 4520 4521 4522 4523 4524 4525 4526 4527 4528 4529 4530 4531 4532 4533 4534 4535 4536 4537 4538 4539 4540 4541 4542 4543 4544 4545 4546 4547 4548 4549 4550 4551 4552 4553 4554 4555 4556 4557 4558 4559 4560 4561 4562 4563 4564 4565 4566 4567 4568 4569 4570 4571 4572 4573 4574 4575 4576 4577 4578 4579 4580 4581 4582 4583 4584 4585 4586 4587 4588 4589 4590 4591 4592 4593 4594 4595 4596 4597 4598 4599 4600 4601 4602 4603 4604 4605 4606 4607 4608 4609 4610 4611 4612 4613 4614 4615 4616 4617 4618 4619 4620 4621 4622 4623 4624 4625 4626 4627 4628 4629 4630 4631 4632 4633 4634 4635 4636 4637 4638 4639 4640 4641 4642 4643 4644 4645 4646 4647 4648 4649 4650 4651 4652 4653 4654 4655 4656 4657 4658 4659 4660 4661 4662 4663 4664 4665 4666 4667 4668 4669 4670 4671 4672 4673 4674 4675 4676 4677 4678 4679 4680 4681 4682 4683 4684 4685 4686 4687 4688 4689 4690 4691 4692 4693 4694 4695 4696 4697 4698 4699 4700 4701 4702 4703 4704 4705 4706 4707 4708 4709 4710 4711 4712 4713 4714 4715 4716 4717 4718 4719 4720 4721 4722 4723 4724 4725 4726 4727 4728 4729 4730 4731 4732 4733 4734 4735 4736 4737 4738 4739 4740 4741 4742 4743 4744 4745 4746 4747 4748 4749 4750 4751 4752 4753 4754 4755 4756 4757 4758 4759 4760 4761 4762 4763 4764 4765 4766 4767 4768 4769 4770 4771 4772 4773 4774 4775 4776 4777 4778 4779 4780 4781 4782 4783 4784 4785 4786 4787 4788 4789 4790 4791 4792 4793 4794 4795 4796 4797 4798 4799 4800 4801 4802 4803 4804 4805 4806 4807 4808 4809 4810 4811 4812 4813 4814 4815 4816 4817 4818 4819 4820 4821 4822 4823 4824 4825 4826 4827 4828 4829 4830 4831 4832 4833 4834 4835 4836 4837 4838 4839 4840 4841 4842 4843 4844 4845 4846 4847 4848 4849 4850 4851 4852 4853 4854 4855 4856 4857 4858 4859 4860 4861 4862 4863 4864 4865 4866 4867 4868 4869 4870 4871 4872 4873 4874 4875 4876 4877 4878 4879 4880 4881 4882 4883 4884 4885 4886 4887 4888 4889 4890 4891 4892 4893 4894 4895 4896 4897 4898 4899 4900 4901 4902 4903 4904 4905 4906 4907 4908 4909 4910 4911 4912 4913 4914 4915 4916 4917 4918 4919 4920 4921 4922 4923 4924 4925 4926 4927 4928 4929 4930 4931 4932 4933 4934 4935 4936 4937 4938 4939 4940 4941 4942 4943 4944 4945 4946 4947 4948 4949 4950 4951 4952 4953 4954 4955 4956 4957 4958 4959 4960 4961 4962 4963 4964 4965 4966 4967 4968 4969 4970 4971 4972 4973 4974 4975 4976 4977 4978 4979 4980 4981 4982 4983 4984 4985 4986 4987 4988 4989 4990 4991 4992 4993 4994 4995 4996 4997 4998 4999 5000 5001 5002 5003 5004 5005 5006 5007 5008 5009 5010 5011 5012 5013 5014 5015 5016 5017 5018 5019 5020 5021 5022 5023 5024 5025 5026 5027 5028 5029 5030 5031 5032 5033 5034 5035 5036 5037 5038 5039 5040 5041 5042 5043 5044 5045 5046 5047 5048 5049 5050 5051 5052 5053 5054 5055 5056 5057 5058 5059 5060 5061 5062 5063 5064 5065 5066 5067 5068 5069 5070 5071 5072 5073 5074 5075 5076 5077 5078 5079 5080 5081 5082 5083 5084 5085 5086 5087 5088 5089 5090 5091 5092 5093 5094 5095 5096 5097 5098 5099 5100 5101 5102 5103 5104 5105 5106 5107 5108 5109 5110 5111 5112 5113 5114 5115 5116 5117 5118 5119 5120 5121 5122 5123 5124 5125 5126 5127 5128 5129 5130 5131 5132 5133 5134 5135 5136 5137 5138 5139 5140 5141 5142 5143 5144 5145 5146 5147 5148 5149 5150 5151 5152 5153 5154 5155 5156 5157 5158 5159 5160 5161 5162 5163 5164 5165 5166 5167 5168 5169 5170 5171 5172 5173 5174 5175 5176 5177 5178 5179 5180 5181 5182 5183 5184 5185 5186 5187 5188 5189 5190 5191 5192 5193 5194 5195 5196 5197 5198 5199 5200 5201 5202 5203 5204 5205 5206 5207 5208 5209 5210 5211 5212 5213 5214 5215 5216 5217 5218 5219 5220 5221 5222 5223 5224 5225 5226 5227 5228 5229 5230 5231 5232 5233 5234 5235 5236 5237 5238 5239 5240 5241 5242 5243 5244 5245 5246 5247 5248 5249 5250 5251 5252 5253 5254 5255 5256 5257 5258 5259 5260 5261 5262 5263 5264 5265 5266 5267 5268 5269 5270 5271 5272 5273 5274 5275 5276 5277 5278 5279 5280 5281 5282 5283 5284 5285 5286 5287 5288 5289 5290 5291 5292 5293 5294 5295 5296 5297 5298 5299 5300 5301 5302 5303 5304 5305 5306 5307 5308 5309 5310 5311 5312 5313 5314 5315 5316 5317 5318 5319 5320 5321 5322 5323 5324 5325 5326 5327 5328 5329 5330 5331 5332 5333 5334 5335 5336 5337 5338 5339 5340 5341 5342 5343 5344 5345 5346 5347 5348 5349 5350 5351 5352 5353 5354 5355 5356 5357 5358 5359 5360 5361 5362 5363 5364 5365 5366 5367 5368 5369 5370 5371 5372 5373 5374 5375 5376 5377 5378 5379 5380 5381 5382 5383 5384 5385 5386 5387 5388 5389 5390 5391 5392 5393 5394 5395 5396 5397 5398 5399 5400 5401 5402 5403 5404 5405 5406 5407 5408 5409 5410 5411 5412 5413 5414 5415 5416 5417 5418 5419 5420 5421 5422 5423 5424 5425 5426 5427 5428 5429 5430 5431 5432 5433 5434 5435 5436 5437 5438 5439 5440 5441 5442 5443 5444 5445 5446 5447 5448 5449 5450 5451 5452 5453 5454 5455 5456 5457 5458 5459 5460 5461 5462 5463 5464 5465 5466 5467 5468 5469 5470 5471 5472 5473 5474 5475 5476 5477 5478 5479 5480 5481 5482 5483 5484 5485 5486 5487 5488 5489 5490 5491 5492 5493 5494 5495 5496 5497 5498 5499 5500 5501 5502 5503 5504 5505 5506 5507 5508 5509 5510 5511 5512 5513 5514 5515 5516 5517 5518 5519 5520 5521 5522 5523 5524 5525 5526 5527 5528 5529 5530 5531 5532 5533 5534 5535 5536 5537 5538 5539 5540 5541 5542 5543 5544 5545 5546 5547 5548 5549 5550 5551 5552 5553 5554 5555 5556 5557 5558 5559 5560 5561 5562 5563 5564 5565 5566 5567 5568 5569 5570 5571 5572 5573 5574 5575 5576 5577 5578 5579 5580 5581 5582 5583 5584 5585 5586 5587 5588 5589 5590 5591 5592 5593 5594 5595 5596 5597 5598 5599 5600 5601 5602 5603 5604 5605 5606 5607 5608 5609 5610 5611 5612 5613 5614 5615 5616 5617 5618 5619 5620 5621 5622 5623 5624 5625 5626 5627 5628 5629 5630 5631 5632 5633 5634 5635 5636 5637 5638 5639 5640 5641 5642 5643 5644 5645 5646 5647 5648 5649 5650 5651 5652 5653 5654 5655 5656 5657 5658 5659 5660 5661 5662 5663 5664 5665 5666 5667 5668 5669 5670 5671 5672 5673 5674 5675 5676 5677 5678 5679 5680 5681 5682 5683 5684 5685 5686 5687 5688 5689 5690 5691 5692 5693 5694 5695 5696 5697 5698 5699 5700 5701 5702 5703 5704 5705 5706 5707 5708 5709 5710 5711 5712 5713 5714 5715 5716 5717 5718 5719 5720 5721 5722 5723 5724 5725 5726 5727 5728 5729 5730 5731 5732 5733 5734 5735 5736 5737 5738 5739 5740 5741 5742 5743 5744 5745 5746 5747 5748 5749 5750 5751 5752 5753 5754 5755 5756 5757 5758 5759 5760 5761 5762 5763 5764 5765 5766 5767 5768 5769 5770 5771 5772 5773 5774 5775 5776 5777 5778 5779 5780 5781 5782 5783 5784 5785 5786 5787 5788 5789 5790 5791 5792 5793 5794 5795 5796 5797 5798 5799 5800 5801 5802 5803 5804 5805 5806 5807 5808 5809 5810 5811 5812 5813 5814 5815 5816 5817 5818 5819 5820 5821 5822 5823 5824 5825 5826 5827 5828 5829 5830 5831 5832 5833 5834 5835 5836 5837 5838 5839 5840 5841 5842 5843 5844 5845 5846 5847 5848 5849 5850 5851 5852 5853 5854 5855 5856 5857 5858 5859 5860 5861 5862 5863 5864 5865 5866 5867 5868 5869 5870 5871 5872 5873 5874 5875 5876 5877 5878 5879 5880 5881 5882 5883 5884 5885 5886 5887 5888 5889 5890 5891 5892 5893 5894 5895 5896 5897 5898 5899 5900 5901 5902 5903 5904 5905 5906 5907 5908 5909 5910 5911 5912 5913 5914 5915 5916 5917 5918 5919 5920 5921 5922 5923 5924 5925 5926 5927 5928 5929 5930 5931 5932 5933 5934 5935 5936 5937 5938 5939 5940 5941 5942 5943 5944 5945 5946 5947 5948 5949 5950 5951 5952 5953 5954 5955 5956 5957 5958 5959 5960 5961 5962 5963 5964 5965 5966 5967 5968 5969 5970 5971 5972 5973 5974 5975 5976 5977 5978 5979 5980 5981 5982 5983 5984 5985 5986 5987 5988 5989 5990 5991 5992 5993 5994 5995 5996 5997 5998 5999 6000 6001 6002 6003 6004 6005 6006 6007 6008 6009 6010 6011 6012 6013 6014 6015 6016 6017 6018 6019 6020 6021 6022 6023 6024 6025 6026 6027 6028 6029 6030 6031 6032 6033 6034 6035 6036 6037 6038 6039 6040 6041 6042 6043 6044 6045 6046 6047 6048 6049 6050 6051 6052 6053 6054 6055 6056 6057 6058 6059 6060 6061 6062 6063 6064 6065 6066 6067 6068 6069 6070 6071 6072 6073 6074 6075 6076 6077 6078 6079 6080 6081 6082 6083 6084 6085 6086 6087 6088 6089 6090 6091 6092 6093 6094 6095 6096 6097 6098 6099 6100 6101 6102 6103 6104 6105 6106 6107 6108 6109 6110 6111 6112 6113 6114 6115 6116 6117 6118 6119 6120 6121 6122 6123 6124 6125 6126 6127 6128 6129 6130 6131 6132 6133 6134 6135 6136 6137 6138 6139 6140 6141 6142 6143 6144 6145 6146 6147 6148 6149 6150 6151 6152 6153 6154 6155 6156 6157 6158 6159 6160 6161 6162 6163 6164 6165 6166 6167 6168 6169 6170 6171 6172 6173 6174 6175 6176 6177 6178 6179 6180 6181 6182 6183 6184 6185 6186 6187 6188 6189 6190 6191 6192 6193 6194 6195 6196 6197 6198 6199 6200 6201 6202 6203 6204 6205 6206 6207 6208 6209 6210 6211 6212 6213 6214 6215 6216 6217 6218 6219 6220 6221 6222 6223 6224 6225 6226 6227 6228 6229 6230 6231 6232 6233 6234 6235 6236 6237 6238 6239 6240 6241 6242 6243 6244 6245 6246 6247 6248 6249 6250 6251 6252 6253 6254 6255 6256 6257 6258 6259 6260 6261 6262 6263 6264 6265 6266 6267 6268 6269 6270 6271 6272 6273 6274 6275 6276 6277 6278 6279 6280 6281 6282 6283 6284 6285 6286 6287 6288 6289 6290 6291 6292 6293 6294 6295 6296 6297 6298 6299 6300 6301 6302 6303 6304 6305 6306 6307 6308 6309 6310 6311 6312 6313 6314 6315 6316 6317 6318 6319 6320 6321 6322 6323 6324 6325 6326 6327 6328 6329 6330 6331 6332 6333 6334 6335 6336 6337 6338 6339 6340 6341 6342 6343 6344 6345 6346 6347 6348 6349 6350 6351 6352 6353 6354 6355 6356 6357 6358 6359 6360 6361 6362 6363 6364 6365 6366 6367 6368 6369 6370 6371 6372 6373 6374 6375 6376 6377 6378 6379 6380 6381 6382 6383 6384 6385 6386 6387 6388 6389 6390 6391 6392 6393 6394 6395 6396 6397 6398 6399 6400 6401 6402 6403 6404 6405 6406 6407 6408 6409 6410 6411 6412 6413 6414 6415 6416 6417 6418 6419 6420 6421 6422 6423 6424 6425 6426 6427 6428 6429 6430 6431 6432 6433 6434 6435 6436 6437 6438 6439 6440 6441 6442 6443 6444 6445 6446 6447 6448 6449 6450 6451 6452 6453 6454 6455 6456 6457 6458 6459 6460 6461 6462 6463 6464 6465 6466 6467 6468 6469 6470 6471 6472 6473 6474 6475 6476 6477 6478 6479 6480 6481 6482 6483 6484 6485 6486 6487 6488 6489 6490 6491 6492 6493 6494 6495 6496 6497 6498 6499 6500 6501 6502 6503 6504 6505 6506 6507 6508 6509 6510 6511 6512 6513 6514 6515 6516 6517 6518 6519 6520 6521 6522 6523 6524 6525 6526 6527 6528 6529 6530 6531 6532 6533 6534 6535 6536 6537 6538 6539 6540 6541 6542 6543 6544 6545 6546 6547 6548 6549 6550 6551 6552 6553 6554 6555 6556 6557 6558 6559 6560 6561 6562 6563 6564 6565 6566 6567 6568 6569 6570 6571 6572 6573 6574 6575 6576 6577 6578 6579 6580 6581 6582 6583 6584 6585 6586 6587 6588 6589 6590 6591 6592 6593 6594 6595 6596 6597 6598 6599 6600 6601 6602 6603 6604 6605 6606 6607 6608 6609 6610 6611 6612 6613 6614 6615 6616 6617 6618 6619 6620 6621 6622 6623 6624 6625 6626 6627 6628 6629 6630 6631 6632 6633 6634 6635 6636 6637 6638 6639 6640 6641 6642 6643 6644 6645 6646 6647 6648 6649 6650 6651 6652 6653 6654 6655 6656 6657 6658 6659 6660 6661 6662 6663 6664 6665 6666 6667 6668 6669 6670 6671 6672 6673 6674 6675 6676 6677 6678 6679 6680 6681 6682 6683 6684 6685 6686 6687 6688 6689 6690 6691 6692 6693 6694 6695 6696 6697 6698 6699 6700 6701 6702 6703 6704 6705 6706 6707 6708 6709 6710 6711 6712 6713 6714 6715 6716 6717 6718 6719 6720 6721 6722 6723 6724 6725 6726 6727 6728 6729 6730 6731 6732 6733 6734 6735 6736 6737 6738 6739 6740 6741 6742 6743 6744 6745 6746 6747 6748 6749 6750 6751 6752 6753 6754 6755 6756 6757 6758 6759 6760 6761 6762 6763 6764 6765 6766 6767 6768 6769 6770 6771 6772 6773 6774 6775 6776 6777 6778 6779 6780 6781 6782 6783 6784 6785 6786 6787 6788 6789 6790 6791 6792 6793 6794 6795 6796 6797 6798 6799 6800 6801 6802 6803 6804 6805 6806 6807 6808 6809 6810 6811 6812 6813 6814 6815 6816 6817 6818 6819 6820 6821 6822 6823 6824 6825 6826 6827 6828 6829 6830 6831 6832 6833 6834 6835 6836 6837 6838 6839 6840 6841 6842 6843 6844 6845 6846 6847 6848 6849 6850 6851 6852 6853 6854 6855 6856 6857 6858 6859 6860 6861 6862 6863 6864 6865 6866 6867 6868 6869 6870 6871 6872 6873 6874 6875 6876 6877 6878 6879 6880 6881 6882 6883 6884 6885 6886 6887 6888 6889 6890 6891 6892 6893 6894 6895 6896 6897 6898 6899 6900 6901 6902 6903 6904 6905 6906 6907 6908 6909 6910 6911 6912 6913 6914 6915 6916 6917 6918 6919 6920 6921 6922 6923 6924 6925 6926 6927 6928 6929
|
30.01.2018
*** MusE 3.0.2 ***
29.01.2018
- Silly but very severe bug fixed with selecting midi device for newly
created midi tracks. Looking for the last created midi device started
out of bounds, instant crash when built for release (rj)
28.01.2018
- Fixes for #604: muse 3.0 fails to build: many undefined references. (Tim)
Packagers wanted to use -no-undefined linker flag. But this also requires
our own -DMODULES_BUILD_STATIC. The fix of 14.01.2018 fixed the main app,
but all the MESS synths still failed to build.
This MAJOR FIX rewrites all the plugins and some main app stuff, so that
there are NO unaccounted dependencies and the two flags should work.
Overview: Several complete core objects and several declarations/definitions
were seperated from the core to their own modules or header files:
sysex_helper_module memory_module evdata_module mpevent_module
wavepreview_module xml_module, and midictrl_consts.h, midi_consts.h
These modules all build SHARED regardless of MODULES_BUILD_STATIC.
Several of the MESS synths directly used core components. Eliminated now.
A huge remaining problem was Deicsonze synth directly used the core's
plugin system (eek!), while SimpleDrums used its own plugin system.
So a new common SimplePlugin library was built. It is similar to our
main app plugin system but simplified for LADSPA, yet still has
instance reference counting and auto-library-close.
Both Deicsonze and SimpleDrums now use this library instead.
(It is an interesting 'clean' plugin system from the ground up. Would be
good to build upon this library to replace the main plugin system!)
TODO: There is a flaw in how our plugin systems connect 2-1 or 1-2 ins/outs.
TODO: There are still a couple of ugly but harmless dependencies, such as
some synths depend on our widgets library but only depnd on widgets which
don't depend on other things, and one synth depends on WavePreview.
23.01.2018
- Added an appdata file. Distros want it these days (Orcan)
17.01.2018
- Added ability to /not/ specify a default out, instead a created midi track
defaults to the port with highest number (usually the last created)
this is also the default behaviour now (rj)
16.01.2018
*** MusE 3.0.1 ***
14.01.2018
- Moved structure.* into muse/arranger/. -DMODULES_BUILD_STATIC=TRUE should
work now. (Orcan)
- Print out note name on events in Pianoroll
possibly this should be a setting (rj)
11.01.2018
- Fixed looping not playing first note in loops since 17.12.2017. (Tim)
Was a line in MidiDevice::handleSeek() I was not sure of.
- Fixed midi sustain controller problems since 17.12.2017. (Tim)
Sustain was not handled right, and was being reset to zero.
08.01.2018
- Fixed build against newer gcc (4.5+ with c++11 enabled) and glibc 2.27+ (Orcan)
08.01.2018
- Oops! Fix #602 Wave tracks lose sync if muted / unmuted. (Tim)
Slight rework of WaveTrack::getData().
TODO: Same thing happens if clicking track off/on.
06.01.2018
*** MusE 3.0.0 ***
Final release of MusE 3.0.0
- Changed remaining toLatin1() into toLocal8Bit() for fluidsynth path operations. (rj)
05.01.2018
- Merged feature from Michael Oswald, Mid transformer support for (rj)
randomizing event
04.01.2018
- Fixed Zynaddsubfx LV2 not working in Muse (#599) (Tim)
(X11UI ui type would not show after the first show, and looked ugly.)
Used QMainWindow instead of QWindow for X11UI LV2 ui type.
Added a flag state->uiIsOpening which forces the gui update timer
to re-send all controls and program to the gui upon re-opening in
LV2PluginWrapper_Window::updateGui + LV2Synth::lv2ui_SendChangedControls.
02.01.2018
- Fix fluidsynth not loading font although it shows valid filename. (Tim)
Out-of-scope QString byte array constData in LoadFontWorker::execLoadFont.
01.01.2018
- Ported QThread and removal of QSocketNotifier from
platformindependence branch (rj)
- Removed Gui calls from nongui thread of fluidsynth plugin (rj)
as they caused a lockup.
TODO: The gui calls were there to handle when a soundfont was
not found, to be able to load an alternative. Currently
the fonts are omitted silently, a better solution should be found.
- fixed regression, context menu for tracks had vanished (rj)
- Some attempts to fix 'global cut' crash. Working on it...(Tim)
- New SVG icons for transport stop, play, ff, rew, rew-to-start. (Tim)
31.12.2017
- As requested: Track monitor now works regardless of track mute. (Tim)
Allows to listen to input while muting playback material.
Note that turning a track off, or 'proxy muting' it will still
mute the track.
- Fix monitored midi output on wrong channel. Editing error from 17.12.2017
- New master record icon, dual-state red LED style.
- Missing ifdefs for RTAUDIO, build patch from Dennis Schulmeister added (rj)
- Moved instantiation of Add Track Menu so it is only done once (rj)
29.12.2017
- Revert some new undo stuff and replace with pending operations. (Tim)
Undo was behaving oddly for things like mute, rec, monitor, off etc.
27.12.2017
- Jack is now the default audio device selection. (Tim)
If that fails, it tries rtAudio with Pulse, and if that fails,
the dummy driver.
24.12.2017
- Oops! Fix years-old bug preventing a just-moved part from sounding. (Tim)
The MovePart undo/operations were not properly erasing/reinserting
the part because they were passed null track and oldTrack.
For ex. if a wave part was moved before another wave part, it
looked OK on screen but it did not sound.
- Reverted small piece of code that made song dirty too sensitive.
- TODO: Revert a few places, causing some undo operations to be
included in undo/redo history when they weren't meant to be.
- Added sample-rate change according to song file when using RtAudio (rj)
as backend.
- Removed the RtAudioJack option, brings trouble and can't find any (rj)
reasonable use for it.
23.12.2017
- Some fixes to rtAudio support. (Tim)
Fix compile error on unknown 'DummyAudio'.
Automatically chooses nearest lower sample rate if requested
rate is unsupported. Prevents freeze in MusE msg system.
If driver cannot be started, it warns with a message box but MusE
still runs so that user can change the driver.
NOTE: If system is not set up properly, selecting Pulse backend
while Jack is already running may cause MusE to freeze. Likewise,
selecting Jack backend may cause Pulse to pause.
22.12.2017
- Added backwards compatibility hack for Splitter, (atleast some) old songs
have only two splits for the arranger, so we inject a third to mimic
tree splits (rj)
- RtAudio with PULSE AUDIO backend is now default. (rj)
Rather drastic change but it should make it much easier for new users.
TODO: Display the current audio driver somewhere in the UI
- Harmonized audio device selection so they are all available in the
config dialog, midi only still can be selected with -a and
RtAudio+Pulse can be selected with -t (rj)
19.12.2017
- Enabled basic stereo input support (rj)
- RtAudio buffer allocation rework (rj)
- Make RtAudio fallback instead of dummyaudio if jack isn't recognized. (rj)
18.12.2017
- Fixed horizontal scrolling with shift, again (rj)
- Wired rtaudio to config dialog so backend device, buffers size
and sample rate can be set (rj)
TODO:
> Add proper output port support
> Add input ports
> Make config changes without restart
- backported build fixes in lilv/util.c from 0.24.2 to our version
to allow building without deprecation warnings (by default we treat
them as errors) (rj)
17.12.2017
* Substantial midi engine redesign: (Tim)
- Merge from engine_fixes_2017 branch:
- To ease working with multiple threads, new classes were developed:
MemoryQueue, and templates TypedMemoryPool LockFreeMPSCBuffer
and LockFreeMPSCRingBuffer. Pooled-memory SeqMPEventList was added
to compliment MPEventList.
- Midi device processing is now completely de-coupled from other threads,
using only MPSC Ring Buffers. It just does 'what it is told' now.
There is no more 'sending back' of midi controller values from midi
device process code to the audio thread - that was like a SERIAL manner.
Example: Previously a keyboard sent a controller, the audio thread picked
it up and sent it to an ALSA device where it's processed in the seq thread,
which then sets the muse hw midi controller representing it, and finally
the gui controls are updated with these values soon after.
Now instead, a keyboard sends a controller, the audio thread picks it up
and sends it in a PARALLEL manner to TWO places at once: An ALSA device
ring buffer where it's processed in the seq thread, AND a ring buffer
processed in the audio thread for setting the muse hw midi controller,
and finally the gui controls are updated soon after.
As one result, midi controls are now updated properly from automation
graphs - independently - whether the device actually got the messages,
or even if no device (<None>) selected for the port !
TODO: Now that we have MPSC ring buffers, I am hoping to allow ALSA midi
to shine, by taking midi input and bypassing the audio thread and
'directly' talking (putting) to other devices' threads. Eventually the
ALSA thread will 'collect' and process events completely independent
of the audio thread, autonomously without audio buffer size related delays.
- External midi clock sync: Complete redesign! Does not 'miss' recording
the first few notes any more.
There is no more pervasive 'duality' of processing midi in 'ticks' when
externally syncing vs 'frames' for normal tempo map use when not
externally syncing.
Instead, a brief external clock frame timestamp history is kept, and
ALL midi processing is done in FRAMES now, regardless of whether
externally syncing. Yay.
- Large System Exclusive (sysex) message support: MusE can now record
and playback very large sysex messages. Works great with ALSA.
TODO: Jack midi does not support large sysex recording.
- Some fixes to the 'retake' (restart recording) feature. Complete re-write.
Much more stable and realtime-safe now. But still slow with wave tracks.
- All mute, solo, and off controls make the song dirty now.
- Metronome fixes: Fixed silent metronome when any track was soloed!
Fixed metronome dialog: Not updating when song loaded.
Fixed non-realtime-safe reloading of metronome samples.
- Piano and drum list: No more slow waiting for audio thread when each note played.
Fast! Completely de-coupled by putting to the ring buffers instead.
- Several other smaller related and unrelated fixes along the way.
- Enhancements to midi port/device popup menu in track list + drum list. (Tim)
Sorted by device type now.
- New! Synthesizer tracks can change their port from the track list.
* Initial support for RtAudio - Pulse Audio sound output (rj)
For the moment severely limited
- only samplerate 44100
- only output stereo
- no input
15.12.2017
- Added support for track pad horizontal scrolling.
Involved adjusting scrolling constants and moving to pixelDelta() for
QWheelEvent, may need further adjustment (rj)
14.12.2017
- fixed track info drawing to be drawn correctly when using big fonts (rj)
04.12.2017
- Fixes to instruments, idf files, and sysexes. (Tim)
Fix error in Yamaha 9000pro idf file causing
"Cannot convert string to sysex r ct bn bt f7".
Several submitted idf files have F0...F7 enclosing sysexes, which was not
allowed, so to avoid changing them all, MusE is now more forgiving and
accepts enclosing F0...F7 in idf files and when editing sysex events.
03.12.2017
- PopupMenu and RoutePopupMenu fixes and touchups. (Tim)
Fix problems with <More...> submenus.
Sort and present midi device items by device type.
Slight rearrangement of title items etc.
02.12.2017
- Clear 'recently opened' file list upon MusE self-restarting. (Tim)
01.12.2017
- Further to 29.11.2017: Fixed LV2 synths + rack plugins position/size. (Tim)
NOTE: AFAIK we have no control over LV2 plugin 'external' windows,
only the ones where we create the window.
TODO: Same fix for MESS synths...
29.11.2017
- Bug #571 Plugin GUIs are too narrow: Fixed. (Tim)
Fixed generic GUI windows' initial position/size.
Fixed saving/restoring pos/size of generic GUIs.
Reported a Qt BUG #64773 regarding ignoring setting of position upon show()!
For said bug, wrote a MusE workaround. Tested all generic GUIs OK.
TODO: Similar fix for 'native' synth GUIs (where it supports it...)
TODO: Similar check and fix other non-QDialog usages for pos/size settings.
20.11.2017
- Removed: Arranger 'Alt' button (and hidden Pianoroll) midi Trackinfo. (Tim)
19.11.2017
- LV2: Fix continuous "LV2SimpleRTFifo:put(): fifo is full" messages. (Tim)
Rewrote LV2EvBuf ctor: Can't just always call _buffer.resize() here,
which fills with items. Use reserve + assign(1) item for an output buffer,
and resize for an input buffer. Some plugins expose midi output sequence
ports even though they do NOT use them at all. This fix cures an oversight
which caused our receiving buffer to always be full in such cases, never
having a chance to be cleared by the plugin.
- Bug #572: Fix Alt+P crash with unselected regions. (Tim)
16.11.2017
- LV2: Fix bug #587 All Gtk-based guis crashing on close. (Tim)
Rewrote how we delete things on close.
05.11.2017
- Fix #592 MusE doesn't record some controllers. (Tim)
08.06.2017
- QString::sprintf is obsoleted. Changed most sprintf and all QString::sprintf to
QString::arg usage or similar code, or snprintf. Compiler warned of some suspicious
sprintf usage with not enough dest space. Fixed a few other compiler complaints. (Tim)
- lv2Gtk2Support module: Build with -Wno-error to avoid stopping on warnings. (Tim)
- Track list: Fix double error message box on track rename with duplicate name. (Tim)
06.06.2017
- More frozen MDI sub windows fixes. (Tim)
When style or stylesheet is changed in Appearance, warning now is 'changes don't
take effect until restarted'. Don't even attempt to set style/stylesheet if user
answers no to self-restart prompt. Moved initial setup of style/stylesheet in main()
from after muse->show to just after QApplication is created - now the only
place allowed to set them, except for hacks if 'Fix frozen windows' setting is on.
Note: Setting a stylesheet may still cause it to freeze. Working on the issue...
-------------------------------------------------------------------------------
[EDIT]: 29/11/2017 The 'frozen MDI sub window' thing was a KDE Breeze/Oxygen style bug.
Fixed upstream in recent versions with help from that team.
-------------------------------------------------------------------------------
03.06.2017
* GCC 7 fixes: (Tim)
- LV2 GTK2 support is now optional, due to a current exception breakage in gtkmm.
- Fixed many places using switch/case 'fallthrough'. With gcc7 these now generate
warnings which MusE treats as errors. I used 'comment warning suppressor indicators':
// FALLTHROUGH
- Fixed slight de-referencing problem in JackAudioDevice::portName().
26.05.2017
- Further to 22.05: [Sigh] More timer fixes: (Tim)
Info: Alsa HR timer now has hard-coded 1000 Hz limit, unsettable, unreadable :-o
As recommended by ALSA support, step through and try freqs as before.
Fixed div by 0 crash in ALSA timer if freq too high - set ticks to 1 if 0.
In view of the above, the RTC timer now takes priority. MusE tries it first,
and falls back to ALSA (typically the HR timer or else the system timer).
Updated README with modern info about setting up systems for timers.
- Bug #567 from Krzysztof Gajdemski: Older Qt: Build fails at QMetaObject::inherits().
Oops, remove line. Next line qobject_cast() will take care of it.
22.05.2017
- Oops, fix ALSA timer fix of 14.05 not working. (Tim)
From kernel 4.4.0-77, some weird default 1000Hz limit on HR timer frequency!
Step through several frequencies looking for the best one.
21.05.2017
- More mixer strip focus tabbing fixes, including strip-to-strip. Should be OK now. (Tim)
20.05.2017
- Oops, fix midi meters when midi sliders are in dB mode. (Tim)
14.05.2017
- Some work on ALSA timer. For ex. not working at all in openSuSE. (Tim)
TODO: More tests. Cleanups. Remove diagnostic printf's.
13.05.2017
- More frozen MDI windows fixes: (Tim)
Added option "General Settings > Gui Behaviour > Fix frozen MDI sub windows".
Move the theme and style stuff in MusE::changeConfig() into a separate
MusE::updateThemeAndStyle(). Many places call changeConfig, but only
a couple really needed updateThemeAndStyle().
TODO: Benign XCB connection errors may still occur. Remove diagnostic printf's.
24.04.2017
- Added Monitor track list column. (Tim)
- Streamlined and tightened up the record-arm and bounce operations. (Tim)
- Monitor on record-arm is on by default now, upon first installation. (Tim)
- Fixed a problem with arranger track resizing taking much too long with
many tracks and mixer open - added a separate SC_TRACK_RESIZED. (Tim)
- Bumped up songfile version to 3.1, so that incompatible binary header data
can be skipped, since a new Monitor column was added. Changed other files. (Tim)
10.04.2017
- Slight tweak: Don't allow the strips to gain focus. (Tim)
- Added new Czech translation from Pavel Fric. (Tim)
08.04.2017
- Crash fix: File > New > Audio.med > change wave track 1 to stereo -> crashes soon after. (Tim)
In AudioTrack::copyData(): In two sections concerning '2ch' -> '1ch' mixing: Move 'sp' inside
channel loop. Was allowed to increment beyond, into other variable data, causing silent corruption.
- Also, fixed template "audo.med": Both audio output track's outputs were routed to same jack port. (Tim)
- Slightly simpler track list solo icons. (Tim)
04.04.2017
* More routing and mixer relief: (Tim)
- New: As requested: Monitor on Record Arm option. Right click any strip, or Global Settings.
- New: Mixer strip volume/pan affect multiple selected tracks. Works fully with midi <-> audio strips.
Works in mixer and arranger, but purposely NOT in pianoroll to avoid accidental changes to other tracks.
Tally of things that currently can operate on multiple selected tracks:
Track list: Channel, port, mute, solo. Strip: Volume, pan, routing buttons.
- New: Strip keyboard focusing and operations: All strip controls now accept keyboard
focus. Strip volume box is now the default PROXY focus for all strips. Any strip control
having focus can be adjusted with up/down keys. Regardless of who has focus,
volume and pan always can be adjusted with universal keys.
Keys: Up/down: Adjust any focused control.
Alt + Up/down: Adjust volume regardless of focused control.
Alt + Left/right: Adjust pan regardless of focused control.
Ctrl + Alt + Left/right: Switch to a neighbouring strip.
Escape: "Get me out of this focused control to something higher-level!"
(Back to the arranger canvas, or the mixer window.)
- New: Show midi volume as dB option. Right click any strip, or Global Settings.
- To achieve midi volume as dB and support inter-strip increments, class MidiCtrlValList hwVal
member type was changed from INT to DOUBLE. Was required to support fractional increments.
- New: Midi strip instrument and patch labels respond to enter/return key to open popup menu.
- New: As requested: Strip name labels: Double-click to edit track name, or right-click context menu.
- New: Strips: 'Tabs' hold palettes of controls. Extra controls have been moved there from right.
The tabs accept keyboard focus and can be activated by hitting return/enter or clicking.
- Fixed: Yay! Finally the strip volume boxes have proper focus and mouse-over rectangles.
There is a dumb problem with KDE Oxygen and Breeze themes: They turn off ALL such rectangles
if the widget-to-font height ratio is too small. This required a HACK to force the
rectangles to be drawn. Fixed with new class LineEdit, now is base of class DEntry.
- Fixed: Strip labels now show colour with a stylesheet active. Looks good with dark stylesheets.
It was a problem with the order and way in which stylesheets were set. (And they override
fonts, so you can't SET then READ a widget font, it always returns what the stylesheet set.)
- Fixed: Strip volume scale drawing was offset too much to the left sometimes.
- Several other fixes along the way.
16.03.2017
- Draw the frame around all mixer strips. (Tim)
15.03.2017
* Routing and mixer relief: (Tim)
- Fixed auto-connect routing: Midi tracks by default now only connect to the first
suitable midi port input or output instead of all of them at once.
- Multi-selected tracks editing: New: Routing buttons apply to ALL selected tracks
ie. select two or more tracks and the routing buttons apply to each track.
The selected tracks must be type-compatible. TODO: All other strip controls.
- Added some SVG icons: Mixer window now scales almost perfectly to chosen font.
Moved 'Monitor' button to between 'Off' and 'Rec arm' buttons.
- New class IconButton replaces clumsy ToolButton and icon usage. Has TWO different
icon groups, perfect for our 'proxy' solo and mute.
- All mute buttons now show 'proxy' mute ie. when any OTHER track is soloed.
- All 'Monitor' buttons are now off by default.
* Bug fixes:
- Fixes for 'frozen' Arranger not responding:
NEW! Changing theme style in Appearance dialog automatically restarts MusE.
If a stylesheet is chosen, 'style' is forced to 'Fusion' for now until fixed upstream.
- Fixed duplicate events: From multiple tracks connected to the same inputs and output
if 'Monitor' was active. Protection from same-time events (only) in MPEventList::add().
- Fixed: Track ordering incorrect after deleting multiple tracks then undoing.
- Fixed: Big CPU % spikes when clicking almost anything in the mixer window.
Excessive redrawMixer() calls: Fix some controls/strip mouse handling: Accept, not ignore.
New specific SC_TRACK_MOVED flag replaces the more general SC_TRACK_MODIFIED when
moving tracks in Arranger or Mixer, and filter out other flags causing redrawMixer().
16.02.2017
* Recording from synthesizer midi output supported: (Tim)
- All synths are now marked as both readable/writable.
- Synths can now be selected as a midi input route.
- Received events from a synth will absolutely NOT be echoed back to the
SAME synth instance under any circumstances, even if 'monitor' button is on.
- Recording: buildMidiEventList(): Added protection from duplicate events
sent by certain broken plugins or malformed midi import files.
(Our 'live stuck notes' mechanism already protects from playing 'live' duplicate notes.)
- If output port's instrument has no note-off mode, do not use our 'live stuck notes'
mechanism. This allows for example drum trigger input devices sending NO note-offs,
although you must first select an instrument having no note-off mode.
14.01.2017
- Drum editor list: Added 'Set field', 'Set row', 'Set list' to right-click menu. (Tim)
13.01.2017
- Replaced midi editors' control panel knob with compact knob and LCD patch editor. (Tim)
Both use the 'waitless' method of 09.01.2017.
- Improvements to compact knob look and functionality. (Should look OK with 8pt font now.)
- Clear focus after LCD patch edit popup editor closes. FIXME There are three sections,
need to clear focus for now, we can't really have focus hanging around there for the
unaware user - need to add a section 'hilighter/selector'.
09.01.2017
- FIXED: Midi strip controls much too slow with large audio (Jack) period. (Tim)
- Created and installed new template class 'LockFreeBuffer<T>' to replace clumsy
per-type / fixed capacity multiple implementations. Works with ANY type, and
capacity can be set per-instance.
- Replaced 'waiting' calls of midi strip controls, with the new LockFreeBuffer<T>.
Midi controls are now fast and smooth, like audio controls, even at high Jack periods.
- TODO: Fix midi controller graphs much too slow as well!
07.01.2017
* New - Monitoring feature: (Tim)
- Midi Tracks and Wave Tracks have a 'Monitor' button.
Push to pass input through to output.
Midi Track 'Midi Thru' was re-branded and re-purposed as 'Monitor'.
- Meters: When in 'rec-arm' mode but not 'Monitor', meters are active.
Wave Tracks: NOTE: Be aware that when 'rec-armed', the meters show
the RECORDING levels pre-fader/rack etc. NOT post-fader.
This was a technical necessity, but actually has benefits: The user
can see the actual recording levels before the signal hits the disk.
- Since monitoring is important and can cause unaware unwanted mixing or
missing audio, the 'Monitor' buttons flash to indicate being active.
- TODO: Add an Arranger track list 'Monitor' column.
Make Wave Tracks NOT monitor by default ??
- FIXED: Wave tracks now mix playback audio with incoming audio -
you can now hear what's playing as you are recording.
21.12.2016
- Make some cmake system commands friendlier. (Tim)
- Remove some more old setuid stuff.
20.12.2016
- Removed libuuid dependency. Replaced with QUuid. (Tim)
Tested OK copying and pasting/cloning parts and notes (places using uuids).
18.12.2016
* ALSA support is now OPTIONAL ! :
* MusE can now be built as a PURE Jack application:
- Also fixed some problems with various config combinations of DSSI, liblo, and ALSA support.
Note: The smaller DSSI ALSA Compatibility package is NOT suitable for our DSSI support. (Tim)
17.12.2016
* Eliminated midi sequencer thread when ALSA midi driver is not enabled: (Tim)
When 'ALSA' button is not clicked in midi config dialog, MusE is running PURE Jack,
ie no sequencer thread (midiSeq), and no timer. Pure Jack.
16.12.2016
- Bug #520 by asbaklm: "Muse fails to start, produces stack smashing error": (Tim)
Further to Bug #548 fix 09.11.2016:
(Very old RTC timer was still causing it to crash upon the resolution request ioctl.)
Did looong overdue ALSA timer code rewrite. Picks best timer such as 1,000,000,000Hz HR Timer.
- ALSA Timer is now checked and chosen first over the RTC timer. RTC could still be chosen
as a LAST resort. Apparently RTC works OK for some users (not using DrumGizmo?).
15.12.2016
- Update: Fluidsynth MESS plugin GUI updates the song's maps when
soundfonts are removed or the channel or drum column is changed. (Tim)
- Besides drum patches, note sample names are now cached for ALL melodic
patches as well, they can be obtained although nothing uses them yet. (Tim)
14.12.2016
* New - Fluidsynth MESS synth plugin automatically shows correct drum note names: (Tim)
- No more manually loading a drum map file ;-)
- Load up some SoundFont(s) in the plugin, and try it out. Works with multiple
SoundFonts in different channels (be sure to mark 'drum' column).
- Automatically looks for libinstpatch-1.0 (from Swami) and uses if found.
- Door is open for our Instrument Editor to allow PER-CHANNEL drum maps,since
the system supports it now. You could add it manually to .idf files for now.
- TODO: Remove (L) (R) etc. from name strings. ie. find a better way to make
reasonable names out of multi-sample notes.
Does not update maps yet when fonts removed. Please toggle the track channel
or some other way force a map update manually for now.
- Thanks to Swami author 'Element Green' for help.
11.12.2016
- LV2 Synth Tracks: Fixed patch not changing when patch list popped up. (Tim)
Was simple change to include QVariant::UInt in *::patchPopupActivated().
10.12.2016
- Fixed lingering Arranger bug not restoring size properly on project reload. (Tim)
09.12.2016
* More 'New drum' track fixes. 'Old drums' invisible now, going soon: (Tim)
- Midi Instrument Editor: A default Patch Number is allowed now
(HBank = LBank = Prg = don't care). See GM instr for ex.
ALL drum map items are editable now including Hide, Mute, Channel, Port, Anote.
When 'Save' is clicked, song is updated immediately with changes to the instrument.
- Drum Tracks: Added Track Drum Map overrides. Right-click any map item to see options.
Channel, Port and ANote can be edited now.
- Added a standard GM drum map to our GM instrument, on the default patch (see above).
- Old midi export bug: Some controllers not exported! My typo: Changed 0x1000 to 0x10000
in exportmidi.cpp:addController().
- Midi Import/Export Dialog: Added two options for how drum controllers should be exported,
see their tooltips/whatsthis for more detailed info:
Apply drum map Port, Channel and ANote overrides
Drum map channel overrides go to a separate track
- Automatic conversion of loaded projects to use new drum tracks instead of old.
Warning: The project will be SAVED with NEW drum tracks!
- Old drum tracks hidden now. Will be removed later since they are no longer needed.
09.11.2016
- Bug #548 by funkmuscle: New DrumGizmo version 0.9.11 causes crash. (Tim)
Removed seteuid()/setreuid() code supporting ancient givertcap tool (kernel privileges).
Was interfering with DrumGizmo's use of semaphores.
TODO: Remove further old rtcaps code such as main.cpp:getCapabilities().
Tested OK so far, with self- or externally- started Jack, or dummy audio driver,
and as root user as well, and with Jack running non-realtime.
Note: This may also prevent things like our RTC timer code from accessing the RTC
as non-root, but RTC is old and should be replaced anyway, and it usually required
'poking' it beforehand in a terminal anyway - unless MusE is run as root which still
works as always.
30.09.2016:
* A fix for 'New drum' tracks!:
- Drum maps were not being updated according to track's current port and channel,
and current state of program controller. So a hook into the global heartbeat timer
was added and all drum maps are updated if necessary. Tested OK so far with
multiple parts open in Drum Editor, and changing various ports, channels, and patches.
NOTE: This means the Drum List can, and will, CHANGE DYNAMICALLY for example
with more than one program change in a part, or simply dialing in a new port, channel
or patch numer! TODO: Test + fix/improve/optimize more, and remove debugging messages. (Tim)
29.09.2016:
*** MusE 3.0.0pre2 ***
Second prerelease of MusE 3.0.0
- Bug #526 by jphaenlin: Crash on cut with scissors while master open. (Tim)
Seems old: In class MidiEditor: _pl (parts list) can be NULL, so protect the rest of the code.
28.09.2016:
- Completed Robert's mixer strip selection + keyboard navigation features. (Tim)
Now works in BOTH mixers A and B. Tested OK all functions.
Use the arrow keys and ctrl and shift to navigate strips and adjust volume and pan.
25.09.2016:
- Midi ports/synths configuration dialog: Allow multiple selections in device list. (Tim)
24.09.2016:
- Anti-alias the small routing channel circles. (Tim)
23.09.2016:
* Revenge of the knobs!:
- Complete re-design of mixer strips, reinstating knobs but much smaller and compact. (Tim)
- Switchable between knobs and sliders, via Global Settings or via right clicking any mixer strip. (Tim)
- Also switchable value display, to minimize clutter.
- Replaced clumsy three-slider midi patch editor with single-line custom LCD editor. (Tim)
17.08.2016:
- Bug by Martin Drautzburg: ALSA Midi controllers not working. (Tim)
- Bugs by Michael Oswald: Change 3 delete to delete[]. In LV2Synth ctor, free _nPname later. (Tim)
03.08.2016:
- Merged fix for bug where configuration storage had stopped working, from AndreeeCZ (rj)
- Updated templates to 3.0 (rj)
- Fixed color-theme switching no longer working (rj)
- Added another idf from Dennis Schulmeister, for Yamaha Motif XS (rj)
27.06.2016:
- Added instrument definition files from Dennis Schulmeister for:
* Korg Krome (Bank Map KORG).idf
* Korg Krome (Bank Map GM2).idf
* Roland-MT32.idf
* Lexicon-MX200.idf
* Yamaha-Rex50.idf
20.06.2016:
- Added connection between arranger and mixer so selecting a track carries over to the
mixer. Mostly a visual queue but some keyboard navigation and editing is possible (rj)
19.06.2016:
- Removed XML printout that warned of malformed xml, mostly due to the parser being
incomplete, still prints the warning when debug is enabled and when we are reasonably
sure it's wrong. (rj)
- Added keyboard navigation between strips in mixer. Ctrl+left/right to move between
strips. Up/Down to change volume slider (TODO add pan left/right) (rj)
- Strips can also be selected with clicking and ctrl+clicking to select more than
one. (TODO select strips from arranger too and allow to move all selected strips)(rj)
16.06.2016:
- Removed the ability to delete strips from the mixer, atleast temporarily, as it was
crashing (rj)
02.06.2016:
- Rolled back transport icons to previous version (the new version looked bad with some themes)
and made a new rec icon (rj)
30.05.2016:
- LV2: Fix playback crash with certain midi event times, in LV2SynthIF::getData(). (Tim)
- Midi file export: Added missing Aftertouch, PolyAftertouch support! (Tim)
28.05.2016:
- LV2, LinuxVST: Fixed Aftertouch, PolyAftertouch, Pitch improper composition. (Tim)
- LV2: Fixed sending redundant program changes with every small seek. (Tim)
- LV2, DSSI: Support 16384 Banks, arranged as two 8-bit-wide, 7-bit High and Low Bank values. (Tim)
- Thanks to Will Godfrey for reporting and testing with yoshimi.
21.05.2016:
- Fixed bug with ctrl+rightclick resize of notes no longer working (rj)
- Fixed shortcut for Pointer tool in right click tool menu (rj)
20.05.2016:
- Fixed bug with reversed Input/Output hidden in mixer menu (rj)
19.05.2016:
- Upon startup, Jack midi inputs/outputs are (finally) now paired together
into single MidiDevices just like the ALSA MidiDevices. (Tim)
How it works: If the DIFFERENCE between two Jack midi port names are EXACTLY
the words "capture" and "playback", or "input" and "output", or "in" and "out",
or finally "c" and "p", then the ports are considered a matched pair.
(The best names or aliases are picked, "system:" are avoided, similar to our
persistent port routes feature.)
16.05.2016:
- Updated lv2Support tree to latest versions. (Tim)
Instructions on how to do future upgrades added to lv2Support/ChangeLog.
- Added new cmake option 'ENABLE_LV2_SUPPLIED', to use supplied vs. system
lv2 support libraries (lv2, lilv, serd, sord, sratom etc). Default off. (Tim)
- Removed pre-built lv2Gtk2Helper libraries and folder. (Tim)
Replaced with lv2Gtk2Support folder, always built by cmake.
* Thus, GTK2 dev packages gtkmm-2, gtk+-2 are now REQUIRED for LV2 Gtk2 UI support.
- Fix compile stoppage warning if using Jack-1. The very old 'case 4: hack' in
processSync and JackAudioDevice::getState(). (Tim)
- Suppress unwanted Jack info terminal output. (Tim)
13.05.2016:
- Added instrument file for Classic Cantabile SP-250 / Medeli SP4200 from
Mariotte91 at fontenay.tk (rj)
29.04.2016:
*Important bug fix: About two dozen CORRUPT usages of QByteArray::constData(). (Tim)
In: routepopup.cpp lv2host.cpp helper.cpp dssihost.cpp jackmidi.cpp conf.cpp
vst_native.cpp minstrument.cpp
Symptoms could vary wildly. On my system MusE refused to load the config file.
- Fixed compile stoppage due to latest Jack obsoleting jack_port_set_name(). (Tim)
Created 'dlopen' function pointers for jack_port_set_name() and the brand new
jack_port_rename(), and arbitrated between them.
- Disable ElidedLabel auto-font size for now (midi strip instrument/patch labels). (Tim)
22,04.2016:
*** MusE 3.0.0pre1 ***
First prerelease of MusE 3.0.0
21.04.2016:
- New: Accu-Slider: All sliders support 'shift' control for single-stepping
even with thin sliders. (Tim)
The shift control changes from 'coarse' to 'fine' adjustment mode so
you can zero-in on an exact value even with very short sliders.
14.04.2016:
- Added missing Aux slider and Midi Program slider Appearance colours. (Tim)
- Complete rewrite of 13.04.2016. Non-modal colour chooser, fully interactive. (Tim)
- Do not save part colour names in colour configuration files. (Tim)
13.04.2016:
* New - Live colour editing and Colour Chooser Dialog in Appearance Settings: (Tim)
- All target colours are updated live in realtime. With functional Apply, Cancel, and OK.
12.04.2016:
- Implement meter colours from appearance settings. (Tim)
- Finish default colour scheme. (Tim)
- Fix obvious crash when loading another song: Do not connect songChanged()
directly to Arranger and Pianoroll trackinfo's Strips. Instead, the Strips'
songChanged() is called by Arranger and Pianoroll. (Tim)
11.04.2016:
(By Tim:)
- Completed (mostly) work on arranger, trackinfo, strip makeovers.
* New Appearance Settings:
- Several new 'Mixer' colour settings: Sliders, gain, pan, aux etc.
- New: Load and save colour settings. Share or backup your custom colours!
- New: Aliased small fonts for certain controls (brighter, sharper!),
with adjustable on/off size in Settings.
* New audio/midi mixer strip 'Component Rack' system, streamlined and unified:
- Configurable controllers, properties, and other selectable 'components'.
- Not quite ready yet, user-configurability hidden for now...
* New UI control functions:
- All descendants of SliderBase (Slider, CompactSlider, Knob, ThinSlider etc)
now support three adjustments 'modes':
Normal: Control moves with mouse.
Jump: Holding ctrl/middle mouse button jumps immediately to the value.
No-track: Holding meta changes the value only when mouse is released.
- Reworked automation rec/play functions to fully support these modes.
* Bug fixes:
- New: Discrete trackinfo panel parts have been replaced with a
unified class TrackInfoWidget, where classes WidgetStack, Scrollbar,
and TrackInfoLayout are combined into one widget.
Undesirable recursive things in the previous layout have been minimized
by using this container to hold everything.
- Full rework: Bottom area of arranger: Caused runaway width in some cases!
TODO: Drum editor has a similar sizing problem, difficult to shrink sometimes.
- Reworked Global and Appearance Settings dialogs to be smaller.
- Some other small fixes.
06.04.2016:
- Fixed show/hide menu choices in mixer for strips (rj)
- Remember last mixdown directory (rj)
24.03.2016:
- Changed lilv/lib.c: lilv_lib_open(): Added RTLD_DEEPBIND to dlopen() call. (Tim)
Fixes at least two Qt4-based external-ui synths (synthv1, drumk) crashing.
See corresponding UI dlopen call in LV2Synth::lv2ui_ShowNativeGui()
for a similar fix and test results (better but the UI still CRASHES here).
No other such plugins were found, in order to test this fix further...
- LV2: Fix very slow right-click synth 'presets' menu with many items (ex. amsynth). (Tim)
21.03.2016:
* New Plugin Path editor in Global Settings: (Tim)
The LADSPA_PATH DSSI_PATH VST_PATH LINUX_VST_PATH and LV2_PATH environment variables
are now read only ONCE upon first-time run, to fill the Global Settings boxes.
Afterwards these variables are SET (internally) by MusE at each startup, from the
paths in the Global Settings boxes, so that the various plugin systems can find plugins.
(Actually, LV2 /required/ setting LV2_PATH since we use the recommended lilv_world_load_all,
and there doesn't seem to be any other way to set the paths programmatically in that case.)
- Updated -h help text to reflect changes.
21.03.2016:
- LV2 fix: Support PowerOf2BlockLength - Was missing! Supports more plugins! (Tim)
- LV2 fix: Support FixedBlockLength - Our process routines weren't respecting this! (Tim)
If any controller input was adjusted, a plugin would 'gurgle' or might soon CRASH.
- LV2: Add debugging output (-D option) while discovering plugins. (Tim)
- LV2: Report if a plugin is ignored due to any unsupported 'required feature'. (Tim)
Tested OK! With MOD Pitch Shifter series of plugins (they require fixed-block AND power-of-2).
At both 1024 and 128 block size, these plugins' controllers responded smoothly, both with
rapid manual adjustment and graphs, and did not 'gurgle' and did not crash after much abuse.
19.03.2016:
- Fix toolbars initial positions in all windows. They were all on one line. (Tim)
Our shared toolbar system can now use a toolbar's objectName to /replace/
an existing toolbar, in MusE::setCurrentMenuSharingTopwin().
This keeps common toolbars in-place (by default) in all the windows,
especially as applied to the Main Window and the Arranger.
- Rebuild Tempo Signature and CPU toolbars to allow shrinking. (Tim)
- Fix problems with arranger minimum size and saving/restoring window sizes. (Tim)
14.03.2016:
* Arranger Track Info panel makeover: (Tim)
- Add midi strip (finally!)
- Add splitter handle for resizing the panel (finally!)
- Add 'Alt' button to switch between midi strip and old midi track info.
- TODO: Splitter initial default sizing issues. Saving/reloading should be OK though.
Also maybe some crashes. Massive cleanups.
12.03.2016:
- Fix routing popup menus consuming all CPU power upon mouse movement. (Tim)
In RoutePopupMenu::event(), removed "case QEvent::MouseMove". Seems to test OK without it.
11.03.2016:
- Make it slightly easier to recompile lvGtk2Helper library: Separate 32/64 bit makefiles
and automatic cmake choosing of user-compiled over pre-built version. (Tim)
09.03.2016:
- Converted python scripts to python3 and explicitly launch with python3 (rj)
- Fixed focus issue with running scripts, if launched from an editor, the editor
would be pushed back behind the arranger (rj)
08.03.2016:
- Project dialog put focus on name (rj)
- Punch in recording now works better when recording is started after the punch point. Live wave recording doesn't seem
to work though. (rj)
07.03.2016:
- Pianoroll: Make midi strip vertical scrollbar appear to the RIGHT of the strip, not intrude into strip. (Tim)
Similar to how arranger trackinfo scrollbar works. Much harder than it sounds:
Added new custom trackinfo_layout module. Moved class ScrollBar into its own module. Added Splitter::setPosition().
- Fix regression in MusE::readPart() causing not to re-open saved open midi editors. (Tim)
01.03.2016:
- Fix remaining audio engine bug from 31.10.2015: Certain routing conditions produced garbage audio output,
and pinned channel meters. (Tim)
Fairly substantial re-write of AudioTrack::copyData(), ::getData() and variants, especially input routing.
Removed AudioTrack::addData(). Cleanups of massive comments etc. Test OK with many multi-channel scenarios.
26.02.2016:
- Save state of: Routing preferredRouteNameOrAlias and routerGroupingChannels,
and routing dialog button routerExpandVertically. (Tim)
25.02.2016:
Plugin generic UI fixes, new features: (Tim)
- New: Class Meter now has orientation: Horizontal or Vertical.
- New: Class Meter now has scale markings (just like class Slider).
- Fix bug #470: Built-in MusE UI (such as LADSPA TAP Reverberator) not responding to controls.
- Replaced plugin generic UI ThinSlider with Slider.
- New: Plugin generic UI sliders have scale markings.
- Fixed backwards plugin generic UI output meters: Replaced VerticalMeter with Meter,
and enabled meter scale markings.
- Removed class ThinSlider and VerticalMeter from cmake build (but not from project).
- Related: Mixer strip volume sliders: Reinstate a 'thumb' knob.
24.02.2016:
- Remember the state of ALSA button in Midi Configuration dialog. (Tim)
It is a global setting, not per-song.
22.02.2016:
Merge from midi_engine_fixes branch: (Tim)
- Added MidiTrack 'stuck notes' and 'stuck live notes' lists and support.
For better handling of stuck notes for example when muted or rec-arm turned off.
- Split 'stuck notes' handling between devices and tracks.
- Removed midi instruments 'null parameters' setting, moved into General Settings midi tab as
'Send null parameters' checkbox, default is off. Removed the setting from all .idf files.
- Added General Settings midi tab 'Optimize controllers' (don't send dupl params or values). Default off.
- Finished note-off / zero-velocity work of 13.01.2016 (it required the live stuck notes list above).
- Apply midi track velocity/compression settings (and drum volume) to note-offs, not just note-ons.
- Removed 'curProg' members from SynthI, and no longer read or saved in song.
Replaced with MidiOutputParams struct in class MidiDevice. It holds current banks and prog,
and current (N)RPN parameters and data, to faciltate the 'Optimize controllers' setting above.
The current program settings for all channels are still stored in the song's MidiPort controllers.
- Added class MidiEncoder to handle all midi controller input encoding. (WIP)
- Added more latency functions to track and effects rack. (WIP)
17.02.2016:
(By Tim)
- Audio automation graphs fixes:
- Greatly reduced CPU usage while playing and graph(s) showing.
(Update only required rectangles and paint only requested rectangles - not the whole darn window.)
- Fixed flickering when moving mouse.
- Added drawing layers: Draw lines, then vertices, then text. With moderate transparency.
- Added shaded box for text, to stand out better.
- Vertex selection: Guaranteed to be able to select a vertex even in densely crowded multiple graphs.
- New vertices: Guaranteed to be able to add vertices to lines even in densely crowded multiple graphs.
Note that preference is now given to selecting/moving existing vertices over adding new ones.
The vertex 'hit' zone is such that if you really wanted to add another vertex to an already dense
graph portion, then you should zoom in more.
- Undo system fix in Undo::merge_combo():
if (this->combobreaker || other.combobreaker) // Flawed?
if (other.combobreaker) // Changed. Test OK.
- Audio automation graphs: Added Undo support. Smart Undo support using the above Undo fix.
Dragging a vertex around makes only ONE Undo step.
This is the first real 'editing' usage of Smart Undo using Florian's combo/breaker system.
Score Editor uses it for undo-able note selection. But there was a bug where it required two undo clicks,
and the above Undo fix seems to cure it now, one click only.
Another good example of Smart Undo usage (TODO): Editing the Track List channel column.
12.02.2016:
- Added instrument definition for Yamaha S30/S80 made by Dennis Schulmeister (rj)
09.02.2016:
(By Tim)
- Non-shared event lists followup: Wave event sndfile handles are now truly
unique - overlapping multiple compressed audio file instances will play
now instead of halting MusE.
TODO: When a wave part is edited, ensure other instances' caches are updated.
Note: The master sndfile list is now meaningless. (It now allows MULTIPLE instances of SAME wave file.)
It will either soon be REMOVED, or embellished/re-purposed. As will the Clip List Editor.
It is kept for now, so that the Clip List Editor can help debug what is going on.
- Fixed crashes when using wave editing functions. Possibly fixes recording spikes too?
- Close or re-open sndfiles in deleted or undeleted wave tracks/parts/events.
- Fixed part copying in Duplicate Tracks function. Dialog added new modes.
- Revert old: Do not auto-snap newly recorded wave parts to the grid. (Importing never did this.)
- Streamlined some complex multi-cycle operations (stopRolling, recordStop, deleteTracks etc.)
into single undoable operation lists (one cycle).
- Eliminated the (very old) brief total audio dropout on transport stop or rec stop.
- Fixed the (very old) audio FIFO underrun copious errors, at song load then play.
- Added undo of recorded audio automation controller events.
- Good speed ups to midi sustain controller real-time stop/start disabling/reenabling loops.
(Rearranged the loops - it was iterating all 200 ports x 16 channels).
- Still some related finishing work to do...
07.02.2016:
- Added widgets dependency on instruments, liste and deicsonze targets (Orcan)
06.02.2016:
- Fixed wave writing corruption when realtime wavedrawing was enabled (rj)
- Arm all selected tracks in the arranger when clicking REC (rj)
29.01.2016:
- add shortcuts for mute tracks (SHIFT+m) and solo tracks (SHIFT+S) (rj)
28.01.2016:
- print DSP load in CPU toolbar
- allow gain in channelstrip to attenuate also (rj)
25.01.2016:
- added midi drum name to simpledrums sample config (rj)
22.01.2016:
- raise config dialogs after apply to keep them visible (rj)
- removed startSong from the config in the default case
as we already know what should be there (rj)
- Pianoroll/drum editor: Ensure new events are selected. (Tim)
- Refix: Midi import empty tracks: Small revert. Test OK with user-supplied broken/fixed .mid (Tim)
21.01.2016:
- Midi import: Ignore empty tracks with zero data. Fixed corruption if so. (Tim)
- Midi import/export: Delete allocated memory.
*New: Midi export now has 'Use running status', and the instr/mode + port/device
metas can now be turned off for a 'cleaner' file.
- New wavedrawing mode (set to default) with drawing only a tiny outline of the wave (rj)
- DidYouKnow dialog now allows multiline help texts (rj)
- Several of the colors written to the config were not properly read back, now fixed (rj)
- Fix drum editor: In Canvas::findCurrentItem: Selecting notes required 2 clicks,
this also fixes dragging of selected same-time notes not dragging correct notes. (Tim)
20.01.2016:
- Fixed mixer crash when deleting track in updateStripList. (Tim)
- Fixed audio rack plugin problems: From README.effects-rack:
"For mono tracks with plugins having more than one audio input or output,
MusE uses the first input or output and ignores the rest."
This was not happening. It was using the second output. Fixed.
Optimization: When changing track channels: Previously we deleted all rack plugin
instances and rebuilt them. Now it only deletes or rebuilds what is necessary.
Fixed: A good side effect of the above is that rack plugin GUIs no longer
disappear when changing track channels :-)
Fixed: Multiple-instance plugin GUIs were being updated from the last instance's
control values. Now they are updated from the first instance (ie. 'left').
- Arranger fixes: Fixed problems with channel unwanted double increments.
Fixed problems with popup editors, click/doubleclick passing to parent,
for example channel editor box causing 'track lock' column icon to light.
*Arranger Feature - Multiple selected tracks common property editing:
- You can now edit a property and it will change all the selected tracks.
Currently works for track channel column and midi output port.
18.01.2016:
- Strips are raised when dragged in mixer (they should also get a solid background)
- When sorting mixer as arranger moving strips in mixer affects arranger also (rj)
16.01.2016:
- Added ability to rearrange mixer A and/or sync it to the arranger look
Features:
- Traditional look
- Sync to arranger
- Manually rearrange mixer with drag and drop
- Allow individual strips to be hidden (re-enable them from the view menu)
Still bugs to iron out and allow mixer B to also work (rj)
08.01.2016
- Fixed icon pos for transport toolbar (rj)
15.01.2016
- Routing popup menu: Fix stereo grouping mode not connecting both channels
if second channel is clicked. (Tim)
14.01.2016
By Tim:
- System-wide accuracy fixes, part 1:
Enforcement of audio controller double-precision floating point accuracy internally,
all the way up to the lowest-level structure Port (in plugin.h). Port now has a double value
besides the existing float value. All track, plugin, and synth code changed to use double-precision
wherever possible (only Track can take advantage of double - plugins/synths only use floats).
- Due to inaccuracy in log*() functions, muse_math.h was added where special macros are defined for:
muse_log10r() and muse_val2dbr() (round to the nearest .000001), and muse_db2val().
These use log10 and pow10. Some critical code will use the poor-accuracy fast_log*() functions
in fastlog.h for speed, while other code takes advatage of (requires) our more accurate macros.
- Audio strips: Ensured and verified accuracy and round-trip consistency of vol, aux, gain sliders
and labels, and their controllers.
Fixed strip slider problems honouring Settings 'Slider minimum value'.
This value now means 'off' or 'muted' (-inf dB), not some value below it like before. Test OK.
13.01.2016
By Tim:
- More note-off fixes related to 21.12.2015: Added Instrument Definition Files NoteOffMode attribute.
Enforcement of internal note-off velocity usage, and no internal midi Event zero note-on velocities.
- Fixed old -l locale switch problem by adding QLocale::setDefault();
12.01.2016
By Tim:
- Mixer makeover in progress:
- Replaced strip knobs with horizontal sliders.
- General redesign of strip look and sliders.
- Strips are expandable now with a right-edge 'handle'.
- Fixed old mixer problem with unpainted areas (solved by QWidget::setUpdatesEnabled()).
06.01.2016
- Added 'clipper led' to mixer's audio strips (danvd)
02.01.2016
- Added Native VST FX support (rack insert plugins) (danvd)
27.12.2015
- Midi Instrument Editor: Fixed errors from ancient missing Qt3 signals.
Fixed problems with instrument / patch / controller lists. Tests OK now. (Tim)
21.12.2015
- Rewrited midi events code for lv2 host. Fix for #435 (danvd)
13.12.2015
- Added support to resize notes and parts to the left with pencil tool (issue #292) (danvd)
11.12.2015
- Added LV2 UI open behavior (danvd)
06.12.2015
- Added live update of wave parts while recording (danvd)
03.12.2015
- Added Native VST shell plugins support (danvd)
03.12.2015
- Added non-discard restart recording function (a-la multi-take, SHIFT+space is default shortcut) (danvd)
01.12.2015
- Added recording restart function (CTRL+Space to activate while recording) (danvd)
21.11.2015:
- Auto resample imported wave files to project's sample rate (danvd)
18.11.2015:
- Added double click on Port column to open the gui of a synth (rj)
31.10.2015
By Tim E. Real:
* New routing capabilities:
- New: Persistent routes: If a device disappears (say USB Midi) we remember it.
Currently works for Jack audio and midi routes.
TODO: Expand concept to include persistent Synth Tracks, Rack Plugins and Tracks.
- New: Multi-channel Audio Track routing. Any channel to any channel.
Fully functional (although maybe a sound engine bug - an unconnected
channel may have repeating nonsense sound data.)
Audio tracks still only have up to two channels (or N synth audio channels),
but this feature may help later for true multi-channel Audio Tracks.
Users connect individual Audio or Midi channels with 'Channel Routes',
or all at once with 'Omni' Routes (similar to previous behaviour).
- New: Graphical Routing dialog redone and enhanced. Almost complete.
Added to routing popups as "Open Advanced Router".
Middle Connections View window, which can be scrolled.
Thick lines are Omni Routes and thin ones are Channel Routes.
Each pane's tree has textual Omni nodes, plus some have a
'Channel Bar' sub node (an array of connectable Channels).
All nodes are organized in 'Category' nodes.
Itemized Master Connection List synchronized with left and right panes.
Filter buttons: Show only selected nodes in left or right pane
Show only routeable nodes in the other (right or left) pane
Show all 200 Midi Ports (else it filters unused/unrouted ones)
- Routing popup menus redone. Test OK, some cosmetic tweaks aside.
Shows Channel Routing matrices, plus easy single-click Omni Routes.
Uniform audio and midi routing popup menus.
Full keyboard support.
- Note: Keyboard action activation for ALL popup menus, including routing,
has been changed from space bar to Enter. Hold ctrl to 'stay open'.
- New: Routing popup menus for Midi Tracks now allow you to do Jack Midi
routing from the menus! Like "Connect this Midi Track to Jack Midi port
XYZ via Midi Port 123:MyJackMidiDeviceName".
- Midi Track to Audio Input routing (for soloing chaining) greatly simplified.
Instead of a cumbersome dual system of Midi Track to Midi Port route and
Midi Port to Audio Input route PER track channel, now it is simply a more
direct Midi Track to Audio Input Omni Route. No 'channels' involved.
This behaviour is different than before, but should still serve the purpose
of soloing chaining.
- Instead of one route for all 16 Midi Track channels using a bit-wise mask for
the Route::channel member, it is now reverted back to one route per channel.
This makes all routing uniform (Route::channel now always means 'a channel'),
no special code for Midi Track routes.
(Applies only to Midi Track input routes for now.)
* File operations:
- A new system of warning users about loading older song file versions
is in place and operational. It uses the MusE File Version number
found in the xml module. Increment it wisely given these new warnings,
especially if 'auto-converters' are 'quietly' enacted while loading.
- Added conversion code to transform older loaded files into the format
which this version currently stands at.
- Saving and loading tests OK so far but may need a few tweaks.
* Midi config dialog:
- New: Device List added, with 'Delete' button.
- New: Command-line flag disables startup 'midi auto-discover/fill devices/ports'.
- Default Jack Midi Device names have been changed.
Instead of 'mirroring' the long Jack Midi port names, helpful but NOT good - a
different Jack port or multiple ports can be connected making the name meaningless -
Midi Devices are now simply named like "Jack Midi 1".
- Fixed improper Native VST version number display in synth list.
23.10.2015
- Moving to 3.0.0 release (danvd)
23.09.2015
- New cpu usage metering algorithm without jack dependency (danvd)
01.07.2015
- Implemented "Normalize wave part" menu item for wave track parts (danvd)
24.06.2015:
- Added information in About box about supported plugins. Feel free to
add more status info! (rj)
30.05.2015:
- Patch from Michele Ballabio to compile muse without LV2 enabled added (rj)
15.05.2015
- Added some missing initializations for native VST synths (rj)
- Added some instructions for compiling with Steinberg VST SDK instead
of the bundled Vestige header (rj)
05.05.2015
- Added multichannel support for SimpleDrums (+routing ability) (danvd)
- Added channel meters for SimpleDrums (danvd)
- Updated SimpleDrums config to version 3 (added routing config saving/restoring) (danvd)
15.04.2015:
- Fixed bug #363, Len not initializing correctly when importing midi files (rj)
03.04.2015:
- Made raster colors in midi editor editable and section dividers in track list (rj)
15.03.2015:
- Changed string handling to allow international characters in fluid synth
as well as wave tracks, this has affected several parts of muse, not the
least undo/redo. Internally handling of strings have been changed to QString
instead of char * in several places. This to minimize conversions as this
is a big source of errors. String conversions from .toLatin1 have been changed
to toLocal8Bit and QString::fromLocal8Bit in many places. I think this is
right way but it needs more testing. Fixes bug #361 (rj)
02.03.2015:
- Slow motion moving of editing of automation with shift key (rj)
04.02.2015
- Added smooth transition from big to small meter value (danvd)
31.01.2015
- Load lv2 gtk2 ui helper on the first native gui call (danvd)
- Removed lots of warnings, tested both on clang and gcc (danvd)
- Added -Werror to DEBUG build type (danvd)
28.01.2015:
- MusE 2.2.1 release (rj)
- Optimizations to lv2 rtfifo class (danvd)
- Fix for potential crash on startup due to defaultStyle (danvd)
20.01.2015:
- Change toggle functions in track list to not include output tracks (rj)
- Added ability to change all midi tracks or all drum tracks to the same port with
control clicking on the output port name (rj)
18.01.2015:
- Added shortcut to edit track name, F2 (rj)
- Added multi toggle of mute, solo and midi track type.
If multiple tracks are selected and one of them is clicked they will all be affected by the operation
Additionally for solo and mute, if the Control key is used, ALL tracks will be toggled. (rj)
17.01.2015:
- Added link library sndfile for SimpleDrums (rj)
- typo with duplicate tracks shortcut fixed (rj)
15.01.2015:
- Ported code to Qt5. Port works rather stable - no crashes and artifacts
during 4 days testing (danvd)
- Added scrollable submenus option to global settings (danvd)
- Added CPU load toolbar (danvd)
- Optimized RT Fifo class used for lv2 plugin <-> UI communication.
This reduced CPU load by 1-2% :) (danvd)
- Integrated Presets submenu into midi track's programs menu for LV2 synths (danvd)
- Implemented presets saving and updating for LV2 synths/rack plugins (danvd)
- LV2 presets are stored in common format and can be
shared between lv2 hosts (danvd)
- Integrated lv2,lilv,sord,serd,sratom,zix libraries into MusE's source tree.
Now MusE can be compiled without external LV2 dependences at all (danvd)
- Reworked Appearance::defaultStyle static QString variable (static var init fiasco fix) (danvd)
15.01.2015:
- Fixed bug with setting name for dupliated tracks and reworked a bit (rj)
- Some shortcut changes (rj)
- Changed metronome accent to only affect offbeat (rj)
12.01.2015:
- Added new Czech translation from Pavel Fric (rj)
06.01.2015:
- MusE 2.2 release (rj)
02.01.2015:
- Moved LV2 effects to own submenu when adding in arranger,
same solution as for Windows VST synths, a bit hacky (rj)
01.01.2015:
- Calculate filenames when duplicate tracks improved (rj)
- fixed two crash bugs when instantiating plugins did not succeed (rj)
- Added LV2_PATH info in help (rj)
28.12.2014:
- Some more features to metronome, click selection etc,
needs some more testing (rj)
27.12.2014:
- Pretty print customData in song file for lv2 plugins (rj)
- Added progress dialog to midi filter execution (rj)
22.12.2014:
- MusE 2.2beta2 release (danvd)
21.12.2014:
- Added support for LV2 path MAP and MAKE extensions (danvd)
- Added support for LV2 LOG extension (danvd)
- Revorked synths menu popup (added scroll ability) (danvd)
- Improved lv2 synth programs popup (added bank submenus) (danvd)
19.12.2014:
- Added support for CV type lv2 ports (danvd)
- Implemented Atom_Event_Transfer support for plugin<->UI communication (danvd)
- Plugins with unknown port types are skipped properly now (danvd)
- Absent default plugin values are initizlized to zero now (danvd)
- Improved UI resize callback (some X11 uis were cropped) (danvd)
05.12.2014:
- added LV2 host support (danvd)
- MusE 2.2beta1 testing release. Mainly for lv2 host testing and feedback (danvd)
08.11.2014:
- Readded plugin parameters persistence in the plugin dialog (rj)
19.10.2014:
- Moved Wine VST synths to separate sub menu (rj)
- Allow unselecting default midi output port (rj)
- Fixed value update of pitch knob in SimpleDrums plugin (rj)
15.10.2014:
- Fixed crash bug iterating through events in script executor (rj)
- Added script RemoveAftertouch (rj)
12.10.2014:
- Reworked the PluginDialog to use a ui file and give more filter possibilities (rj)
- Added [HOME] button to file open dialog (rj)
- Added QMessageBox warning about missing synths (rj)
10.10.2014:
- Don't allow changing the port of a soft synth, it makes no sense (rj)
07.10.2014:
- Changed detection of liblo to make it a strict requirement as the code would not
build without it when DSSI was enabled (rj)
27.09.2014:
- Added QMessageBox warning about missing plugins (rj)
- Ignore undo/redo while recording (rj)
01.09.2014:
- Fix crash reported by LakeIshikawa: Pressing delete while clicking or dragging events or parts. (Tim)
Ignore commands (like del) in each editor's ::cmd() handler if current canvas drag mode is not DRAG_OFF.
- Added Arranger menu item Edit -> Delete, does same thing as pressing delete, either parts or tracks.
- Added new SongChanged flags: SC_PART_SELECTION SC_TRACK_SELECTION, to distinguish from events SC_SELECTION.
- Fixed copy/paste problem: Paste copies not clones, if the original parts/tracks have been deleted.
Added 'bool ClonePart::is_deleted', set/cleared when parts/tracks deleted/added. Checked in Part::readFromXml().
16.06.2014:
- Transformation to non-shared event lists (started by Florian) is virtually complete. (Tim)
Events have an ID now, shared among clone parts.
New: Fast pending operations lists: They replace RT "execute/revert ops stage-2".
- A few more commands support Undo/Redo now, like setting global tempo.
- Handful of (un)related fixes along the way.
29.04.2014:
- Added more hints to DidYouKnow dialog (rj)
- Improved README.txt for share/scripts (rj)
- Improved scripting interface, picks time signature from the start of the
part, with -D argument extra debug info is written and the data file
used for data transfer isn't removed. (rj)
- Added new midi script TempoDelay (rj)
- Improved swedish translation (rj)
- Changed behaviour of selecting midi device for new midi tracks. Now there
is no default set, instead the most recent midi device is selected. Though
if a default midi channel is selected this will take precedence (rj)
-
28.04.2014:
- Fixed issue #350 (rj)
11.01.2014:
- Fix song not 'dirty' on most operations (close was not prompting to save). (Tim)
Added 'emit sigDirty()' at end of Song::executeOperationGroup3() and ::revertOperationGroup3()
if operations list not empty.
10.01.2014:
- Instrument Editor now basically complete: Added Initialization Sequence editor. (Tim)
Initialization sequence sysex's can be entered manually or chosen from pre-defined list
using sysex event editor.
- Sysex event editor now allows selection from pre-defined Instrument Sysex list.
- Revised and edited Roland SD-50.idf by Patrick (split into GM2/nonGM2).
- Fixed GM2.idf file prog numbers wrong.
- MusE now imports GM2 midi files. (Properly selects GM2 instrument.)
- Fixed several build-system ordering problems. Also some code cleanups, tweaks.
06.01.2014:
- Midi instrument can now be changed from midi track info panel. (Tim)
- Some minor code tweaks, code cleanup in mtrackinfo.cpp, confmport.cpp.
06.01.2014:
- Added (and fixed) Roland SD-50 .idf file by Patrick. Needs more work: split in two .idfs (Tim)
- Added GM2 .idf file created by me Tim.
- Fixed a couple of improper "&apos" xml substitutions in xml.cpp
17.10.2013:
- Fixed drag&drop plugins sometimes not working when built with optimize (rj)
10.10.2013:
- Added a visual metronome to Bigtime (rj)
09.10.2013:
- Changed track dragging to move instead of swap (rj)
- Removed projects from 'recent' menu if they no longer exist (rj)
08.10.2013:
- Added line drawing of tempo in graphical master track editor (rj)
- Fixed bug (issue #342 Moving Aux sends crashes muse) (rj)
03.10.2013:
- Added keyboard shortcuts in midi editors for functions, Step record, Midi input,
Play events, Inc/Dec velocity (rj)
28.09.2013:
- Changed default shortcut in PianoRoll for moving to current position from C to I
the former was conflicting with the default global shortcut for metronome (rj)
27.09.2013:
- Changed beat lines to a darker shade (rj)
02.09.2013:
- Display git hash and date in the about box instead of svn revision (Orcan)
- Bumped the year string to 2013 in the about box
01.09.2013:
- Mods/fixes to Midi Input Transformator plugin: (Tim)
Fixed some bugs when reading procVal2Op from song.
'Program' is now allowed 'Event type' selection.
'Toggle' is a new Processing Value#2 Operation. It toggles between Value#1 and Value#2.
This means for example a standard midi foot controller (which only sends program changes)
can now be used to send TOGGLED midi CC values, say back to an effects unit
thus the foot controller becomes like regular 'chained' stomp boxes, operating
upon individual effects.
14.05.2013:
- When midi in is enabled in drum editor the selected track is moved along with
the triggered key (rj)
12.05.2013:
- Fixed bug with playback of drums clicking on notes in the new drum editor,
it was playing the wrong instrument (rj)
08.05.2013:
- Yet another MAJOR audio engine and plugin/synth process chain re-write. (Tim...)
- Track controllers (vol, pan) now sample-accurate.
- Track controllers (vol, pan) slope limited for near-noiseless operation. TODO: User settings.
- Fixed: "Duplicate Selected Tracks" crashes. Also now copies plugins and synths too.
- DSSI + Native VST: Fixed not remembering generic/native GUI pos/size. TODO: DSSI native GUI.
- Fixed regression by flo: Sliders were recording multiple automation points at same value.
- Fixed canvases not remembering position/zoom - everything reopens at exact same pos/zoom now.
- Fixed automatable audio GUI controls 'jumpy' in TOUCH mode if heavy graphics causing slowdowns.
When pressed, any control now truly 'disengages' from competing/intefering controller stream.
- Improved audio automation modes, + READ mode can now be interrupted by GUI or ext control.
- MESS synths (esp Deicsonze): Controls (like Track Info program) and synth controls now mirror
each other, both ways.
- Deicsonze softsynth: Fixed several problems: Not remembering settings + ladspa plugin settings,
midi controllers were in wrong domain - moved to NRPN14 type. TODO: Fix 'biased' midi controllers
like pan and detune etc.
- Native VST: Call idle periodically. Makes some plugins like Glitch work, as per LAD mail.
05.04.2013:
- Change window title when there are unsaved changes (rj)
- Add auto-save feature, when enabled tries to save after 5 minutes
when there has been changes, unless transport is running (rj)
04.04.2013:
- Added pitch control to SimpleDrums, first version (rj)
- Fixed Ctrl+arrows in the arranger so the track list is scrolled (rj)
29.03.2013:
- MusE 2.1.2 released! (rj)
28.03.2013:
- Allow reading old drummaps for new style drumtracks (rj)
- Added metronome icon in main window (rj)
27.03.2013:
- Fixed moving events with keyboard in Drum editor (rj)
10.03.2013:
- Added color settings for: midi events in arranger,wave events in arranger, wave events in wave editor (rj)
05.03.2013:
- Added shortcut printout of tools in tool menu (rj)
03.02.2013:
- Generalized theming somewhat more and added a basic Ardour complementary theme (rj)
28.02.2013:
- Wave Editor: Fixed some painting problems. Optimizations, speed boosts. (Tim)
24.02.2013:
- Improved dark theme, midi editors now set background color, the current part of the ruler is darker.
Theme setting separated from the regular Ok button in the Appearance settings. Also fixed the color
viewer in the color selector when using the dark theme. (rj)
23.02.2013:
- Added missing line draw shortcut (F) to drum editor. (Tim)
22.02.2013:
* New: Install pre-built PDF + single/split HMTL docs. Separate devel docs. Added build script. (Tim)
Build script is /doc/build_docs.sh You'll want to use it or a variant to get the HTML .aux files.
Fixed table in my Appendix in tex file so it works with HTML.
- For now, I've changed F1 help to open PDF, if not found fallback to HTML.
I've #define MUSE_USE_PDF_HELP_FILE in help.cpp. Undefine for HTML only.
May at least need to keep track of viewer process (don't open copies), also try context-sensitive help.
Help opener always been LANG ready (looks for _xx) but this new build script is not 'automatic'.
- TODO: For some reason the generated HTML developer docs contain nonsense. (Unknown formatters?)
- Added new french translation from Yann Collette (rj)
21.02.2013:
- Fixed: Multiple label warnings in the LaTeX doc. Reference and formatting fixes. (Orcan)
- Improved: Table of contents and hyperrefs in te LaTeX doc. (Orcan)
19.02.2013
* MASSIVE FIXES: MANY editor, usability, operation fixes and changes. (Tim...)
- Please see the files README.usage and README.shortcuts for general changes.
- Added: Pan and Zoom tools to editors. P + Z shortcuts. Added a Settings item for alternate behaviour.
- Fixed: MAJOR Canvas class re-writes/simplifications!
- Fixed: ALL auto-scrolling. Was 'drifting' while scrolling. Accuracy is solid now.
- Fixed: Moving/new parts now fit into the tracks they are hovering over.
- Improved: "Velocity per-note" is now per-graph. Also does not cause main window to activate (w/ Robert's new styles).
- Fixed: Pianoroll and Drum Editor 'Snap' boxes not remembering 1st or 3rd columns.
- Fixed: Arranger 'Snap' was not stored or remembered.
- Fixed: Accelerator buttons shift/ctrl/alt for moving/copying/cloning / restricting movement.
- Fixed: Shift key restricting movement: Ignore snap setting now.
- Fixed: Resize shift key ignore snap setting now.
- Fixed: Draw new item shift key ignore snap setting now.
- Fixed: Shift key was not snapping to vertical.
- Fixed/changed: Drum velocity level hot-keys/order. LV3 is default now. Re-ordered all MusE drum maps' LV3/LV4.
- Fixed: Open Wave Editor shortcut changed from Ctrl-W to Ctrl-Y due to ambiguity with MDI 'Close Window'.
- Fixed: ALL 'Speaker' related playing of notes. Works with new notes, moving notes, piano press etc.
- Fixed: ALL 'Speaker' related notes now send true note-offs instead of zero-velocity note-ons.
- Fixed: Drum 'Cursor' mode was playing double notes.
- Fixed: New Drums 'Cursor' mode and instrument up/down movement was broken, jumping all over the place.
- Fixed: Drum 'Cursor' mode was not working if no controller graphs were shown. (Silly error.)
- Improved: Shortcut listings: Added Wave/Score categories. Re-categorized several keys. Updated README.shortcuts
- Fixed: Memory leaks in CtrlEdit class (ownerships).
- Fixed: Drum Editor not saving tool state.
- Improved: Right-click menus expanded. Now also shows 'Tools' menu when clicked on parts.
17.02.2013
- Added patch from Willy Foobar to remove warnings from compilation (rj)
13.02.2013:
* Added basic theme support selection, currently two themes selectable, light and dark (rj)
07.02.2013:
* Feature: choice of new metronome with different sounds and adjustable volume.
Also has additional ticks before each standard tick. The idea is to improve timing.
Still needs some work, especially buggy for large time signatures, e.g. 3/16 (rj)
04.02.2013:
- Fixed gain adjustment with 'Other' choice in wave editor, it was reversed (rj)
02.02.2013:
* Solved: "Old style" Drums: Track channel/port re-enabled, drum list columns default to them. (Tim...)
The drum list port and channel columns are now blank by default until overridden by user.
When blank they default to the track port and channel.
Internally, -1 is now an acceptable value for members DrumMap::port and ::channel, meaning default to track.
All built-in drum maps have been changed, as well as the initial and blank DrumMap structures.
- Since Old Style Drum and New Style Drum had the same icon, and the only way to tell the difference between them
was the port and channel columns, and that difference is now gone, this required some icon and colour changes.
- Fixed Old Style Drum lockup: Certain item channel overrides caused infinite loop in Audio::processMidi().
28.01.2013:
- MusE 2.1.1 released!
- Added setting for default track height (rj)
27.01.2013:
* Feature: Shortcuts dialog modeless + has default global shortcut Ctl+Shift+F1 + "Printable file" button. (Tim)
- Memory leaks! Many widgets and dialogs had no parent and were not deleted! (Tim)
Including several top-level editors such as LMaster, MasterEdit, ListEdit, and WaveEditor!
Created MusE::deleteParentlessDialogs(), call it from MusE::closeEvent() to delete all parentless dialogs:
appearance, metronomeConfig, shortcutConfig, midiSyncConfig, midiFileConfig, globalSettingsConfig,
mitPluginTranspose, midiInputTransform, midiFilterConfig, midiRemoteConfig, midiRhythmGenerator, midiTransformerDialog.
Also moved call of destroy_function_dialogs() into it instead of at end of main. (Consolidation.)
Verified that all destructors were being called.
25.01.2013:
* Feature/fix: Zoom at cursor! Zoom Ctl+PgUp/PgDown (defaults) and Ctl+MouseWheel now zoom about cursor. (Tim)
Eliminated redundant call in ScrollScale::setMag(), by blocking signals.
Consolidated all HorizontalZoomIn and HorizontalZoomOut functions into a single HorizontalZoom.
Added eight more 'quick zoom' levels to class ScrollScale.
Modified all HorizontalZoom functions to pass cursor offset, and use it in ScrollScale::setScale().
19.01.2013:
- Fixed confused controllers on seek with multiple muted/off midi tracks/parts on same port/channel. (Tim)
In MidiDevice::handleSeek(): Re-wrote controller value sending section - fixed obeying mute/off section.
17.01.2013:
- Fixed song length way too big after recorded wave is added. (Tim)
Was a simple regression in Song::cmdAddRecordedWave back when tempo recording was added.
15.01.2013:
- Reinstate old Arranger "Paste to track" (Ctl+Shift+V) and "Paste clone to track" (Ctl+Shift+B). (Tim...)
- Changed default shortcut of Arranger "Paste clone" to Ctl+B.
- Changed default shortcut of Arranger "Paste (show dialog)" to Ctl+G.
- Removed Arranger "Paste clone with dialog". Instead, paste dialog now remembers 'clone' checkbox setting.
- Fixed Pianoroll/Drum Ctl+V paste bug was pasting into other parts: Always paste into current part.
TODO: Score Editor still not working because there never seems to be a current part! Must ask Florian...
- Fixed Pr/Dr Function dialogs bring main window to front: Don't give them a parent, add destroy_function_dialogs().
- Fixed "Duplicate Track" feature: If selected 'copy parts', it was quietly cloning. Re-wrote ASSIGN_PARTS sections.
Now it copies both clone and non-clone parts. Tests OK but needs a good workout. (Maybe push Parts to Undo list?)
TODO: Found C.O.W. bug when de-cloning a part on a duplicated Wave Track - it's still a clone. Investigating...
- Fixed Old-style Drum Editor: Was not playing new notes as they were drawn. Re-wrote a DrumCanvas::newItem(),
and eliminated dynamic_casts.
- Don't play midi parts if track is off.
13.01.2013:
- remote should depend on widgets through #including app.h otherwise Python bindings don't compile (Orcan)
06.01.2013:
- MusE 2.1 released!
03.01.2013:
- Fixed SimpleDrums GUI issues on AVLinux (and supposedly other debian based distros) (rj)
01.01.2013: Happy new year!
- Fixed playback of drumsounds during editing for new type drum editor (rj)
29.12.2012:
- Added clear automation to automation menu
- Changed automation color selection to hopefully make more sense with styles that
don't explicitly show an unchecked visual, color is shown in first menu also and
automation is enabled when color is selected in the color menu (rj)
18.12.2012
- Enable fluidsynth and simpledrums to search for missing sounds in project dir if
the path was missing. (rj)
- Added change-dir to project dir when saving or loading songs, it needs to be
researched a bit if this has any drawbacks. The idea is that if plugins or
whatever wants to write to disk it should happen in the project dir. (rj)
14.12.2012:
- Made simpledrums ask to load another sample if a sample wasn't found during loading (rj)
- when dragging multiple notes in editors they are not played, to avoid hanging notes (rj)
12.12.2012:
- Fixed some vst controls stuck. (Tim)
- Added vst master timebase (sequencers should work now). WIP Not quite finished. (Tim)
- Fixed weird QString bug causing some patch names to appear with garbage characters. (Tim)
11.12.2012:
- Fix native vst path (VST_NATIVE_PATH, VST_PATH, then preset). Also ladspa, dssi paths. Added -help text. (Tim)
10.12.2012:
- Changed versions to rc2
- Changed name of SimpleSynth to original name SimpleDrums, this
does affect loading of songs using SimpleSynth. Open the song file
in a text editor and change the name of all SimpleSynth to SimpleDrums
and all should be ok. (rj)
09.12.2012:
- Fix VST names: Use filename if effect name or product name blank. (Tim)
- Fix bug 3594221: End-to-end midi notes don't retrigger. My bad. (Tim)
In MEvent::sortingWeight(): Note-ons with zero velocity are really note-offs.
08.12.2012:
- Native VST fixes and changes. (Tim)
Redid cmake options. Please do 'prune' and carefully reconfigure.
Fixed track info banks and patch popup list bank issues.
Fixed plugins such as NoizeMaker: Kill harmful redundancies - call getParameter before setParameter.
Fixed crash reloading song with huge-chunk plugin like NoizeMaker: Stack overflow in processEvent().
TODO: Fix all other such sysex stack buffer usages like possibly in DSSI.
07.12.2012:
* Feature: Native VST instruments support. Best results are from compiling with the vst sdk. (Tim)
Featuring: True sample-accurate parameter automation, full native GUI support for TOUCH, WRITE modes.
New cmake options for enabling native vst, enabling true sdk support, and the vst header path.
Plugins environment variable is currently VST_NATIVE_PATH else "/usr/lib/vst:/usr/local/lib/vst".
TODOs: Parameter ranges: fixed at linear 0.0 - 1.0 for now. Program categories.
Dynamic port changes. Plugins correct path and env var? No rack effect plugins yet.
25.11.2012:
- Changed playback of midi in editors to default to on (rj)
21.11.2012:
* Fixed: Markers and synth windows don't open at all on some desktops like Lubuntu. (Tim)
Solution was combination of REMOVAL of fix for "bug: 2811156 Softsynth GUI unclosable..."
(of which said removal BY ITSELF DID NOT FIX this problem) AND removal of some superfluous show()s.
Tested OK with Lubuntu and XFCE (which the original fix was for).
Thanx to knowledgable tester who told us to remove that bugfix.
20.11.2012:
- Fixed audio stuttering loud annoying repeated segments upon seek. (Tim)
Slight readjustment of audio prefetch and midi thread priority (-5 and -1 instead of +1 and +2).
17.11.2012:
* Improved: Deicsonze soft synthesizer: Fixed crash, bugs, added ladspa plugins. (Tim)
TODO: No plugin control automation. Some oddities with log slider/entry ranges. Maybe add delay wet/dry.
* Added: Request from forums: Auto-start Jack upon MusE startup. Command-line disable switch -J added. (Tim)
* "widgets" depend on "instruments". (Orcan)
15.11.2012:
* Improved: Popup menus: Auto-breakup too-wide menus in class PopupMenu. (Tim)
In some cases X/Qt was giving up if too wide AND/OR too many columns, menu would not appear.
Tested OK with Deicsonze track info patch popup, and a synth plugin with > 2000 automation controls.
13.11.2012:
- Fix init of gain for duplicated audiotracks (rj)
12.11.2012:
- Added aftertouch controllers to all relevant remaining instrument files. (Tim)
- Synths: Added aftertouch controller to fluidsynth, and aftertouch/poly-aftertouch to DSSI. (Tim)
11.11.2012:
- Finished Aftertouch controllers: Removed PAfter and CAfter Event types. Quietly convert such
events in old songs into the new controllers. Converted midi input (hopefully). (Tim)
Updated README.instruments.
* Feature: Piano KB and drum list show coloured dots when per-pitch controllers exist or have data. (Tim)
03.11.2012:
* Improved: Instrument Editor (controller tab): Redesigned. Fixed MANY bugs. Should be SOLID now. (Tim)
Two new columns: "Show in midi tracks" and "Show in drum tracks".
* Improved: Midi controller graph 'Ctrl' popup menus now unified (cascading). (Tim)
'Edit Instrument' menu item now takes you right to the instrument and controllers tab.
* Feature request: Aftertouch and PolyAftertouch (channel/key pressure) are true MusE controllers now. (Tim)
Now FULLY supported in controller graphs AND in the improved Instrument Editor / Definition Files.
- Midi controller stuff: Fixed some bugs, added some methods and improvements.
28.10.2012:
* Improved: Eliminated copious unrequired "controller" sections from songs and templates. (Tim)
These controllers such as volume, pan are already always added, so it's useless to store them when "Off".
Added midiport.cpp:defaultManagedMidiController, populated and used in init, also used when saving song
to look up these controllers and ignore them if "Off".
- Eliminated ALL "controller" sections from built-in templates, which were already over-populated.
- Also eliminated ALL "midiport" sections from buit-in templates, so that they don't touch existing setups.
- Also, specifically for the "synth.med", changed synth ports to 198 and 199 so that it is (almost)
guaranteed not to touch existing used ports with the synths.
* Improved: Also, wrote mechanism allowing track port/channel = -1 in templates, so that it uses your
chosen default output port/channel from the midi ports setup dialog. Try midiGM.med template for example.
27.10.2012:
* Improved: Velocity graphs. Icon for showing per-note or all velocities. Also found in Settings. (Tim)
* Improved: Piano KB has current selected note (yellow). For velocity/polyaftertouch/other per-note ctrls. (Tim)
- Bad timing warning now has "don't show again". (Tim)
- Added 'speaker' icon to drum edit. And drum list and piano keyboard now obey the 'speaker' icon. (Tim)
22.10.2012:
- Oops, fixed regression: Re-add default managed controllers to midi ports at Song::clear. (Tim)
- W.I.P. Preparations for Aftertouch and Poly Aftertouch (channel and key pressure) graph editing. (Tim)
21.10.2012:
- Slight changes to midi track info hbank/lbank/program dblclick on/off behaviour. (Tim)
TODO Need to improve by having separate 'last valid hbank/lbank/program' instead of single 'last valid value'.
20.10.2012:
- In MidiEventBase::read() Repair controllers saved with lo byte 0xff. (Tim)
No such control. It was supposed to be 0x00. It's an error caused by a previous bug, fixed now.
19.10.2012:
* Improved: Midi initializations. New settings options, can be 'quiet'. Complete rewrite of initializations coding. (Tim)
* Improved: Midi controller graphs: Control selector 'S' popup now stay-open, AND NOW with multi-coloured dots:
Blank: Controller has no current 'manual' value (it is 'Off'), and no stored automation values.
Blue: Controller has a current 'manual' value (it is not 'Off'), but no stored automation values.
Green: Controller has no current 'manual' value, but does have stored automation values.
Gold: Controller has a current 'manual' value AND has stored automation values.
Bonus! Pianoroll and drum edit 'Ctrl' buttons ALSO now popup this very same menu. No more clumsy
adding of controllers - now just hold the ctrl key and select away and... "bing bing bing 1 2 3". (Tim)
* Improved: 'Old' drum track 'drum controllers' display and operation: Fixed several problems: Incorrect mapping to drum map etc. (Tim)
Now if more than one drum is pointing to the same 'anote', the others are overlaid as grey slivers. (TODO Not quite done.)
TODO: Although THESE "drum controllers" are improved, there are conceptual problems with NON-drum controllers old drum map:
If a NON-drum controller such as pan is adjusted, what then? If the drum map contains more than one port/channel/anote
it should be sent to ALL of them BUT we would like a 'track override' which when turned off, 'pan' could be locally
adjusted for EACH drum having different ports/channels/anotes. (So in theory drum track channel should be reinstated.)
09.10.2012:
- Fixed old fluidsynth bug: Drum patch numbers incorrect. (Tim)
Confusion due to special fluidsynth drum bank = 129. Changed FluidSynth::getFirstPatch,
::getNextPatch, and CTRL_PROGRAM section of ::setController.
- Midi track info patches popup menu: Don't display category if empty. (Tim)
08.10.2012:
* !!! Song type is now removed !!! : (Tim)
TODO: Instrument init sequences. Need some kind of editor. Need timing mechanism while in 'stop' mode.
Was thinking these events should be in FRAMES or real time - not affected by tempo. Jack slow sync
callback might help. (Also try to re-enable metronome precount - similar concept here!)
* Improved: Multi-port (aka multi-channel) midi import and export, via Device Name, Port, or Instrument metas. (Tim)
- MusE can now export a midi file and re-import exactly as it was, all ports + devices + instruments incl.
- Extra options for import/export added.
- Import midi now passes 'unabsorbed' meta events on to the track. They were discarded before - lost forever.
- Solved: Export midi now stores an instrument's Init sequence, instead of the old song type sysexes.
- MPEventList now has highly customized same-time sorting, helps 'cement' import/export events in place, such
as controllers or program changes before notes, instrument metas before mode sysexes. (EventList NOT done.)
- Old bug: Fixed superfluous NULLS in meta texts in midi export.
- Old bug, annoying: Midi Import: parts are too short and 'events past end' indicator is on.
- TODO: Bug: Deicsonze: Midi track info patch popup: Screen all black until esc or click.
04.10.2012:
- Added Gain knob on channel strip for audio tracks (rj)
- Added descriptive tooltips for midi parameters in midi track info (rj)
03.10.2012:
- Changed WaveTrack and AudioInput to create mono tracks, AudioInputs
are also no longer muted upon creation (rj)
02.10.2012:
- Added descriptive tooltip to cursor mode in drum editor (rj)
01.10.2012:
- Fixed Step shortcuts 0,9 in drum editor so they actually update
the step size and fixed update of controller view when stepping
up and down (rj)
30.09.2012:
- Added part creation from wave editor - to make this really usable
more functions to set tempo etc, are needed (rj)
- Fixed name length of Aux ports and added index (rj)
- Fixed issue with moving aux:es in the track list causing the auxes
to be mixed up (rj)
29.09.2012:
- Added handling of missing soundfonts in fluidsynth load so
a dialog asking for replacement soundfont pops up (rj)
17.09.2012:
* Introducing: Copy On Write for waves. (Tim)
It asks to copy, to the Project Directory, any wave to be modified which is either
not writable or is shared with another independent (non-clone) wave event.
TODO: Improve by asking even for writable waves outside the Project Directory
(add a 'copy' checkbox column to the dialog, settable only under certain conditions).
* Added: Informative text on Undo/Redo buttons/menu text/tooltips ("Undo AddTrack" etc). (Tim)
In cases of multiple items in one operation, the first is shown, with ", .." ("Undo AddTrack, ..").
16.09.2012:
- Fixed allocation error with drag&drop of plugins (rj)
- Fixed close menu alternative in Instrument editor (rj)
- Changed Aux name on strips to reflect the actual Aux strip name (rj)
- Fixed CR:3567893 Play Event on note creation (rj)
- Removed 'fluid' from the list of built synths, it is inferior to fluidsynth
and causes confusion (rj)
09.09.2012:
- Added instructions on how to record audio with MusE to the new manual (rj)
08.09.2012:
- Follow up to Improved Wave Editor: Added Edit -> Adjust Wave Offset. Helps compensate for latency. (Tim)
FIXME: Respect clones! If operating on two selected clones of the same part, an extra event is created.
May not be this code's problem but seems like it, other operations like moving an event seem OK.
07.09.2012:
- Bug 3555569, 3555572: New informative ERROR, WARNING and HINT messages in cmake build script. (Tim)
Also, detect and report missing Doxygen executable.
06.09.2012:
- Bug 3555581: No synths listed in Edit menu: main.cpp: Move initMidiSynth() ahead of MusE. (Tim)
- Unrelated simple change: Privatize Arranger::parentWin. (Tim)
- Feature request 3565102: FLAC audio file import. (Tim)
04.09.2012:
- Fix for forum topic "Ordering of simultaneous events". (Tim)
Methods EventList::add() and ::move() now sort all same-time notes AFTER controllers.
03.09.2012: summer sleep is over! plugins can now be grouped (flo)
14.08.2012:
* Introducing: Improved Wave Editor. (Tim)
Class WaveView is replaced by WaveCanvas.
Wave Events can be selected, added, moved and deleted.
TODO: Bunch o' stuff, but currently it should be as good or better than the old editor.
04.08.2012:
* Introducing: More bits for Song Changed SC_* flags. (Tim)
Added MusECore::SongChangedFlags_t (in new type_defs.h file). Declared as int64 type.
All Song Changed parameters, handlers, connections, calls, colateral operations etc. now use
this new SongChangedFlags_t.
All the handlers are now ready for the code bodies to accept any extra flags, devs need not
do anything more than define new SC_* flags and write support inside the handlers.
Please beware these possible extra flags when writing songChanged handlers and setting updateFlags.
04.08.2012:
- Optimizations: Added Master::songChanged and ArrangerView::songChanged to filter some SCs. (Tim)
01.08.2012:
- Finished the Sysex Editor in the Instrument Editor. (Tim)
Create, delete, save named instrument sysexes. Does nothing more than that for now.
29.07.2012:
- Tweaked drum editor zooming to give correct initial zoom (rj)
12.07.2012:
- Fixed controllers go wacky after moving effects rack plugins up/down. My bad! (Tim)
Rewrote CtrlList::operator= and several others. Tested OK.
- Also fixed existing problem: After moving rack plugins up/down, graphs disappear. (Tim)
Simple oversight in AudioTrack::swapControllerIDX: New members 'color', 'visible',
and 'don't show' weren't being copied.
- Documentation: Some contributions to the documentation.tex file. (Tim)
08.07.2012:
- Changed naming convention for recorded wave files to include track name and it's
take number. (rj)
- added a warning dialog for the delete track key shortcut. (rj)
- Use cmake's own FindPythonLibs module instead of pkgconfig to detect Python (Orcan)
06.07.2012:
- Updated Czech translation from Pavel Fric (rj)
- Some strings that were not translatable are now (as reported by Pavel Fric) (rj)
- Updated translation files, and started completing swedish translation a bit (rj)
- increased zoom range in arranger, reversed zoom in wave editor (rj)
04.07.2012:
- added inc/dec tick for events in the list editor (rj)
03.07.2012:
- Fixed new drum parts disappear as sson as they're drawn. (Tim)
30.06.2012:
=======================================
* 2.0 tagged (rj)
=======================================
- Emergency crash fix: In automation popup midi control 'Clear' item. (Tim)
Cannot delete any actions from menu due to recent December PopupMenu fixes.
29.06.2012:
- Fixed file dialog: disable 'read configuration' for midi files. (Tim)
- Updated swedish translation (rj)
- reworked the REC button somewhat (rj)
28.06.2012:
- External sync fixes: Now have user-selectable of clock filtering and quantization. (Tim)
- Fixed clicking tempo master does not update wave parts. Allow SC_MASTER to call canvas->partsChanged. (Tim)
- Fixed problems with recorded wave part and event sizes, and 'past end' indicator. (Tim)
- Don't resize or destroy wave events upon part resize. (Tim)
- Init support for controlling midi engine from Jack timebase master. Completely disabled for now. (Tim)
26.06.2012:
- Added updated Czech translation from Pavel Fric[pavelfric@seznam.cz] (rj)
23.06.2012:
- automation graphs: deletion with middle-click, fixed automation (flo93)
editing.
18.06.2012:
- Removed printouts about no longer supported VST implementation,
use DSSI implementation instead (rj)
- Some preparations for 2.0 (rj)
16.06.2012:
- MusE as Jack Timebase master: Corrected ticks_per_beat and bar_start_tick fields. (Tim)
- Fixed bug by Geoff B and Flo: Changing a midi port device: We are only interested in altering
tracks using the port being changed in the midi port list. And don't change channel. (Tim)
15.06.2012:
* Sync fix: MusE now records tempo changes from externally clocked midi. (Tim)
Still experimental but non-intrusive: You will be asked at the end of recording if you
want to transfer the recorded tempos to the master tempo graph.
Tested OK so far with ALSA and Jack midi. Best results ATM may be when recording from
position 0, not 'continuing' a recording or skipping 'fwd' or 'rew'.
TODO: Record Jack timebase changes! Find patch someone sent years ago, likely still useful...
11.06.2012:
- Finally! Audio controller playback has smooooth frame resolution even with large audio buffers. (Tim)
CtrlList::value() now accepts a nextFrame*, filled with next event frame, which the
plugin and dssi process use to determine the run sizes.
Bonus! This processing is now guaranteed to be ALIGNED with user's chosen minimum control processing
period in Settings. Before, it was occasionally going to 1, 2, 4 frame runs etc., was not good.
TODO: Sorry, track audio/pan have no 'variable run length' support yet. Choppy with large buffers.
Tip: If a ping-pong effect is desired, try a plugin for now!
- Increased default minimum controller period from 64 to 256. Tests showed 256 is just fine, smooth.
10.06.2012:
- Add midi-to-audio control popups to right-click automation menus. (Tim)
- Track list audio automation popup now can stay open, for colour and 'clear' items. (Tim)
08.06.2012:
* Merge: From branch r2_0_extra. (Tim)
- More automation fixes. In AudioTrack::processAutomationEvents, optimize integer, bool,
discrete controller types to avoid multiple dots on flat straight-line graph segments. (Tim)
- Replaced Song::controllerChange() with a lower-level
CtrlList::guiUpdatePending()/clearGuiUpdatePending(). Checked and cleared in
Song::beat() at the nice slow heartbeat rate instead of direct calls to QWidget::update().
This means ALL controls should update their graphs now, and at a more reasonable rate. (Tim)
- ARVT_STOP automation events are also recorded now
- When clicking sliders in the plugin's native GUIs or the
mixer with SHIFT held down, straight lines are drawn (no
intermediate control points are recorded)
TODO: does not yet work for muse-native, but customized GUIs (flo)
07.06.2012:
- More automation fixes. (Tim)
06.06.2012:
- Another midi-to-audio mapper classes rewrite. (Tim)
05.06.2012:
- Rewrote midi-to-audio control mapper classes. (Tim...)
- Added save and load midi-to-audio settings.
- Remap or remove mappers when rack items moved or removed.
04.06.2012:
- Side branch r2_0_extra, copied from release_2_0:
* Feature: Midi control of audio parameters. (Tim)
- More important timing, accuracy fixes.
03.06.2012:
- Merged documentation from local source to repository LaTeX document, 80% done (rj)
27.05.2012:
* Timing, resolution, accuracy, and automation fixes: (Tim)
- Ask audio driver for 'its' current system time instead of wallclock in utils.cpp:curTime().
Reason: Jack's clock source can be wallclock, cycle counter, HPET etc.
TODO: Try more Jack time functions for accuracy in Audio::framesSinceCycleStart etc.
- Fixed automation 'manual' slider values: Update them from automation values at the current time
when switching to automation OFF. After some recent changes by me, the 'manual' values were
left 'independent' of the automation values. While this had interesting effects, the value
would 'jump' back to the manual value when switching to OFF, which became disconcerting.
The best solution, in muse_evolution (from where I adopted the previous changes), was to
continuously update the manual values during process, but there may be too many controllers,
so this was the other lesser option.
- All audio/plugin GENERIC gui controls now record their automation at FRAME resolution.
Previously the timestamps were ticks converted to frames (lossy). Now they are true frames.
This means these recorded graphs can be much denser with vertices now, if needed.
- Querying of plugin controller values in DssiSynthIF::getData, PluginI::apply, and volume/pan
controllers in AudioTrack::copyData/addData is now done at a more proper and accurate
frame time instead of wallclock-based queries via AudioTrack::volume/pan/pluginCtrlVal.
(Sorry, this does not mean frame accuracy on playback yet.)
- Menu 'Take automation snapshot' now operates with frame resolution. Added a warning message as well.
- Menu 'Clear automation' enabled and implemented. Added a warning message as well.
- DSSI synths: Fixed errors with Pitch controller on playback. Removed AND'ing of 0x3FFF in
CTRL_PITCH section of DssiSynthIF::processEvent.
20.05.2012:
- MusE can now compile with clang/llvm via -DCMAKE_CXX_COMPILER=clang++ flag to cmake. (Orcan)
- Update some URLs in README. (Orcan)
18.05.2012:
- Added Czech translation by Pavel Fric[pavelfric@seznam.cz] (rj)
- fixed native GUIs not updating (flo93)
- removed _guiUpdate{Program,Control[]}
- OscIF now stores the native GUI's state
- OscIF doesn't send control changes if they don't differ from the
native GUI's state (until enforced)
08.05.2012:
- ladspa/dssi/simplesynth controls: Fixed logarithmic defaults. (Tim)
Use log not log10 in plugin.cpp:ladspaDefaultValue().
- ladspa/dssi/simplesynth controls: A better default than 1.0 if none found, compute from upper/lower. (Tim)
In plugin.cpp:ladspaDefaultValue(). TODO: simplesynth controls still wrong.
- ladspa: TAP Reverberator built-in MusE GUI: Fixed wet/dry infinity display "---". (Tim)
Added DoubleLabel 'offValue' Qt property. Set in file 2142.ui
07.05.2012:
- DSSI: Fixed second of two crashes when operating controls while playing notes. (Tim)
Just ignore rare out-of-order events.
06.05.2012:
- Added automation right-click remove point and printout with current value, also started
working towards editing multiple points (rj)
- Fixed crash bug in pianoroll when using arrow keys on an empty part (rj)
- DSSI: Fixed one of two crashes when operating controls while playing notes. WIP on other (rarer) crash. (Tim)
05.05.2012:
* Updated .ts translation files in repository. Updated with -no-obsolete to
trim away lots of unused strings (rj)
04.05.2012:
*Added: -A switch: "Force inclusion of ALSA midi even if using Jack". (Tim...)
- Fixed intermittent Jack crash at startup with jack <= 1.9.8. Fixed in Jack 1.9.9
- Rearranged main.cpp, moved a few init items into it from app.cpp
- Fixed "Jack calling while audio disconnected" errors at startup.
- Fixed LASH leak: Added lash_args_destroy().
- Fixed icons leak: Destroy all icons.
- Fixed function dialogs leak: Created with NULL parent.
- Removed QApplication::setColorSpec() call. Caused "pixmap is not an X11 class pixmap" errors.
- Fixed style changing problems (transparent MDI windows, other artifacts). Requires restart!
03.05.2012:
- Fixed crash bug with coloring of iR button on aux strip (it does not have one) (rj)
24.04.2012:
- Changed automation drawing in arranger to be more forgiving
shift no longer needed and it's not needed to be too close
to the line. TODO: some cleanup (rj)
23.04.2012:
- Global Settings: Start song: Changed to allow other templates. (Tim)
* Please revisit this setting or start with clean config so MusE can
initialize the box with the global default.med file.
22.04.2012:
- Duplicate Tracks: Fixed routing bug. (Tim)
In tracks' ::internal_assign(), don't call msgAddRoute, push_back the route node,
because caller later calls msgAddTrack which 'mirrors' that single routing node.
Exception: Audio Input and Output still need to call msgAddRoute which connects to Jack.
May still cause audio processing problems ?
- Added colorhints to iR and oR routing buttons (rj)
21.04.2012:
- Templates: File dialog: Added 'read Midi Port Configuration' box. (Tim)
- File dialog: Unset 'read Midi Port Configuration' box for Global folder, set for others. (Tim)
- File dialog: Made side bar buttons auto-exclusive. Some fixes, cleanups. (Tim)
19.04.2012:
- Reverted yesterdays description change, now shows label again (rj)
- Added tooltips to trackInfo which shows additional info for synths (rj)
- Fixed focus for tempo and signature widgets and patch selector in midi track info (rj)
- Fixed RJ's focus fixes. Now tempo/sig toolbar has proper Smart Focus and works in all related windows. (Tim)
- Removed Smart Focus restart requirement in Settings. Rewrote some silly signal connects. (Tim)
18.04.2012:
- Prefer native GUI for plugins when double clicking in the rack (rj)
- Prefer description instead of label in synth name in track list, it's more descriptive (rj)
- Grayed out "copy plugins" in duplicate track dialog since it's not finished (rj)
17.04.2012:
- Added gcc4.7 patch from Matthias Klose <doko@debian.org> (rj)
- Added -Werror=format-security from Alessio Treglia <alessio@debian.org> (rj)
16.04.2012:
- Fixed some bugs in swedish translation (rj)
14.04.2012:
- Optimize some QByteArray usages and use length() instead of taking strlen(). (Tim)
12.04.2012:
- Add new 'type' column to LADSPA browser, add tooltips to AO, AI CO, CI, IP, ID columns. (Tim)
09.04.2012:
- Feature request: Allow loading of DSSI synths (those with a run*_synth* function) in LADSPA browser. (Tim)
07.04.2012:
- Fixed bug with drawing of song position toolbar (rj)
25.03.2012:
- Added "beautifying" frame to the song position toolbar, hope that looks nicer
for all :) (rj)
24.03.2012:
- Fixed memory leaks in the undo system. Removed unused ModifyTrack action (flo93)
- Swapped usage of oPart and nPart in the undo system. this was completely
braindead: oPart was assigned the nPart_-ctor-parameter and vice versa (flo93)
- Removed unused UndoOp-ctors (flo93)
- Code cleanups in undo.cpp (flo93)
- changed some sharing-menu-debug-messages from debugMsg to heavyDebugMsg (flo93)
- added a copy-ctor to Part which increases the eventlist's refcounter (flo93)
- NPart stores serial number (flo93)
- Changed locale loading to use system setting instead of keyboard setting (rj)
23.03.2012:
- Changed file loading to use .toLocal8Bit instead of .toAscii seems to
fix issues to load files with local chars like åäö in the name (rj)
- Fixed invalid reads/writes/deletes when having the cliplist editor open:
there was a funny mixture of reference-counting smartpointers and normal,
"dumb" pointers, and some pieces of the code relies on the smartpointers
to delete stuff automatically (which was correct), other pieces just deleted
stuff, regardless of the refcount.
now everything using SndFile uses refcounting. HOWEVER this created a MEMORY
LEAK: when recording to a wave track (this creates a SndFile, refcount=1),
then undoing this (this doesn't delete, but only stashes away the part and
so the smart pointer), then opening a new song (this doesn't delete the stashed
away part and so the smart pointer, so refcount never drops to zero) the SndFile
is never deleted. (flo93)
- Made the DidYouKnow dialog actually work, add lines to share/didyouknow.txt (rj)
20.03.2012:
- arranger's part canvas now doesn't display thin slivers for
parts of hidden tracks (flo93)
- Header::write/readStatus now uses the save/restoreState functions,
simplifying the code and storing column widths as well (flo93)
- removed unused and non-working updateTListHeader function (flo93)
- PixmapButton (red LEDs, and Delta Mode): Eat up context menu events. (Tim)
- Class SpinBox, DoubleSpinBox, Dentry: Change to consistent "ctrl-double-click on/off". (Tim)
19.03.2012:
- column state is now stored into the global config, not
into the song file (flo93)
- Song load: Arranger MDI window: Fixed size restoration. (Tim)
In TopWin::readStatus(), if mdisubwin is maximized, restore it before setting pos and height.
- Changed reporting of bad timing a bit to possibly make it clearer what the problem is
and what to do about it (rj)
18.03.2012:
- Delta/absolute mode button: Improved behaviour. (Tim)
- Transport and NoteInfo toolbar positional editors: Fixed not updating when tempo or sig changed. (Tim)
In PosEdit::setValue(), checking different value is not enough. Must check whether resultant msf or mbt values changed.
TODO: updateValue() is now public so it can be called externally but it is not used yet - make NoteInfo and Transport
use it instead of setValue().
17.03.2012:
- Custom columns can now either affect tick0 or song->cpos() (flo)
- hopefully fixed a bug in the custom columns dialog (flo)
16.03.2012:
- Custom columns now send their controller changes to the device
automatically if appropriate (flo)
- Drum editor: Added missing multiple-note editing. (Tim...)
- Midi editors: Don't allow notes to be added before part. (Caused crash in Drum editor, odd behaviour in Pianoroll.)
- Midi editors: Added "Delta Mode" button to Note Info toolbar.
- Code cleanups in Pianoroll, Drum editor.
15.03.2012:
- Updated swedish translation with help from Cristian Ramos (rj)
10.03.2012:
- Track routing: Fixed duplicate routes: Reverted usage of operation group in Song::addTrack. (Tim)
- Templates: Default routing: Restored default Jack out/in routes in audio.med, synti.med, default.med, monorecord.med. (Tim)
- Switch from LIB_PATH_SUFFIX to LIB_SUFFIX, and from CMAKE_INSTALL_LIBDIR to LIB_INSTALL_DIR in CMakeLists.txt. Still fall
back to CMAKE_INSTALL_LIBDIR if it is specified explicitly instead of LIB_INSTALL_DIR. (Orcan)
- Fix cmake warning in simpledrums when CMAKE_BUILD_TYPE is not set. (Orcan)
09.03.2012:
- Track list: Popup editors: Pre-select text. (Tim)
- Track list channel popup editor: Eat up dbl-clcks if already open. Caused pseudo 'wrapping' if disabled arrows dbl-clicked. (Tim)
08.03.2012:
* Comprehensive focus fixes: (Tim...)
* New: Gui behaviour option: "Smart Focus": All toolbar boxes give focus back to respective canvases.
(Most boxes except Score Velo On/Off changed to StrongFocus, for non-focused wheel support.)
- Focusing + tabbing fixes: Exclusions, tightening of tab sequences.
- !! Most spinboxes now wait until return pressed !! For example the Song Length box.
- PianoRoll toolbar: Fixed auto-repeats - optimized NoteInfo::setDeltaMode().
- Midi boxes: Fixed Ctrl-click on/off.
- Master Editor: Fixed can't edit if not enabled. Also Transport sig box.
- TracK Info panel: Fixed Scrolling. TODO: Make step sizes reasonable, same as Pianoroll ScrollBox.
TODO: Scroll when tabbing among the Track Info controls !
- Track List key handling: Fixed TList::moveSelection().
- Visible Tracks: Drums and Synths: Fixed Track::isVisible().
- Track List, and Master Editor: Fixed popup editors. Sizing fixes. Use no frames.
- Event List Editor: Fixed not updating when parts modified.
- Pianoroll and Drum Editor: Fixed not updating sometimes ex. moving part past end of song.
(Was returning prematurely from songChanged() coding if they got SC_SOLO.)
23.02.2012:
- Compile fix in pyapi.cpp (Orcan)
- Don't optimize debug builds of simpledrums (Orcan)
14.02.2012:
- added customizable columns to the arranger (flo93)
13.02.2012:
- CMake build system: Added cached variable LIB_PATH_SUFFIX, may be set to 64 so that installed library path is lib64 or whatever. (Tim)
12.02.2012:
- Midi: Force events in play event list to be sent when playing, even if redundant. TODO: Fix sending controllers during seek. (By Tim...)
- Midi revert: MidiPort::setMidiDevice(): Send controllers in song to synths. Synths were not restoring vol for ex. My old bad.
- Fluid: Fixed pitch input: Add 8192.
- Fluid + Fluidsynth + SimpleDrums: ::processEvent(): Don't return true for controllers (why?). Was causing multiple send attempts.
- SimpleDrums: Fixed too-short plugin chooser: In ctor SS_PluginGui rem'd a couple of height-fixing lines. Hm, FIXME - was OK before.
- Midi ports config window: Allow default output channel column to unselect all channels ie. no default output channels at all.
31.01.2012:
- Jack Midi: Added missing midi sync output functions start/stop/SPP etc. (By Tim...)
TODO: Give its own clock, currently it's driven by ALSA clock. TODO: ALSA clock out seems badly broken.
- Jack Midi: Fixed Song Position Pointer sync input larger than 10 bars.
- ALSA: Seek sends wrong CCs. putMidiEvent() not respecting CTRL_PROGRAM and CTRL_PITCH. (Thanks to Dennis Schulmeister).
- Routing popup: Fixed crash with empty ports.
- Jack Midi: Fixed crashes/lockups when 'Use Jack Transport' off. Completely re-wrote Jack dummy tranport sync to behave like Jack.
- Midi:Increased MIDI_FIFO_SIZE to 4096 and MIDI_REC_FIFO_SIZE to 256.
- Midi: Sustain: Fixed inhibit/re-enable on stop/play. Also added during seek to quiet things down.
- Midi: Don't send controllers during seek if part or track muted or off.
- Midi: Send controllers during seek only if a change occurred - but force sending if at position 0, or value exists at current position.
- ALSA Revert: Removed recent MidiAlsaDevice::playEventFifo. Hm, too cautious?
- Midi sync: Removed redundant and too-early 'continue' commands. Audio::startRolling already properly does this when sync 'ready to roll'.
- Midi: Fixed timing error. MEvent::operator<() Put same-time note-ons after controllers so that program comes before notes! (For example).
- Jack Midi: Fixed timing error: Reserve multi-events at same frame-time, NOT at successive frames. (Otherwise nightmare to sort stuff.)
- Midi Revert: Re-installed ALSA sequencer thread SEQM_SEEK and SEQM_STOP, and revert code to call them from audio thread.
TODO: Option "Don't use ALSA midi". Midi thread gets in the way of Jack. But ironically ALSA + long-period Audio timing currently best!
- Midi sync: Song saving: Fixed slight typo saving MMC sync: Was using MRT not MMC.
26.01.2012:
- Fixed crash with drag/drop copying plugins when their gui was open (rj)
- Fixed mid clicking to change aux value (rj)
25.01.2012:
- Fixed some focus stealing that prevented shortcuts from working for Snap dialog and Plugin rack (rj)
24.01.2012:
- Removed QT_USE_QTNSPLUGIN from CMakeLists.txt (rj)
15.01.2012:
- Added instrument definitions for "KORG microSTATION" sent
in by Marko Nikolic (flo)
14.01.2012:
- Added "write topwin state" checkbox (flo)
12.01.2012:
- Added Czech translation from Pavel Fric (rj)
11.01.2012:
- Complain more if timing source isn't good enough (rj)
10.01.2012:
- Store default style so we can do an immediate recall when setting 'keep system style' (rj)
07.01.2012:
- Added choice to keep system GUI style (rj)
07.01.2012:
- Fixed compile errors if not configured for OSC or DSSI. (Tim)
07.01.2012:
- MusE 2.0 release candidate 2 released (rj)
06.01.2012:
- added super-glue feature (flo)
03.01.2012:
- ADDED NEW STYLE DRUM TRACKS: (flo93)
multiple tracks can be displayed in one editor
their drum sound columns can be reordered, mixed up, hidden.
drumtracks can be grouped by channel, not at all, or maximally
each track owns its own drummap
added drummap-definitions to instrument files (gs and xg.idf)
drumtracks' drummap can be automatically set according to
the currently used patch/program/bank
new-style-drumtracks can ignore muted, hidden or both sounds when
recording
KNOWN ISSUES: when having multiple drumeditors open, the mute-column
may not work, because another editor is overriding this.
this is not a bug.
- Global Cut: Fixed crashes with markers. Re-did marker section in structure.cpp:adjustGlobalLists(). (Tim)
TODO: Still get tempo, key, and sig not found warnings.
02.01.2012:
- Fixed drag and drop cloning parts - bad reference count in PartCanvas::moveItem(). (Tim)
- File Open dialog: Start with song data and configuration.
- Don't auto-open ALSA Midi Through device. Fixes "midi write error: Resource temporarily unavailable".
31.12.2011:
- 'Duplicate tracks' route copying now works, including Audio Input/Output Jack routes. (Tim)
30.12.2011:
- Added 'Duplicate tracks' Edit action, and dialog. Post-cleanups. TODO: Copy plugins, fix copying parts. (Tim)
Class Track, and some of it descendants, have fixed copy constructors, and a new assign() method.
Tested copy constructors and the new assign() method using the new duplicate tracks feature: Good so far, + undo/redo.
- Fixed compile errors when configured without OSC. Tested OK. Reported by Philippe Macaire. (Tim)
27.12.2011:
- Fixed some undo/redo/close crashes. TODO Global cut crashes from null Marker. (Tim. All marked p4.0.46)
Fixed some issues with track list and popup 'name edit' and 'channel spinbox'. Added to audio tracks.
REPLACED Undo type ModifyTrack: Two simpler 'ModifyTrackName', 'ModifyTrackChannels' type/struct/functions.
Some work was done in undo/redo and a couple of slight apparent leaks were fixed in evdata.h
21.12.2011:
- Fixed some mixer issues: Very slow updating with large mixer when setting visible tracks for example: Set and check
Style() object name in MusE::loadTheme() so that slow mixer ScrollArea::viewportEvent() is not called every time. (Tim...)
Split strips and amixer into configChanged() and songChanged() handling. Do not fully rebuild mixers upon configChanged().
Fixed mixer windows raising above others, even briefly: Do not raise mixer windows in MusE::focusInEvent().
- Fixed bigtime leak: Not destroyed. Give it a parent in MusE::showBigtime().
20.12.2011:
- Little break for some polish. Route button icons. Rebuild midi track info ui file - was 3 columns not 2. (Tim)
* Fixed: Hopefully, finally: Non-appearing track info scroll bar. (Tim)
Simple movement of recursive call of sb->setVisible() to end of TLLayout::setGeometry().
- Audio strip prefader now controls audio. (Tim)
18.12.2011:
* Fixed: Annoying ladspa browser issues. Leak: Dialog was not destroyed. Sorting. Save complete state. (Tim)
17.12.2011:
- Fixed long-time graphics corruption issue: Large areas of desktop erased to background. (Tim...)
Fixed class RoutePopupMenu. Now a subclass of PopupMenu. Changed all usages to 'short-lived' ::exe(),
no more single 'long-life' pointer in class MusE. That should allow multiple instances, using ::popup().
Also fixed class PopupMenu. Tested all submenu and item destructors - OK, everything destroyed on close.
- Fixed TList::ColorMenu parenting. Pass it a parent from TList::mousePressEvent.
- If Jack is running but no Jack midi devices were found at start, auto-fill with ALSA just to give something.
* Fixed: Some relief from mixer strip and midi track info bloated size. (Tim)
Changed default strip font size from 8 to 7. Changed icon sizing - just let strip layout do its thing, instead of forcing size.
Changed default style sheet to blank. Was causing problems with track info font size.
Fixed mixer: Rebuild mixer upon config font changes.
Re-arranged some font usages. Updated descriptive tooltips on font entry boxes.
Re-claimed font#5 as a 'small bold' font for things like markers.
16.12.2011:
* New: Midi routing matrix! No more clumsy routing menu items. Currently for Midi Track iR and Audio Input iR solo routes. (Tim)
14.12.2011:
- Corrected FSF address in ladspa.h and vam/COPYING. (Orcan)
12.12.2011:
* Improved: Midi ports list now fills automatically at start. (Marked as p4.0.41 Tim...)
An effort to help new users and others. If auto-filling the mid ports proves too much or unpopular, a simple change
will keep them out of the list, yet still auto-create and auto-connect Jack midi devices, which is still better than before.
Even if and when 'set and forget' configuration is added, this initial filling step may be welcome for new users.
NOTE: Virtually impossible to 'auto-pair' together Jack midi inputs and outputs. But I'm working on it, some code in there...
- When opening a song, choosing only 'Song data', without configuration, now does not upset the midi configuration at all,
yet controller data was attempted to be kept - may need to remove that effort.
- Moved start song loading into main.cpp, with helper in app.cpp. Disabled Florian's 'hackish loader', may be fixed now - TO BE TESTED!.
- List only writeable ports in track list output port column and midi track info combo box.
- Jack midi devices now save an additional required rwFlags xml tag.
- ALSA Midi fixes: (Un)subscription errors. Delete our simple port! Unsubscribe from announce port. Ignore SND_SEQ_PORT_CAP_NO_EXPORT
ports like 'qjackctrl' or 'port'. TODO: Possibly auto-assign newly discovered devices to available midi ports, in alsaScanMidiPorts().
- Hack: "Midi Through" ALSA and Jack devices pushed to end of list, and list sorted, so useful outputs appear first.
- Stopped our own ALSA client from appearing as Jack midi alsa_pcm device.
10.12.2011:
- More improvements to project save dialog. And tries to suggest parent folder if saving existing project. (Tim...)
- Midi ports dialog: Auto dis/connect the stated default channels when selecting a device.
09.12.2011:
- Fixed popup menu behaviour with (nonstandard!) checkable submenus (flo)
- Fixed wrong START_DRAG when clicking on popup-columns (flo)
06.12.2011:
- Fixed drawing of logarithmic values (god how I hate these conversions!..!$%) hopefully...
should be improved by precalulating max and min values (rj)
05.12.2011:
- Complete Spanish translation from Cristian Ramos (rj)
03.12.2011:
* Improved: Project save dialog: Now has quick save as Template. Separate project/result paths shown. Editable project folder. (Tim...)
* Added: Project directory in global settings dialog.
* Added: Untitled project unique names.
- Fixed bug saving compressed files with spaces in name, in filedialog.cpp fileOpen().
More work in progress...
02.12.2011:
* Added: Project creation dialog now has file type combobox (.med, .med.gz, .med.bz2) (Tim)
* Fixed: Remaining bugs with Header saving and loading (ex track, drum list header). (Tim)
Made two slight fixes in Header::writeStatus and readStatus. Tested thoroughly OK.
01.12.2011:
- Removed global settings User Instruments dir. Now fixed to muse config. Support for old files included. (Tim...)
- Changed: In File Dialog, 'User' initial prepend path changed to muse ./config path. So user files + templates are shown.
- Fixed: Template directory changed from /home/templates to muse config directory. Support for old files included.
- Moved QSocketNotifier from Audio::Audio into MusE::MusE.
- Fixed mixer and main geometry restoration. Moved ahead of doReadGlobalConfig check.
- Work In Progress! More to follow...
28.11.2011:
*Fixed: DSSI synth audio inputs. This means dssi vocoders, samplers etc. should work now. (Tim...)
*Re-write: Fixed audio mixing, meter processing. Audio, and meters, for all mono <-> stereo route combinations work sensibly now.
- Do not apply the track pan or volume to extra synth channels above 2.
- (Re-)fixed valgrind 'invalid read size' in node.cpp, my very-old bad. Moved temp stack buffers to top. (Thnx to Flo)
- Window titles of ladspa and dssi plugins now have track name prefix to help identify them.
- Added "Unused Devices" menu to the arranger's port popupmenu for rapid device selection (flo)
28.11.2011:
- MusE 2.0 release candidate 1 released (rj)
27.11.2011:
- fixed invalid read problem in node.cpp: replaced the (ab-)use
of a temporary stacked buffer (which was deleted too soon)
by the use of a temporary heap buffer (new[]) (flo)
26.11.2011:
- Added config properties for add-track menu, show all, show only visible and property for making visible what you add (rj)
- Split behaviour and style configuration to two tabs (rj)
- Adding invisible tracks no longer update track-info in arranger (rj)
- clicking the background in tracklist and arranger no longer clear focus (rj)
- moved configuration items for track visibility to global config (rj)
- Added right click quit to channel strips (rj)
25.11.2011:
- fixed segfault when closing and SndFileList had more than 1 entry (flo)
- fixed some mismatched deletes (delete vs delete[]) (flo)
24.11.2011:
- Fixed: xml song loading ignores very large text such as with Hexter-DSSI. Reported by jphaenlin. (Tim)
Changed all local buffers to QByteArray (for unlimited size). Test OK loading/saving large songs + Hexter-DSSI.
- Fixed "Invalid Read/Write"-bug with moving parts past the song's end or past the last track. (flo93)
The problem was: when the song was automatically enlargened / a new track has automatically been
created, the song was update()d, and thus songChanged() was called. Within
songChanged(), the PartCanvas clearDelete()d its items list, deleting every
data pointed to by that list. However, right after that, the current loop's
CItem* is still used (which has just been deleted, that is, invalidated.).
In case the loop will go on, there would be even more similar errors.
Solution: - Added UndoOp::ModifySongLen-action, and used that one for altering song length.
- changed Song::addTrack() to write into operation groups.
adapted all code using Song::addTrack() accordingly
- changed PartCanvas::moveItem() to support whole lists of operations.
- Fixed a small unused-parameter warning (flo)
- Updated broken (but unused) UndoOp::typeName() function (flo)
23.11.2011:
- Fundamental audio engine fixes/changes together with a variety of other fixes. (Tim...)
- Process track and plugin dssi controls always now, even if off. Fixed problems adjusting/saving gui values. TODO: Dssi when off.
- User is now forbidden to do circular routing. Routing menu items are now disabled according to whether they would cause a loop.
Installed anti-circular routing mechanism, allows processing should a circular route actually exist (old files, bugs, deliberate? etc).
- Fixed jack.cpp: Connecting routes. Some code was not checking if routes were JACK_ROUTE types, leading to errors.
* Fixed: Soloing system problems. Forgot to solo-chain all the way back to a midi track. Also fixed crashes if soloing a circular route.
* Fixed: Aux Tracks. They should 'just work' always now. Required major processing-order changes and routing path support/checking.
NOTE: Cannot use a track's aux sends if the track has an input route path from ANY Aux Track! Aux knobs/labels now DISABLED in that case.
22.11.2011:
- Increased contrast for midi event drawing in parts (rj)
21.11.2011:
- added super-glue feature (flo)
17.11.2011:
- Fixed all arranger/pianoroll/drumedit keyboard scrolling. (Tim)
Changed PartCanvas and EventCanvas ::keyPress() key scrolling sections. Plus custom behavior tweaks in each case.
16.11.2011:
- Ctrl+click or middle button now sets an absolute value for Knobs (as good as possible without advanced arithmetic) (rj)
- Structure operations: Split,Cut,Insert now work on audio tracks. The previous functionality with operating on selected
tracks have been split into separate menu items (rj)
15.11.2011:
- Fixed wacky arranger part selection via KB when 'Move single armed track with selection' set. (Tim)
Arranger::songChanged() was way too liberal, esp calling partsChanged(). Side benefit: Arranger speed-ups.
- Changed internal 'undo' shortcut from ctrl-y to standard shift-ctrl-z. (Tim)
14.11.2011:
- Fixed: Do not clear midi ports upon 'new' (template) or 'import midi'. (Tim)
Enabled some old code with which I had problems before, but that was long before 'clearing' fixes.
Remaining TODOS: 'New' Synth.med template still replaces existing midi ports, and only
the first port appears to be auto-connected to inputs upon import midi.
- fixed ScoreEdit bug: names are removed from the set on close and on delete. (Flo)
- indentation fixes in scoreedit.cpp,h and cobject.cpp (Flo)
- Removed 18.06.2011 experiment. Do not allow Synths to route to midi track inputs. (Tim)
It worked with MESS so far, allowed recording gui control movement. May prove useful
in future, but is a big auto-routing hassle ATM. Sections marked p4.0.35.
13.11.2011:
- ScoreEdit now saves some default init values (flo)
- seems like this fixed some valgrind bugs as well (flo)
12.11.2011:
- fixed "newly created subwins aren't focussed" problem (flo)
- when closing a subwin, automatically another (topmost) subwin
gets activated (flo)
- fixed "non-subwin topwin-states aren't restored when using
'muse2 songfile.med'. (don't know who, probably Tim)
11.11.2011:
- Fixed all template .med song files. (Tim)
10.11.2011:
- Updated spanish translation by Cristian Ramos (rj)
- Fixed meters not updating upon vertically shrinking arranger. (Tim)
- Fixed TopWin xml errors such as "MusE: unknown tag <topwin [or tool or arranger] > at line xxxx". (Tim)
Used new TopLevelList::findType() in MusE::readToplevels() to find arranger, marker, and cliplist. Was broken !
So, arranger now remembers its settings (mostly).
TODO: Fix broken default.med file, has serious xml errors. For long time MarkerView hasn't recalled its visibility.
09.11.2011:
- Further to 02.11.2011: Automatically convert old songs to use new 'fluid_synth' name. (Tim...)
- Added enum Synth::Type (MESS_SYNTH, DSSI_SYNTH etc) and used it throughout, ex. in findSynth(), also in song file.
Protects from name conflicts with future MESS, DSSI synths, and simplifies adding future types (say LV2 etc.)
- Simplified populateAddSynth(), made it agnostic. No more hard-coded synth type sorting - uses Synth::Type now.
- Fixed settings synth config lists not updated when 'Remove Instance' clicked. Also now shows the type in the lists.
- Fixed regression: No synthesizer patch names were listed.
07.11.2011:
- fixed restore-window-state bug (flo)
- fixed dialog translation problem (flo)
- Updated spanish translation by Cristian Ramos (rj)
06.11.2011:
- auto-expand fix (flo)
- NoteInfo-toolbar fix (flo)
04.11.2011:
- more valgrind fixes (flo)
02.11.2011:
- Fixed new runtime errors "undefined symbol fluid_synth_cc" and "fluid_synth_set_reverb", seen on Ubuntu 11.10 (Tim).
MusE "fluidsynth.so" module renamed "fluid_synth.so". Error seems due to required cmakelists LINK_FLAGS line, now removed.
Also removed required LINK_FLAGS line in fluid cmakelists.
PLEASE REMOVE THE OLD fluidsynth.so ! Or uninstall muse before installing again.
01.11.2011:
- Fixed Shortcut translations (flo)
- Added a QSplitter to the shortcut dialog (flo)
31.10.2011:
- Translation code fixes and added almost-complete German translation (flo)
28.10.2011:
- Slight fix of midi SMF 1 export. Include meta 0x01 text event comment. (Tim)
- Added Automation header in Song::execMidiAutomationCtlPopup().
- Code comments cleanup in Song.
27.10.2011:
- Adapt context menu in arranger after what track types are currently visible there
Now it only allows to create the track types which are set to be visible (rj)
- Uninitialized value fixes in ScoreEdit (flo)
26.10.2011:
- Changed visibility of utility tracks so they are not seen by default in arranger (rj)
- Added a default audio connection in default.med (rj)
- More memory access fixes (flo)
24.10.2011:
- Fixed bug #3293339: Midi file export SMF format 0 broken. (Tim)
Removed erroneous extra 2 bytes. Allow metas in SMF0 in MidiFile::writeEvent().
Fixed very weird timing issue MidiFile::write(). See comments there (hidden problems lurking still?).
Use single MidiFileTrack for SMF0 in MusE::exportMidi(). Added info to export dialog indicating that
SMF 0 grabs the track name and comment from first midi track in arranger. Iterate full tracks list
instead of midis list in MusE::exportMidi(), so that user can rearrange tracks on the fly before exporting.
Some not fully understood useage of meta 0x0F/0x01 text events in MusE::exportMidi(). Hopefully correct...
- Memory access fixes (flo)
22.10.2011:
- Catch return in spin boxes and move focus away (rj)
21.10.2011:
- rename fix (flo)
20.10.2011:
- Added missing triplets in quantisation dialog (rj)
16.10.2011:
- Fixed crashes reloading songs having open editors. Previous memleak fixes revealed some problems. (Tim)
Installed bool TopWin::deleting(). It is set true when closeEvent() is called in any self-deleting TopWins.
Used it to make all such TopWins and their corresponding child canvasses ignore songChanged signals.
Test OK so far, multiple reloads of song with all track types, all windows open.
14.10.2011:
- Fixed keyboard navigation in tracks to work with hidden tracks (rj)
12.10.2011:
- Made the plugins aware of namespaces. (Orcan)
11.10.2011:
- Fixed the build of experimental rhythm generator. (Orcan)
09.10.2011:
- Fixed track list midi port popup menu - too many ports listed. Separated empty ports into submenu. (Tim)
06.10.2011:
- SigEdit, up/down arrow in denominator only moves between powers of two (decreased thick headedness),
numerator is no longer validated (rj)
- Hopefully last big namespace update. The only namespaces in use are
o MusEGlobal: For global variables
o MusECore: For non-gui classes
o MusEGui: For gui classes
One or two more namespaces will be added for the stuff outside the main tree (synti, al, etc) (Orcan)
- Fixed python control add-on building. Left it off by default. (Orcan)
05.10.2011:
- SigEdit, up/down arrow in denominator only moves between powers of two, 2,4,8...128 (rj)
04.10.2011:
- More fixes to SigEdit, close on enter, navigate with arrows and / between values, fixed background color, focus (rj)
02.10.2011:
- SigEdit reworked to use two spinboxes, plan on adding Enter/Return detection so the widget will close when
Enter/Return is pressed (rj)
- Fixed HUGE massive memory leaks in all things using CItemList, and SndFile, dssi, fluidsynth and other huge leaks. (Tim)
Addition of 'delete' in places hopefully does not introduce any new unforseen instabilities.
Result: A song with 20 wave/midi tracks and several dssi, vst and fluidsynths, which leaked HUNDREDS of megabytes,
now only leaks about 2 megabytes. TODO: Still some funny business with ALSA, and dssi scanning.
Post-fix LEAK SUMMARY: definitely lost: 259,863 bytes in 356 blocks indirectly lost: 611,874 bytes in 22,834 blocks
possibly lost: 180,508 bytes in 5,211 blocks still reachable: 1,061,068 bytes in 10,522 blocks
30.09.2011:
- Fixed long-standing problem with themes (Ia Ora / Bespin etc) and MusE button icons. Some themes don't support
multiple-pixmap icons. So mute/solo/rec/stereo/thru always showed the same icon. Replaced w single pm icons. (Tim)
- Fixed midi strip blank automation box at bottom, too high. (Tim)
- Gradient for strip labels. (Hm, too pastel? Had to go top-high. Maybe change colours again Orcan, he he...) (Tim)
- Repaired some non-virtual paintEvent(), resizeEvent(), event() etc. (Tim)
28.09.2011:
- Optimization: Orcan's meters are insanely lightning-fast now. (Tim)
TODO: Fix very slight oversize at bottom upon first showing of mixer. Workaround: Simply resize vertically.
TODO: Redo the VerticalMeter (actually Horz) drawing, else should be easy Horz integration into existing Meter class.
21.09.2011:
- Drawing speed boosts in part canvas. TODO Fix slight dashed border shifting. Do 'hidden' polygons (Tim)
- Working on meter speed. WIP. Can enable by commenting out #define _USE_NEW_METERS in meter.cpp (Tim)
Combined with part canvas fixes, meter work so far makes MusE2 near-Muse1 speed when playing big songs
with many active mixer strip meters.
20.09.2011:
- Revert the change in coloring of the selected track in tlist. Making full transpaency optional
requires more substantial changes. (Orcan)
- Update the default config file with the same defaults as in gconfig.cpp. Question: Why do we
have defaults defined in multiple places? (Orcan)
17.09.2011:
- Minor namespace fix in osc.cpp. (Orcan)
16.09.2011:
- Fixed errors when ladspa plugins not found while loading. (Tim)
- Fixed forgotten bool to pointer conversion in some calls to song::addTrack, createSynthI. (Tim)
14.09.2011:
- added sane configuration defaults to muse (flo93)
- several minor fixes (flo93)
- added MDI-like and borland-like user interface (flo93)
- improved pasting, added dialogs, added "copy in range",
changed shortcut keys (flo93)
- New namespaces MusEArranger and MusEMixer. (Orcan)
- Updated default track colors on arranger. Indicate the selected track with a gradient instead of a
separate color. (Orcan)
- moved colorRect() and get_paste_len() into utils.cpp. (Orcan)
- Updated default colors of transport handles, bigtime foreground, waveedit background, track labels.
Made them more pastelish, easier on eyes. (Orcan)
- Made horizontal alignment of meter and slider in mstrip consistent with in astrip. (Orcan)
13.09.2011:
*Added: You can now insert new tracks instead of always at the track list end. (Tim)
If main menu 'Add track': Inserts before currently selected track, else adds at end.
If Track List right-click existing Track Name: New 'Insert track' menu inserts before clicked track.
If Track List right-click on empty space, or Mixer 'Create': Adds at end, as usual.
- Fixed track selection bug: Track info panel not clearing when clicking empty area. (Tim)
Added an emit selectionChanged(0) in TList::mousePressEvent.
- Observed: Ancient bug: Track Info doesn't change if selecting multiple tracks in reverse order.
Will need to be fixed if/when adding 'multiple track global editing'.
- Made Slider::sizeHint() a const function again, so that the plugin window respects its sizeHint. (Orcan)
- Explicitly disabled the scale support in Slider since it wasn't really in use for a while. (Orcan)
11.09.2011:
- Rewrote the rounding function for efficientcy. Moved the function into utils.cpp since it is written
for general purpose. (Orcan)
- The rounding in the meter is done in paintEvent now. I also enabled Antialiasing to make the corners
look nicer. Therefore I had to comment out Qt::WA_OpaquePaintEvent attributes in the meter and the
verticalmeter for now. Some testing needed. (Orcan)
- Plugin slider color codes are now generated from plugin ID numbers. (Orcan)
- Active plugins are colored in green in the rack. (Orcan)
09.09.2011:
- Removed sending of SEQM_ADD_TRACK, SEQM_REMOVE_TRACK, SEQM_CHANGE_TRACK, SEQM_REMOVE_PART, and
SEQM_CHANGE_PART to ALSA midi thread (which waits) from inside Audio::processMsg.
Replaced with hand-offs to Song::processMsg. TODO: SEQM_SET_TRACK_OUT_CHAN etc. (Tim)
- MidiDevice play and stuck event lists no longer directly accessible from outside -
replaced with ::addScheduledEvent and ::addStuckNote. (Tim)
- Installed a ring buffer for ALSA MidiDevice play/stuck notes event lists, filled by ::addScheduledEvent
and ::addStuckNote, because ALSA midi is processed in a thread other than audio. (Tim)
TODO: processMidi could do stuck notes better by bypassing their insertion in the play event list,
also applies to seek/stop handler block, but I'm not sure about the time comparisons.
- Removed MidiSeq::msgSeek and ::msgStop, and removed calls from Audio::seek and ::stopRolling. (Tim)
Removed Audio::msgShowInstrumentGui and ::msgShowInstrumentNativeGui.
- Some more separation of ALSA and Jack Midi, one step closer to configurable choice of either/or. (Tim)
- Massive cleanup of audio, midi, mididev, alsamidi, jackmidi, dssi modules. Moved some stuff from
Audio::processMidi into MidiDevice. (Tim)
- Test OK here so far, with stress files and complete pre-existing songs, ALSA, Jack, and Synth midi. (Tim)
TODO: Restoration of sustain upon play seems broken for a while - try putEvent instead of addScheduledEvent
in Audio::startRolling().
- Cleaned some namespace change artifacts. Fixed signal/slot mechanism related to bigtime, pianoroll,
drumedit. Fixed config file corruption. (Orcan)
- Made plugin slider colors fancy, experimental. (Orcan)
08.09.2011:
- Finished namespace MusEWidget. Added namespaces MusEUtil, MusEDialog. (Orcan)
07.09.2011:
- Introducing namespaces. So far, we have MusEApp, MusEGlobal, MusEConfig, and I just started
MusEWidget. zynaddsubfx does not crash anymore. (Orcan)
06.09.2011:
- Add licensing information (GPLv2 or later) to source code files. Update FSF mailing address
to the most recent one in the existing copyright notices. (Orcan)
05.09.2011:
- Remodel the EffectRack. There is still an ongoing issue with the minimumSizeHint, which I worked
around by adding a fixed offset. (Orcan)
- Fall back to using Meter's own size functions rather than the event rectangle's size functions
in paintEvent(). The latter caused corruption when toggling mono/stereo. (Orcan)
04.09.2011:
- Remodel the Slider (Orcan)
- moved and changed muse.pro file (flo93)
- added update_pro.sh and update_translations.sh (flo93)
- added paste dialog (flo93)
- updated translations (flo93)
- moved stuff from functions.cpp out to dialogs.cpp (flo93)
- fixed behaviour of movePartsTotheRight(): parts which
begin at "start of move" aren't expanded, but moved now (flo93)
01.09.2011:
- Fixed tough old skeleton: Selecting 'previous/next event' in Song::execAutomationCtlPopup now moves cursor
with exact frame resolution, all the way through via proper song->setPos > audio->msgSeek rather than
song->setPos > set pos[0] etc. There was a bug that it got stuck on too-close points on the graphs. (Tim)
- Reverted controls to full speed (again): Removed too-cautious msgSetVolume, msgSetPan, msgSetPluginCtrlVal. (Tim)
Reviewing some other possibly unneeded too-cautious msgXXX audio messages :)
TODO: Fix current automation values (the 'off' value).
- Removed unused PanKnob from mixer CMakeLists. (Tim)
29.08.2011:
- Fixed Robert's fixes (flo93)
- Fixed audio automation graph editing. And now 'snaps' to discrete integer or bool types. (Tim p4.0.32)
All control movements should update display now. Also slightly changed behaviour of Ctrl class.
TODO: Fix some painting corruption, improve discrete display, add transparency etc. etc.
- Applied compilation patch to rhythmbase.ui by Jean-Damien Durand. (Tim)
28.08.2011:
- Fixed weird column expansion for [rec] column by removing autoexpand of the last column. Still
something fishy with moving columns (rj)
27.08.2011:
- Changed mousewheel behaviour, vertical scrolling is default and horizontal scrolling (shift) is reversed (rj)
- Added fullscreen shortcut to all editors which have full screen action (rj)
- Part text editor now closes when focus is lost (rj)
17.08.2011:
- Convert some Qt3 style coding in ComboBox to Qt4 in terms of menu entry handling. (Orcan)
- Add mouse wheel support to ComboBox. (Orcan)
- Fix AutoType indicator coloring. (Orcan)
16.08.2011:
- More drawing fixes, improved accuracy (grids, timescales, edges, markers guaranteed to align now). (Tim p4.0.30)
Much drawing changed to device (pixel) space instead of virtual space, for accuracy.
- Fixed display of audio automation graphs. (But not editing). (Tim)
- Fixed unreadable Master Edit tempo scale (on left side), and added toolbar saving and restoring. (Tim p4.0.31)
15.08.2011:
- Remodel the Meter and the VerticalMeter (Orcan)
13.08.2011:
- Make the shininess of the Knob ring a little smarter (Orcan)
05.08.2011:
- Parts having hidden events now drawn using 'jagged' ends and special white edges. (Tim p4.0.29)
- Improved border drawing guaranteed to show L/R touching part borders. TODO: Top and bottom borders. (Tim)
- Muted parts now show names and events. Filled with a special brush pattern for easy recognition. (Tim)
- Huge changes to PartCanvas::drawItem(). And to all View::XmapXXX methods for better accuracy. (Tim)
- Changed bool Part::hasHiddenNotes() to int Part::hasHiddenEvents(). Added int Part::cachedHasHiddenEvents(). (Tim)
02.08.2011:
- Changed behaviour of part clones (flo93)
31.07.2011:
- Remodel the Knob (Orcan)
28.07.2011:
- speeded up structural operations (flo93)
- fixed several heavy bugs in structural operations: (flo93)
- global insert freezed muse
- global cut and global insert behaved wrong on parts not
starting at the zeroth tick
- fixed upper_bound vs. lower_bound issues
- clicking below the track list now deselects all tracks (flo93)
- moved checkRegionNotNull() where it belongs (flo93)
14.07.2011:
- Fixed loading of old songs with synths. (Tim)
Added static keyword to array in each synth's oldMidiStateHeader() member.
27.06.2011:
- Massively speeded up muse by using operation groups (flo93)
- Changed behaviour of middle click in all canvases to "delete" (flo93)
21.06.2011:
- Fixed wave editor position and marker drawing corruption. (Tim)
- Updated Yamaha m06 IDF file to version 4 by Geoff King. (Tim)
18.06.2011:
(By Tim. Marked as p4.0.27)
- Major work, all synthesizers. Sysexes now wrapped in a header MFG ID (0x7c) + synth ID. Fixed leaks, crashes.
Each MESS synth (or just the single DSSI host) now has a unique ID, used in the sysex header.
TODOS: Finish DeicsOnze::getControllerInfo. Fix Fluid - must set to High Bank #2 to see any patch names!
*NOTE: Some data will now change upon saving a song! Compatibility with old songs is built-in and transparent.
Ask Tim for details.
*Feature: SimpleDrums now FULLY functional including effects. Support old songs + MusE-1 songs, tested OK.
- Fluid soft synth now remembers and displays the font name.
- Fixed midi TrackInfo patch name not initializing at position 0 even when value stored, with FluidSynth (possibly others).
- Fixed some leaks, lack of dtors cleanup call when repeatedly loading songs. Should be a weee bit more stable now.
- EXPERIMENT: Midi track input routes can now come from any of the synthesizers! This is a WIP and might change or disappear.
06.06.2011:
- removed (unused) support for disabling the keymap (flo93)
04.06.2011:
- fixed regression with switching ctrl/shift when manipulating
items in canvas. drag+shift limits movement, drag+ctrl copies (rj)
- changed behaviour of middle click in all canvases to "delete" (flo93)
02.06.2011:
- the score editor now allows batch-movements, that is,
you can transpose or move the whole selection and not
only single notes (flo93)
- the functions now return as boolean, if they have triggered
undo (flo93)
- applied another patch from WillyFoobar: moved Q_OBJECT
to the top of each class definition, where it belongs (flo93)
30.05.2011:
- implemented cut,copy'n'paste and the "select foo" entries in the score editor (flo93)
- added select_foo() functions to functions.cpp (flo93)
- removed "midi in" button from score editor (flo93)
- added a spinbox to the arranger's "Ch:" column (flo93)
29.05.2011:
- moved cut,copy'n'paste to functions.cpp, removed unnecessary duplication (flo93)
- changed behaviour of paste: now the pasted, not the original notes are selected (flo93)
28.05.2011:
- fixed dragging and resizing of track header, also changed default index of new
sections, they should appear last now (rj)
- fixed the buggy bugfix of the "invalid Part*s" bug (flo93)
27.05.2011:
- fixed bug in scoreeditor: invalid Part*s are now not used any more (flo93)
- applied some hunks of the patch sent in by WillyFoobar (flo93)
25.05.2011:
- Added midiin and steprec buttons again (flo93)
- Added step-rec-support for drum edit and score edit (flo93)
- put step-rec-stuff into its own class (flo93)
- moved clefTypes out of scoreedit.h to prevent compile-horror (flo93)
- Declared struct Route as QMetaType to make it a QVariant type. (Tim)
- Moved: All routing popup menu stuff from app, astrip, mstrip, mtrackinfo into
new class RoutePopupMenu, *massively* cleaning up those 4 files.
Used the new Route QVariant type as action data instead of integers.
- Moved MenuTitleItem definitions from astrip.cpp into it's own menutitleitem.cpp (Tim)
- Added to settings: "Make popup menus stay open. Otherwise hold Ctrl." (Tim)
To avoid showing new users non-standard behaviour, the default is off!
24.05.2011:
- Awl::PitchEdit now can be set with the musical keyboard (flo93)
- fixed y-stretch (flo93)
- cleaned up step-rec and midi-in buttons and stuff (flo93)
- steprec now supports a "insert rest" key, which can be set (flo93)
under Midi -> Input Plugins -> Remote Control
- song->midiNote now also delivers note off events (flo93)
- fixed pitch-spinbox (flo93)
- removed auto-resize from tracklist-header (rj)
- removed channel from track list for a drum track and grayed it out in track info (rj)
- fixed samplerate warning from templates (rj)
23.05.2011: (all changes made by flo93, except one)
Function-related changes:
- made all the stuff in the "functions" menu global
- added crescendo, legato functions, improved erase function
- removed unnecessary _to and _quant* - stuff from piano roll and drum edit
this also involved changing the Toolbar1
- changed behaviour for step-recording: the note-length is now the "raster"-
value instead of the "quant"-value
- changed behaviour for scripts: the "quant"-parameter they get isn't the
quant-combo's setting, but the snap-combo's now
- removed unnecessary short cuts: SHRT_OVER_QUANTIZE etc. instead added
SHRT_QUANTIZE
Score-Editor-related changes:
- using the proper AL::raster functions in the score editor
- added support for selections to the score editor
- distance between staves is now automatically increased if necessary
- fixed "change pitch freezes scoreeditor"-bug
- added clef-combobox to midi tracks (rj and flo)
- don't install the *.mf files any more
- added a modified MTScale to the score editor
Other Stuff:
- speeded up importing midi massively
- when step-recording, chords can now be entered with only the musical keyboard
- swapped ctrl and shift behaviour to make muse accord to standards
- toolbar states are now saved
- improved "cakewalk" mode for arranger: added y-stretch and drawing some controllers
- added line tool to drum editor
- added "reorder list" function to drum roll
- changed ctrl-edit's behaviour when control key is pressed
20.05.2011:
- Popup menus: If stay-open mode, space triggers item and double-click simulates return (closing). (Tim)
19.05.2011:
* Feature: Popup menus now auto-scroll if too large to fit on desktop. (p4.0.25 Tim)
Added auto-scroll to my class PopupMenu. Added selectable stay-open. TODO: Use it more, where needed.
- Changed midi track info patch popup behaviour. Now stays open for auditioning patches. (Tim)
- Changed editor 'ctrl' controller popups. Split instrument/other (+ common controls!) + show ctrl numbers. (Tim)
TODO: Add custom (R)NRPN dialog to 'other' section.
15.05.2011:
- Changed mouse wheel behaviour in graphical editors except the score editor (rj)
* wheel scrolls left-right
* shift+wheel scrolls up-down
* control+wheel zooms horizontally
TODO:
- score editor
- zoom to where the mouse is located
14.05.2011:
- Fixed problem with project save dialog missing a forward slash '/'. (Tim)
~/.config was being polluted with wrong folders. Fixed ProjectCreateImpl::updateDirectoryPath().
13.05.2011:
- New spanish translation from Cristian Ramos (rj)
- Added dialog to remove unused wave files (rj)
- Changed default imported midi song type to GM. (Tim)
- Added GM drums patch in MidiInstrument::populatePatchPopup() for GM songs on ch 10. (Tim)
12.05.2011:
- Changed template song "default.med" song type from NO to GM, to help new users. (Tim)
10.05.2011:
- Added general settings audio item: Minimum control process period 1-2048, default 64. Test OK. (Tim)
Adjusts minimum allowable number of samples in a LADSPA or DSSI run, ie control 'smoothness'.
Still TODO: AudioTrack controllers contribution.
- Added Yamaha Mo6 instrument file by Geoff King gsking1 A T gmail D O T com. (Tim)
08.05.2011:
- Draw event canvas notes if they extend past part end. (Tim)
- Added checkbox to select if songinfo should be displayed on song start (rj)
- fixups to structure functions, now inserts/cuts markers, and master track events with undo (rj)
06.05.2011:
- MusE 2.0beta2 released (rj)
- Added Yamaha-CS1x.idf instrument from Ernie Rymer <ethylene77 A T yahoo D O T com> Thanks! (Tim)
Turned off executable permissions on some others.
05.05.2011:
- Fixed regression: Plugins would not restore saved control state when loading song. (Tim)
04.05.2011:
- Fixed meter drawing for zero values in feedback parameters to plugin guis (rj)
02.05.2011:
- MusE 2.0beta released (rj)
01.05.2011:
- More fixes, improvements to ladspa and dssi processing, control responsiveness, of 25.04.2011. (Tim)
Timestamp control ring buffer items with linear Audio::curFrame() instead of circular Audio::timestamp().
Added Audio::curSyncFrame(), used it in process routines to subtract from timestamp.
All effect/synth generic/native gui controls should be quick now.
- Dssi synths respond to Audio track controller graphs now.
Still TODO: Make Audio track controllers full-speed (like the controls), they are still once per period.
Do same for midi->ladspa controller code.
28.04.2011:
- More separation of Alsa and Jack midi processing. Possible fix for crash report by Geoff B. (p4.0.22 Tim)
Added MidiDevice::handleStop(), ::handleSeek(). Split processing among MidiSeq::processStop, ::processSeek
and Audio::stopRolling, ::seek. Also some sustain resetting code and midi sync code was moved into
these two new MidiDevice methods.
TODO: There is more separation to be done. Hopefully it makes MusE more stable and timing-proper.
- Small fix to scoredit in color_image(). Use bytesPerLine() * height() for older Qt. Test OK. (Tim)
- Fix to Robert's DssiSynthIF::paramOut(). Call getParameterOut(). (Tim)
- Changed all plugin and dssi module's 'unsigned' usage to 'unsigned long' for more consistency. (Tim)
- fixed multiple connects in master list editor and some cleanups suggested by WillyFooBar (rj)
27.04.2011:
- added first version feedback parameters for plugins (rj)
- merged score edit branch into trunk (flo)
25.04.2011:
- added a songChanged at the end of clear when loading a new song, intended effect was to
clear GUI before loading new song to fix some nasty crashes, seems to work (rj)
- Overhaul plugin.cpp/h: Fix all float <-> double and int <-> unsigned usages. (p4.0.21 Tim)
- Improved ladspa and dssi controller responsiveness even with large audio buffer size. (Tim)
Implemented variable run-lengths for frame-accurate controller processing.
Improved volume, pan, and plugin control responsiveness - used track->setPluginCtrlVal()
instead of audio->msgSetPluginCtrlVal() which waits until next audio process.
Work in progress! Still not complete yet. Please bear with me.
24.04.2011:
- Improved master list editor editing of keys, dropdown should not 'stay behind' anymore (rj)
21.04.2011:
- Fixed drag&drop plugin instantantiation (again), was using a string pointer to private data
now copies the data before use (rj)
19.04.2011:
- Added undo/redo to master list editor for key editing, should implicitly
mean that SC_KEY is emitted to detect song change (not tested) (rj)
- fixed bug with undo not working for first signature event (rj)
16.04.2011:
- Added KeyList for keeping key change events and ability to edit it in
master list editor (rj)
- fixed stuff in master list editor (rj)
* editing tempo signature is now atleast working
* editing time position is now atleast working
* double clicking a line moves the playpointer to this position if we are not playing
* changed adding tempo/sig/key so they pick the position from the play pointer instead
of just incrementing the time position, I can't fathom when that would be preferable
(if there is a time, I'm sure someone will let me know :) )
- song changed not implemented yet
- undo/redo is not implemented
- Fixed crash in dssihost.cpp - my bad from recent p4.0.20 changes. (Tim)
- Added destructors to sigmap and tempomap. Test OK. (Tim)
15.04.2011:
- And while we're at it... Invert drum track 'slivers' in arranger parts. (Tim)
- Move part name text to bottom to accommodate drum 'slivers'.
Use lowest gradient colour from new gGradientFromQColor(), to determine whether to invert.
14.04.2011:
- Fixed notes 'sliver' drawing in arranger midi parts. Invert if too dark. (Tim)
- Gave arranger part name text drawing a shadow to help contrast with drawn events.
Also moved part name text out of the way, to top of part.
- Removed DSSI gui QProcess kill timers. In Qt4 they can only be used that way with threads started with QThread.
Kill is not nice anyway. On terminate, gui may prompt user to save work etc. App should check at close
if all these guis closed and ask to abort closing, or kill the guis, or leave them alone.
- Improved dark part colour gradients. Added gGradientFromQColor() in widgets/utils.cpp and called from PartCanvas draw.
12.04.2011:
- Another fix for FLAM GUI controls - 300ms delay before sending control values in PluginI::oscUpdate(). (Tim)
Good enough? How to make sure (any) gui is really ready?
11.04.2011:
- Possible fix for FLAM GUI controls - send current control values in PluginI::oscUpdate().(Tim)
10.04.2011:
* Added: Expanded all routing choices: Synth to Wave track, Wave track to Wave track etc. (Tim)
* Added: DSSI synths can now show generic LADSPA GUI as well as native. (Tim p4.0.20)
WIP: Controllers not finished + maybe need a chooser for which ones (of possibly 1000's) are shown.
I reserved an Audio track controller index of 9 for them. If we ever decide to increase the number
of rack plugins, that gives us room for 8 maximum, for now. (But increasing the maximum number
of controllers would mean altering the list structure, requiring a bump-up of file version.)
- Dummy audio: Fixed lockups, or crash at line: "while (drvPtr->cmdQueue.size())" in dummy loop. (Tim)
Replaced loop code with with muse_qt4_evolution's (usleep-based instead of timer).
TODO: Try subtracting process time from sleep time for more accuracy.
TODO: Use a better sleep routine - usleep may be have terrible resolution in some cases.
09.04.2011:
- No more sleep icon when cancelling a quit operation (rj)
- added Ctrl+Shift+LeftMouseButton to add entire rows to selection in all canvas editors (rj)
01.04.2011:
- Fixed custom LADSPA DSSI GUI support. Tested OK with FLAM. Thanks to Luis Garrido for help. (Tim)
31.03.2011:
* Feature: Support for custom LADSPA DSSI GUIs, such as those generated by FLAM. (p4.0.19 Tim)
- Initial support. TODO: Refine how a particular UI file is chosen - uses first one found for now.
Also may need to support multiple choices if multiple lib-level and/or plugin-level UIs are found.
27.03.2011:
- Fixed end/off-screen selections not being drawn in midi controller graphs. (Tim)
- Reverted Midi Track Info ui layout more or less to pre- Mar 5, with some improvements. (Tim)
- Added: placeholder for Score editor (rj)
- Reclaim some screen real estate. Set zero margin and spacing in ScrollScale constructor. (Tim)
- Fixed midi controller graphs' velocity items selections. (Tim)
24.03.2011:
- Fixed: Problems with midi event list editor. (p4.0.18 Tim)
For ex. problems selecting items while pianroll open. Changed ListEdit::songChanged().
- Fixed: Some problems drawing/editing on pianoroll controller graphs. Also added drawing speed-ups. (Tim)
- Added: Pianoroll controller graph items can now be selected/highlighted. Sync'd with midi event list editor. (Tim)
Just a step towards better editing of controller graphs. WIP (No copy/cut/paste/move yet.)
16.03.2011:
- Added: Midi events drawing while recording (rj)
- Fixed, hopefully, MESS synths sometimes being silent (rj)
12.03.2011:
- Cursor mode in drum editor should be usable now (rj)
Changes:
* delete current event with delete
* change edit step size on toolbar and using 0 and 9
Try setting step size to 16 with snap 16, place cursor on the first beat for kickdrum
hold down 'b' to add all kickdrums.
Now move to snare at position 8 hold down 'b' again.
A basic beat should now be entered kick/snare/kick/snare
* auto scrolling of view when event is outside view
* move current event as with standard event operations
10.03.2011:
- Added: Say hello to 'CURSOR MODE' in drum editor (rj)
the idea is to edit drums more like a mod tracker, doing all from the keyboard.
shortcuts defined for entering cursor mode (U) and V,B,N,M for entering notes.
TODO: Step parameter, auto scrolling, mouse integration and more
- color tweaks for wave tracks in arranger (rj)
07.03.2011:
- draw gradients in arranger (rj)
06.03.2011:
- added simple part drawing while recording, does not draw events or waveform (rj)
05.03.2011:
- Store toolbuttons in song file (rj)
- Fixed issue with opening editors (rj)
- Zoom shortcuts in arranger (rj)
- detect samplerate and warn if samplerate isn't same in song and system (rj)
- adjust columns and store size of shortcut dialog (rj)
- Fixed up some missing keyboard accelerators for menus (rj)
01.03.2011:
- Added feature to show/hide track-types from arranger, this far only with toolbuttons
and no persistent storage (rj)
- restore window geometry for Midi configuration dialog (rj)
28.02.2011:
- Added progress dialog for loading projects (rj)
- Aligned meters on mixer strip (rj)
27.02.2011:
- Fixed piano roll controller graph text drawing (finally!). (Tim)
- Fixed crashes in drag & drop for plugins and drag presets from outside muse into a plugin (rj)
- Support for multiple drops of files to arranger, e.g easy import of a bunch of wave files (rj)
- Added some missing Qt headers, found by Flo on Debian Lenny. (Tim)
26.02.2011:
- Fixed some piano roll controller graph drawing issues. (Tim)
Draw velocities on top of grid, but draw non-velocity items behind grid.
24.02.2011:
- Improved default midi auto-connections. (Tim p4.0.17)
Midi ports list default input routes column now shows 'all' by default.
Improved and fixed default input and output routes columns.
With those two columns' popup menus, users can now apply defaults to all existing tracks.
- Fixed Organ synth crashing. Added setupUi(this) in OrganGui::OrganGui(). (Tim)
- Fixed synth devices should not be listed as soloing chain popup items. (Tim)
18.02.2011:
- Disable saveAs dialog for rec when project dialog isn't used (rj)
- changed the default setting for move single rec with track, default is to NOT move (rj)
- fixed (hopefully) bug in shortcut editor, global shortcuts were not always
taken into account when checking if a shortcut was in use (rj)
- added shortcut F for linedraw, applicable to automation drawing in arranger and pianoroll (rj)
15.02.2011:
- Automation fixes, better detection, not perfect (rj)
14.02.2011:
- Fixed midi track info panel layout and spacing. Should be much better now. (Tim)
- Added patch to remove warnings from WillyFoobar (rj)
- Fixes to graphical automation (rj)
* select color in menu
* offset bug, can now edit automation although it's scrolled down
TODO redrawing issues when using slider automation for instance.
- mixer slider now updates canvas to get automation updated (rj)
13.02.2011:
- restore toolbar locations for main window and editors (rj)
- fixed some layout issues in general settings (rj)
- removed window geometry from default template, TODO add a menu option for creating
templates, which might not contain certain types of data, including geometry (rj)
- fixed bug if jack zombifies during project load which led to a crash (rj)
- Fixed MusE failing with non-RT kernel. Now falls back to normal 'OTHER' scheduling. (Tim p4.0.16)
- Fixed dummy audio thread not running FIFO with RT kernel - set PTHREAD_EXPLICIT_SCHED. (Tim p4.0.16)
10.02.2011:
- added cut/copy/paste and keyboard shortcuts to wave editor (rj)
09.02.2011:
- fixed regression with Bounce to File and Bounce to Track (rj)
[[[ By Tim. Marked as p4.0.15 ...
- Removed MidiDevice::nextPlayEvent, and instead of erasing 'already played events' at top of
Audio::processMidi(), let each device erase played events immediately after playing them.
Still a bit uneasy with this one, but nextPlayEvent was causing some problems.
This required forced event erasure, if the track is off, in SynthI::preProcessAlways(),
which may need more tweaking for other non-processed circumstances.
- Added MidiDevice::putEventWithRetry() which will wait and retry sending an event.
So far it is only used in MidiPort::setMidiDevice(), which runs in the GUI thread where
it can wait a bit.
- Increased playback MidiFifo size from 512 to 2100, to accommodate large block sends,
such as in MidiInstrument::reset() which sends 2048 events at once.
Created new recording MidiRecFifo with reduced size of 160 instead of previous 512.
Replaced SynthI::putFifo and MidiJackDevice::eventFifo with unified MidiDevice::eventFifo.
TODO: Allow ALSA devices to also make use of it, in case events cannot be delivered.
- Added a timestamp to OscControlFifo events. To be used for better, faster OSC processing - TODO.
- Fixed DSSI processing timing in DssiSynthIF::getData(). Should be much better now, tested OK.
- Fixed Jack Midi 'lost event' messages due to full buffers. Now it waits until next cycle if buffer is full.
Slight mod: SysEx events forced to be lost, since it is most likely that the sysex is too big and Jack Midi
could never allocate enough space for it, meaning the event would linger around forever attempting to
be sent, tying up other events. ]]]
08.02.2011:
- made muse compilable under gcc-4.6. ptrdiff_t type requires inclusion of cstddef. (Orcan)
31.01.2011:
- added cmake option (-DMODULES_BUILD_STATIC=ON) to build the internal modules
statically. It should be possible to run muse from the build tree. (Orcan)
- Moved -fPIC to the global build flags. (Orcan)
26.01.2011:
- moved automation lines ontop of parts (rj)
- fixes to automation editing, still many bugs though (rj)
21.01.2011:
- Added: graphical editing of automation, also now stores which parameters are visible (rj)
Edit with new automation tool in arranger, to create new points hold down ctrl.
TODO: Easy selection of colors, create new points need improvement, and probably a
bunch of bugs, drawing does not always work for instance, and some cleaning
17.01.2011:
- fixed: panic button (rj)
- fixed: initialization crash when loading a new project (rj)
15.01.2011:
- fixed: bug were wave track appeared to be rec enabled but no file was created. (rj)
- made create project dialog optional, also some minor tweaks to the dialog (rj)
-
09.01.2011:
- These changes marked as p4.0.14:
- Applied aux send fix AudioTrack::writeProperties() by Remon. Thanks. (Tim)
- Fixed very slow midi trackinfo property adjustments with mixer shown. In AudioMixerApp::songChanged(). (Tim)
* Feature!: Complete soloing system (after 4 years). Support chaining Midi Port/Audio Out -> Audio In. (Tim)
Click on audio strip iR, or midi strip oR, or midi track info oR buttons to see new additions.
Tested thoroughly, but of course this major change needs wider testing.
TODO TODO: Fix trackinfo width (a minor button placement gui issue).
* Some tweaks for automation viewing, more to do. (rj)
04.01.2011:
- Added saving and restoring of pianoroll trackinfo h-splitter state. (Tim)
- Fixed multiple velocity controllers appearing on song reload. Tested OK. (Tim)
- Fixed arranger trackinfo widgets sizing - were allowed to shrink vertically. (Tim)
TODO: Fix trackinfo scrollbar not showing at right time.
- Replace all QWidget::setShown() calls with setVisible(). (Tim)
It's supposed to be a Qt3 function, but still supported.
- Enabled displaying of audio automation on tracks (rj)
- Added right-click on track ARM buttons, now enables/disables all tracks of it's kind (rj)
02.01.2011:
- Fixed arranger focussing problems again. (Tim)
Scratch setFocusProxy() fix of 31.12. Gave MusE a keyPress handler and pass it on to canvas.
- Fixed transport +/- position snapping. Works globally now too. (Tim)
Moves by, and snaps to, snap setting of either an editor, or globally to arranger by default.
- Added transport position "Shift + +/-" keys, for no snapping. (Tim)
- Removed (hopefully) the last bits of Qt3support functions from .ui files. (Orcan)
- fixed patch loading for deicsonze and reverted to it's standard colortheme (rj)
31.12.2010:
- Possible fix for arranger focussing problems. (Tim)
Added parent->setFocusProxy(canvas) just after canvas created.
Also added to pianoroll.
- Added shadow behind the wallpaper titles for easier read. (Orcan)
30.12.2010:
- Suggestion by OOM team: Add default velocity controllers to pianoroll and drum edit. (Tim)
*Feature: Appearance part color names now can now be edited. (Tim)
TODO: Add per-song settings and add toolbar with some colour goodies.
*Feature: Mixer label colours can now be edited in the appearance settings. (Tim)
TODO: Remix track icons using use alpha channel and special routine to mix in
these settable colours.
*Fixed: Appearance settings palette was broken. (Tim)
Note: A few odd Qt styles are wacky (Motif, Windows). Your mileage may vary.
- In ctrl canvas, draw the grid before anything else. (Orcan)
29.12.2010:
- Fixed Bigtime display when using a style sheet for MusE. (Tim)
Set window font using a style sheet. Bigtime used QFont::setPixelSize().
Application style sheets (even a blank one) override with the fixed application
font size (evidenced by adjusting MusE config font#0, then bigtime font size changed).
TODO: Darn, the tooltips fonts are as big as the labels! Must fix.
- Added 2 wallpapers from Geoff Beasly.
- Fixed focus stealing of transport (rj)
28.12.2010:
- Tweaked and added some delays during project load to counter threading
issues during loading of projects (rj)
- Commented out the comment placeholder text line in projectcreateimpl.cpp. It
broke the compilation against Qt-4.7. (Orcan)
- Fixed the shift modifier issue in renaming parts in the arranger. (Orcan)
- Fixed the 'no selected track' trackinfo background MusE logo display. (Tim)
It was a memory leak as well. Was a simple fix in Arranger::genTrackInfo().
27.12.2010:
- Added a first try at project creation dialog, we'll see how much territory
it covers, intentionally it's only used upon creation of a project, later 'Save As'
operations use the old dialog so multiple .med files can be saved for the
same project (rj)
- deferred creating *.wav files until the global record button is clicked,
if a project does not exist at that time, pop up the new project dialog (rj)
- changed 'new' project from listing PROJECT_VIEW to GLOBAL_VIEW where the
templates reside, an enhancement would be to list USER_VIEW if it's template
dir exists (rj)
- Added myself to the AUTHORS list. Oops. (Orcan)
- Added a mimetype file for *.med, *.med.gz, *.med.bz2 and associated MusE with this
mimetype (and also midi and xml mimetypes) in the .desktop file. (Orcan)
- Got manpages from Debian by Daniel Kobras, and updated them for MusE2. (Orcan)
- Remove rem'd preview code in filedialog.cpp. I reimplemented it in appearance.cpp. (Orcan)
- Remove the environment variables info from the usage output. (Orcan)
- midiedit links to ctrl. (Orcan)
- Merged changes from ccherrett into pianroll (h-splittter). (Tim)
- changed open dialog to view stored project directory for PROJECT_VIEW (rj)
- Fixed midi track info size issues. (Tim)
26.12.2010:
- Initial addition of midi track info to pianoroll. WORK IN PROGRESS. (Tim)
TODO: Just to get off the hard drive. A few things still need to be linked up!
And we really need icons to replace those 'T' 'C' 'S' 'X' buttons.
- Fix minor issues that surfaced when I built an RPM for the alpha release (Orcan):
o Added missing AudioVideo category to the .desktop file.
o Fixed the executable name in the .desktop file.
o Converted README.softsynth, synti/vam/README, README.de, SECURITY to UTF8.
o Made the default MusE_DOC_DIR consistent with other default definitions.
o Removed explicit rpath to ${QT_LIBRARY_DIR}. cmake should add it automatically
if there's need.
o Removed unnecessary linkage to libQtSvg.
o utils are installed with executable permissions.
25.12.2010:
- Added fancy background selection widget with live preview to Appearance Settings. (Orcan)
- Applied Geoff King's second capitalization patch.
23.12.2010:
- MidiTrackInfo is now self-contained. (Tim)
Moved all of its members from Arranger into MidiTrackInfo. Removed trackinfo.cpp
23.12.2010:
- MusE 2.0alpha released! (rj)
22.12.2010:
- Capitalizations in the menus thanks to Geoff King (gsking1->gmail. com)
- Added some comments in app.cpp that I've been willing to include for a while. (Orcan)
- Added a line to CMakeLists to install the splash image. Commented out for now. (Orcan)
- added new-user help dialog for Input button on midi track-info (rj)
- Fixed *some* gui drawing speed issues. (Tim)
Use Qt::WA_OpaquePaintEvent for windows we fully draw on, like part canvas, track list, meter.
In PartCanvas::drawItem(), ignore null intersect of item bbox + rect.
TODO: Other windows like Slider and Knob could probably use this. And with many parts,
drawing is still slow (esp waves), possibly because of alpha blending.
21.12.2010:
- Moved all the config files "~/.musePrj, ~/.MusE, ~/.deicsonze.dco" into ~/.config/MusE/
and renamed them as "projects, MusE.cfg, deicsonze.dco", respectively. (Orcan)
- User instruments path is made user configurable with default location in
~/.config/MusE/instruments
- In simpledrums2, set the 64bit ladpsa plugin paths. (Orcan)
- Fix: gensetbase was opening in the last tab instead of the first. (Orcan)
- Eliminated environment variables usage (MUSE, MUSEHOME, MUSEINSTRUMENTS). (Orcan)
20.12.2010:
- Fixed arranger grid h-line drawing, track, and part drawing alignment, border issues. (Tim)
- To open help pages, use the default browser of the system via QDeskopServices. Removed
the configuration option to select the browser. (Orcan)
- Added some groupboxes and layouts to Global Settings to make it look more uniform. (Orcan)
- Don't pack the binary and subversion directories when doing "make package_source". (Orcan)
- Updated the Russian translation again thanks to Alex, alex54m -> mail.ru
- Fix a typo in awl/CMakeLists.txt that disabled the translations for awl. (Orcan)
- Updated all the .ts files with the latest strings. Made sure that share/locale/CMakeLists
is scanned last so that all the translations are collected before coming to that. (Orcan)
- Fix: cliplist target should depend on widgets target. (Orcan)
19.12.2010:
- Fixed not saving part colours and part canvas background appearance settings. (Tim)
*Feature: Added 'global opaqueness' (transparency) appearance setting. (Tim)
Currently only affects part colours.
TODO: Fix the darn black rectangle drawing. Apply the opaqueness to some other things.
- Fixed arranger part drawing borders. Used QPen::setCosmetic(true) when drawing. (Tim)
- Individual parts are now built as shared libraries. (Orcan)
- Moved main() and first degree relatives into main.cpp (Orcan)
- Fixed bad link in README. Updated German README. (Orcan)
- Major clean-up in all CMakeLists.txt files. Hopefully, this will be the last time.
Unified their notation. Added copyright notices to those which were missing.
- Defined MusE_SHARE_DIR and MusE_LIB_DIR in config.h.in so that these directories
can be accessed conveniently in the code. (Orcan)
- Install documentation files to the standard docdir specified by FHS. (Orcan)
18.12.2010:
- Fixed transport shortcuts not working in some windows or situations. (Tim)
Added event->ignore to PartCanvas::keyPress. Added setFocusPolicy() to WaveView, Master.
Added (canvas or view)->setFocus() to WaveEdit, MasterEdit. Test OK.
- Fixed rack drag'n drop. Added individual tooltips for effects since the astrip might
be too narrow. (Orcan)
17.12.2010:
- Fixed crash with song loaded then File->New. Marker view had non-existent items from cleared marker list. (Tim)
- Some memory leak cleanups. Delete midiInstruments and midiDevices. (Tim)
TODO: Many more leaks to fix.
16.12.2010:
- Fixed track list track moving/resizing - added ev->buttons() check to mouseMoveEvent(). (Tim)
- Fixed meter drawing (speed) - removed double buffer pixmap. Test OK. (Tim)
15.12.2010:
- Major cleanup in the #includes. Emptied all.ha nnd moved its contents to individual files.
The build is roughly 20% faster now. (Orcan)
- Fixed track list drawing - removed double buffer pixmap. Test OK. (Tim)
14.12.2010:
- Fixed corruption on track info instrument patch button due to latin1() conversions. (Tim)
Changed MidiInstrument::getPatchName() and EditInstrument::getPatchName() to return QString.
13.12.2010:
- List the available locales in the --help output. (Orcan)
- Fixed audio/midi control right-click automation popups were greyed out due to typo. (Tim)
- Fixed some QMenu usages without parent and/or delete. (Tim)
- DeicsOnze: Fixed: Crash in ctor, _preset not init. by time loadConfiguration called. Re-arranged.
And 3 popup QMenu usages without delete. Test OK. (Tim)
- Deicsonze: Fixed all missing icons throughout. Added qrc file, changed ui file. Looks nice now. (Tim)
12.12.2010:
- Integrated the translation system into cmake. Added a -DUPDATE_TRANSLATIONS flag to cmake
which will update the .ts files in the source tree with the newest strings. I used this to
update the existing translations. Also I removed the .qm files from the SVN, as they will
be now installed from the build tree. (Orcan)
- Added a -l flag to the muse executable to override the locale detection, mostly for testing
purposes. (Orcan)
- Updated the Russian translation thanks to Alex, alex54m -> mail.ru
- When updating the .ts files, by adding proper dependencies, make sure all targets are
scanned. Otherwise .ts files may miss some strings. (Orcan)
11.12.2010:
* Feature: Added default midi track in/out channels to midi ports list. (Tim)
- For now, the boxes use the old text channel strings ("1 3 5", "1-5", "all, "none" etc.)
* Changed: Experimental: Mid ports now default to 'GM' instrument. (Tim)
- Was stopping new users from seeing instrument patches etc.
- TODO: Overhaul instrument type, instrument sysexes, and song type.
* Changed: Audio groups and inputs no longer default connect to first audio out. (Tim)
- Find it tedious, once a song grows with groups and inputs, to keep disconnecting them from output.
- TODO: Add a better audio default routing system.
10.12.2010:
- More compiler and build warnings fixes. (Orcan)
- Restored the scripts menu and fixed scripts handling. Tested OK. (Orcan)
- Added left, right, up, down to shortcuts dialog. Test OK. (Tim)
- Fixed ctrl canvas not lining up in drumedit and pianoroll. (Orcan)
- Fix: Save project file dialog should have a "Save" button instead of "Open". (Orcan)
- Fix: Crash when Ok is clicked in the plugin selection dialog with no plugins
selected. Well, I fixed the crash, then I also disabled the Ok button until
a plugin is selected. (Orcan)
- Feature: Middle mouse button click on a plugin in the rack will (un)byass the
plugin. (Orcan)
- Actually, use Qt:MidButton instead of instead of Qt:MiddleButton in rack.cpp.
The latter is Qt >= 4.7 only.
09.12.2010:
- Fix: column orders mess up in the main window, and they do not save properly in
the .med files. (Orcan)
- Made MusE the owner of transport object so it's now deleted when MusE object is deleted. (Tim)
- Improved PosEdit class, supports undo/redo levels, focus-out + return pressed updating. (Tim)
This also fixes the Transport position boxes' sections jumping to last section.
TODO: There's still trouble editing with KB in Bar-Beat-Tick mode, the bar and beat being '1' based.
TODO: Fix SigEdit (the time Signature Editor boxes).
- Fix some build and compiler warnings. (Orcan)
- Fix the max slider value in the transport. This was a typo I made during conversion. (Orcan)
08.12.2010:
- Ported many more Qt3 methods to Qt4. (Orcan)
- Turned off Qt3Support. Muse2 is now a pure Qt4 application. (Orcan)
07.12.2010:
- Ported rack. TODO: Drag and drop needs a hand. It's not working. (Orcan)
- Converted various Qt3 support methods to Qt4 in many files. (Orcan)
- Includes cleanup in app.*. (Orcan)
- Converted all instances of latin1() and crossed my fingers. Initial tests OK. (Orcan)
06.12.2010
- Built Awl::posedit and Awl::sigedit, and replaced /widget versions and all usages. (Tim)
TODO: Awl::sigedit has no returnPressed signal, for lmaster.
TODO: Transport position posedits jump to sub-ticks sections - can't auto-inc other sections.
- Reverted class SpinBox to previous revision. Test OK. (Tim)
05.12.2010
- Completed porting of dlist module (the drum list). Test OK. (Tim)
- Ported sigedit and posedit. Used SpinBox in place of Q3SpinWidget. TODO: Needs some work on
locating the arrows of the SpinBox accurately. Maybe we need to implement another SpinBox
from scratch? (Orcan)
- Ported plugin.cpp. Both internal and LADSPA plugins tested okay. (Orcan)
- Trivial conversion of Qt3 support methods to Qt4 in some widgets: slider, sliderbase, knob,
ttoolbutton, mlabel. (Orcan)
04.12.2010
- Fix: Escape button does not exit track renaming editor. (Orcan)
- Fix: Midi ports config table items are editable when they are not supposed to. (Orcan)
- Ported scldiv. Things seem to work as before. Maybe needs more testing. (Orcan)
- Removed fontsel, and synthwizardbase from the project. (Orcan)
- Feature: In waveedit, the mousewheel controls the vertical slider. (Orcan)
- Completed porting shortcutcapturedialog, filedialog. Added paste clone, 2track, clone2track,
insert empty, insert, to configurable shortcuts. Changed all arr/pianoroll/drumedit hard-wired
keys to refer to shortcut table. (TODO: Other windows?) (Tim)
- Correction: Convert all state() to QInputEvent::modifiers() and stateAfter() to modifiers()
(I forced a downcast to QInputEvent if required). Is correct? QT Help says:
QInputEvent::modifiers() "Returns the keyb. mod. flags that existed imm. before the event occurred."
QKeyEvent::modifiers() "Returns the keyb. mod. flags that existed imm. after the event occurred."
03.12.2010
- Ported all copy/paste/drag/drop coding. Including pianoroll, drumedit, pcanvas, prcanvas, dcanvas,
and effect rack. Test OK cut, copy, paste, also drag n drop various files to arranger and rack. (Tim)
- Fixed arranger menu cut/copy enabling. Was never right before. Test OK cut and copy. (Tim)
- Completed port of MidiInstrument. Fixed its populatePatchPopup(), which fixes midi trackinfo
instrument selection not updating h-bank, l-bank, and prog spinboxes. (Tim)
- Some cleanups: Remove the old Header class. Rename HeaderNew to Header. (Orcan)
- Ported: osc, wave, dcanvas. (Orcan)
02.12.2010
- Ported alayout, tlist, arranger (Orcan)
- Minor tweak in the HeaderNew API to set column widths easier. Also commented out the
old Header class. We can probably remove it soon. (Orcan)
- Ported help.cpp as is. But maybe we should use QDesktopServices to open user's default browser
instead of the browser specified in a config option. (Orcan)
- Ported scrollscale and splitter (Orcan)
01.12.2010
- Ported listedit. (Orcan)
- I missed to port one action call in drumedit. Now it's (hopefully) done. (Orcan)
- Ported midiport. This also finishes the port of dlist. (Orcan)
30.11.2010
- Ported vscale and ctrledit. (Orcan)
29.11.2010
- In Mess::processEvent(), added ME_PITCHBEND case. For synths which don't override
processEvent (like Vam and Deicsonze). Pitchbend should work in them now. (Tim)
- Added a new HeaderNew (Qt4 based) class to be used instead of Header (Qt3 based). (Orcan)
- Ported drumedit except a Q3PopupMenu reference that needs to be ported in midiport.cpp.
This update restores the tooltips, adds icons to edit menu items in drumedit window. (Orcan)
28.11.2010
- Finished porting Marker View. (Orcan)
- Ported ctrlpanel. Needs some testing. I also removed usage of the Oxygen's "pen" icon
in place of the pencil. The pen looks bad in ctrlpanel. (Orcan)
- Deicsonze2 added (!!) Fresh re-import from evolution. Test OK. (Tim)
TODO: Plugin controllers disabled - we need the Ctrl class.
Restoring of state (that's a MusE problem I think).
Fix deicsonze.cpp:3612: warning: deprecated conversion from string constant to ‘char*’
- Ported Mastertrack list view. (Orcan)
- Finished porting of Canvas module. Should be done. Not sure about one mouse event buttons() usage. (Tim)
27.11.2010
- Completed porting pianoroll module including menus, shortcuts. Should be done. (Tim)
- Ported the following .ui widgets to Qt4: organguibase, gatetime, midisync,
routedialogbase, vamguibase, 1050, 2142. (Orcan)
- Fixed the whatsthis and tooltip bits of tho Midi Ports dialog. (Orcan)
- Ported Quant Config dialog. (Orcan)
- Ported the popup menus in the canvas. This should restore the color selection of tracks. (Orcan)
- Removed midiportroutebase.ui, fdialogbase.ui (the one from organ) (Orcan)
- Removed some unnecessary Q3* references. Converted popup menus in various places. (Orcan)
26.11.2010
- Fixed midi trackinfo growing size - set output device list box and instrument button
h-size policy to 'Ignore'. (Tim)
- Fixed trackinfo spinboxes only go to 99 - changed some trackinfo ui spinbox properties
(maxValue -> maximum, minValue -> minimum etc). (Tim)
- Fixed SpinBoxFP class. Was never right before. (Tim)
- Fixed transform and input transform ui files and dialogs - using the corrected SpinBoxFP. (Tim)
- Converted comboQuant widget to Qt4 (found in miditransform dialog).
TODO: Doesn't actually open - why? (Tim)
- Finished porting edit instrument dialog to Qt4. listitem.h is removed as it is no longer
needed. (Orcan)
- Added missing includes on comboQuant. The compilation was failing here. (Orcan)
25.11.2010
- Fixed column widths, alignments, device renaming and jack device creation issues in synthconfigbase.
Somehow the last changelog entry about this didn't get committed. That's added too. (Orcan)
24.11.2010
- Resinstated the Midi Transformer. Was left out when both TF and iTF were removed, and then I
asked for them to be put back. So yes, transformbase.ui is used now. (Tim)
- Completed conversion of waveedit(.cpp, h), including menus and shortcuts. Should be done. (Tim)
- Set undo/redo shortcuts on global undoAction/redoAction, instead of Q3Accel in each window. (Tim)
- Fixed some leftover setAccel()'s in app.cpp (Tim)
- Fixed delete shortcut key. Set in MusE constructor. (Tim)
- Reinstated special Toplevel::CLIPLIST case in MusE::toplevelDeleted(). Caused problems. (Tim)
TODO: Still not right with the menu checkmark...
- Ported rhythmbase, fluidsynthgui, fluidgui to Qt4 (Orcan)
- Removed patchbaybase from the project (Orcan)
- Added ENABLE_EXPERIMENTAL flag to cmake. Marked rhythmbase, s1 experimental (Orcan)
- Fixed a connection in miditransform (Orcan)
- Fixed crash in FluidSynthGui::channelItemClicked(): Use item->row() for the channel. Test OK. (Tim)
- Start porting synthconfigbase. It's mostly functional. TODO: Column widths and alignments,
renaming device name, port Q3WhatsThis bits (Orcan)
23.11.2010
- Added Track::cname(), applied to strip labels' object names, so they may be used in style sheets. (Tim)
- Added struct SysEx and some friends, to minstrument.h, prep. for the instrument editor. (Tim)
22.11.2010
- Oops, fixed regression, marker view and cliplist crashes, removed setAttribute(Qt::WA_DeleteOnClose)
from TopWin constructor, and added it to individual TopWin sub-classes (only MidiEditor needs it). (Tim)
- Final major leak fixed: We can now delete the main MusE object just before returning from main! (Tim)
Now that markerview, cliplist et. al. are also being deleted (verified, dtors called), I changed
MusE::startClipList() so the main MusE instance owns it like all the others. It deletes too, now.
Also removed odd special Toplevel::CLIPLIST case in MusE::toplevelDeleted(). Hope it works...
Tested closing complex song, with all windows open. Nice to see final Finished! message (new, with -D).
- Eliminated double-buffer pixmap in View class (not required in Qt4). TODO: install event handler. (Tim)
- Ported the following .ui widgets to Qt4: editgainbase, gensetbase (Orcan)
- Removed unused .ui widgets: wtrackinfo.ui, editctrl7dialogbase.ui, editmetadialogbase.ui (Orcan)
- Fixed remaining alignment issues in editors, using setSpacing(0). TODO Controller panels. (Tim)
21.11.2010
- All menus now use QActions. Some shortcuts are left to be assigned correctly (Orcan)
- Clean up: Remove submenu integer ids from the MusE class in favor of QActions (Orcan)
- Ported the following .ui widgets to Qt4: didyouknow, transposebase, cliplist,
configmidifilebase (Orcan)
- Ported View and MidiEditor classes. Fixed TopWin constructor. Test OK all editors. (Tim)
20.11.2010
- Remove most wrapper classes around .ui widgets. I was wrapping them too much. Some widgets
(e.g. songinfo) still need wrappers though. (Orcan)
- Ported the following .ui widgets to Qt4: appearancebase, mixdowndialogbase,
shortcutcapturedialogbase, shortcutconfigbase, aboutbox, editsysexdialogbase,
editnotedialogbase, editctrlbase (Orcan)
- Converted all of editevent.cpp to Qt4 (Orcan)
- Load default compiled-in style-sheet resource :/style.qss in main(). (Tim)
Added style sheet support to Appearance settings, with reset button.
19.11.2010
- Started some conversions of midieditor, pianoroll, drumedit, incl. their QGridLayouts. (Tim)
- More icon conversion work (Orcan)
- Move global, user, project .xpm files into the xpm/ directory. Handle them the same way in
filedialog.cpp as we handle other pixmaps elsewhere. (Orcan)
- Ported the following .ui widgets to Qt4: commentbase, metronomebase, mtrackinfobase,
midifilter (Orcan)
18.11.2010
- Updated build part README file - read it! Tell user to specify Release build type. (Tim)
- Added printout of build type in top level cmake. (Tim)
- Removed duplicate LASH detection in top level cmake. (Tim)
- Ported the following .ui widgets to Qt4: transformbase, itransformbase, mrconfigbase (Orcan)
- Finished remaining port work of mixer and strips. Should be all done now. (Tim)
- Modified icons.cpp to Use theme icons whenever possible. We now need to match muse
icons with the standard theme icon names (Orcan)
17.11.2010
- Removed a fix which cured graphic corruption for me in MusE-1. Not required now. (Tim)
- Small change to Orcan's filedialog, re-enabled global button. (Tim)
- Ported the following .ui widgets to Qt4: songinfo, mittransposebase, velocitybase (Orcan)
16.11.2010
- Fixed track info sizing problems. In Arranger::switchInfo() added tgrid->update(). (Tim)
QLayout::update() seems to be a new method, we needed to call it here.
- Fixed mixer maximum and minimum sizes. (Tim)
Bit of a tough hack. Is there a better way? Done by sub-classing QScrollArea and catching
LayoutRequest events, just before paint events when the window sizes are finally correct.
TODO: Still off by a few pixels when mixer first opened, because main window frameSize
is not set yet, by the time LayoutRequest is caught.
- Transformed file dialogs to Qt4. This was the first attempt to transform a .ui file to Qt4
as well. New .ui files do not store image information. Thus I moved the 3 icons from
qfiledialog.ui into their own files.
TODO: Qt4 does not support file preview in file dialogs yet. The relevant code (wallpaper
preview) is disabled. Now we either have to implement an image previewer, or forget about
this feature. (Orcan)
- Only try to use theme icons in file dialogs if Qt >= 4.6 (Orcan)
14.11.2010
- renamed deicsonze2 files and classes with '2' suffixes
- Applied patch by Orcan to convert populateAddSynth(). (Tim)
- Changed all setMargin() calls to setContentsMargins(). (setMargin() is obsoleted!) (Tim)
- Fixed crash in MusE::closeEvent() upon close: save, skip, abort? = abort. (Tim)
TODO: Some other suspicious looking closeEvent()s. May need to fix...
12.11.2010
- Fixed arranger alignment issues - set layout margins to zero. (Tim)
TODO: Track list items aligned to canvas tracks are still off by one lousy vertical pixel.
11.11.2010
- WIP: Mixer and strips re-designed to be theme/font friendly - no more fixed STRIP_WIDTH. (Tim)
- Fixed Slider, Knob and DoubleEntry classes. Knob anti-aliasing applied (where allowed).
- Transport handle colour fixed - added setAutoFillBackground(true).
10.11.2010
- Ported transport window to Qt4. The handle color needs a fix (Orcan)
09.11.2010
- Fixed audio and midi strips and converted to Qt4. Looks OK now, but will be better... (Tim)
TODO: Convert Slider, Knob, EffectRack, ComboBox classes etc. (After that the strips will be perfect.)
08.11.2010
- Add missing link to libdl.so. Caused build failure on Fedora 14 (Orcan)
- Fixed strip name label colours, also name label auto-font-sizing. (Tim)
- Updated some window flags (stay on top, delete on close...) (Tim)
07.11.2010
- Mixer is fixed and converted to QT4. (Tim)
- Conversion of TLLayout class to QT4.
- Conversion of TempoEdit class to QT4. Displays proper doubles now.
06.11.2010
- Yipee! De retour aux les popup menus 'stay-open'. (Tim)
- Fixed PopupMenu class. All routing popups done (midi trackinfo, midi strip, audio strip).
TODO: Fix midi 'toggle all'. Use routes as QVariant action user data (someone started this already)...
- Major cleanup of audio and midi strip comments, code. (A fresh start for your tired eyes, you guys...)
- Test OK so far with all track types.
04.11.2010
- Fixed LADSPA plugin dialog. TODO: fix sorting order. (Tim)
- Fixed MenuTitleItem class. Fixed some usages of it (Jack popup routes, midi cfg routes). (Tim)
02.11.2010
- Solved! All the MESS synths load now. Removed mpevent(.h, .cpp) and evdata.h from /libsynti,
conflicting with copies in /muse, causing crashes. Versions in /muse are newer.
Should only be one version. Whether we end up putting it in a library, or leaving it
in the main app as I have done here, it had to be moved one way or another.
If we really need 'reduced, simplified' functionality of the /libsynti mpevent versions,
then it should be a base/inherited class type of solution, not two different copies. (Tim)
02.11.2010
- Fluid, fluidsynth, simpledrums: Testing: For now, disable certain sendSysex() calls crashing. (Tim)
Marked as "MusE FIXME:". At least fluidsynth appears to be working now. Other two not so good.
01.11.2010
- Fixed all MESS plugins: compile with -fvisibility=hidden, to avoid namespace conflicts.
In particular, simplesynth was causing conflict with variable 'plugins' causing it to
be overwritten.
- So, this fixes LADSPA plugins not appearing in plugin list.
- Added simpledrums from muse_qt4_evolution, is called 'simpledrums2' and replaces the original.
31.10.2010
- Fixed Toolbar1 class. 'Snap', 'Quantize' combo boxes should work now. Thanks to Luis G. for help. (Tim)
30.10.2010
- Fixed Deicsonze crash and missing Organ. Both load now. (Tim.)
27.10.2010
- Fixed drawing of Slider widget and Meter widget (rj)
- Fixed keyboard shortcuts for tools on toolbar (rj)
- More conversions with windows done previously done, fixes. Marker, Master gui + List. (Tim)
Some new style header fixes here/there.
26.10.2010
- Fixed non-opening view menu windows (mixers, marker, bigtime etc). (Tim)
Found all the isItemChecked() returning opposite of before (for example in toggleBigTime()).
And yet the setItemChecked() remains unmodified and it works (for example in showBigtime()).
Not understood why - yet.
26.10.2010
- Applied large patch by Orcan to (start) converting to native QMainWindow and QToolBar. (Tim)
- Completed piano roll, drum edit, MusE app, and arranger toolbars.
24.10.2010
- Finds MESS synths now including fluid/fluidsynth, but all crash except Vam and S1. (Tim.)
22.10.2010
- cmake scripts changes thanks to Orcan Ogetbil oget.fedora > gmail.com (Tim.)
'make uninstall' facility added!
Drop our obsolete pkgconfig for newer native cmake pkgconfig.
LASH detection fixed.
Summary added.
Renamed installed executable 'muse' to 'muse2'.
Install /utils, /packaging, and /demos files.
Other minor changes.
21.10.2010
- Toolbar1 usage of Q3ListBox changed to QTableWidget. (p4.0.3 Tim)
- More Toolbar1 fixes. (p4.0.4 Tim)
- Fixed widgets/tools.cpp EditToolBar::EditToolBar connect Q3Action. (p4.0.5 Tim)
- Crashes: Removed all "undoRedo->removeFrom..." from destructors (~pianoroll() ~drumedit() etc.) (p4.0.6 Tim)
20.10.2010
* Fixed: cmake should work now. (T356)
- Changed the QT4_WRAP_UI3 macro to generate <filename>.h instead of ui_<filename>.h
- In /muse/CMakeLists.txt, included all the uic generated headers paths (the 'build' paths).
- Tested OK with fresh svn pull.
19.10.2010
* Fixed: Some missing files, errors with cmake build. (T356)
19.10.2010
* Changed: Build system changed to cmake. (T356)
- Some other suitable changes. p4.0.2
- WIP Need to fix a few placed in code with regards to installation search paths (MESS synths not found etc.)
- Choose suitable version number. Currently left at 2.0.1
- Maybe a few other things. Change name of prog so as not to conflict with existing muse installation? etc. etc.
- Default install location is /usr/local. Be careful not to overwrite an existing working muse-1 !
16.10.2010
* Fixed: Routing and popup menus should work now. Sorry, no 'stay-open' menus for now. (T356)
- p4.0.1 Reverted back to regular non-overloaded Q3PopupMenu behaviour (self-extinguishing) for PopupMenu class.
- Removed "gRoutingMenuMap.clear()" and "gRoutingPopupMenuMaster = 0" from MusE::routingPopupMenuAboutToHide().
Instead, added protection from non-visible menu in MusE::updateRouteMenus().
* Tested: Pianoroll, drums open but toolbars are very messed up. Marker, transport, bigtime, all others seem OK.
15.10.2010
* Feature: Unified Jack midi devices in midi ports list. Can be both input and output, just like ALSA devices. (T356)
- Marked as p3.3.55
* Corrected: Three things which did not compile in conversion to new muse-2: (T356)
- <string>true</string> -> <bool>true</bool> in mtrackinfobase.ui, for recEchoButton toggleButton property. (T356)
- Surround with QString(): "strerror(errno)" in MusE::save(), and "incstr" in MidiDeviceList::add(). (T356)
14.10.2010
=======================================
* muse2 branch (Conversion to QT4, QT3 compatibility mode for now) checked in (rj) (T356)
=======================================
09.10.2010
* Fixed: Gluing of midi track parts, over tempo changes, caused incorrect note times and lengths. (T356)
- Fixed Song::cmdGluePart().
08.10.2010
* Disabled: Precount does not work, disabled function in gui (rj)
=======================================
* 1.1 tagged (rj)
=======================================
* added: missing headerfile in dssihost.cpp, required for building on Ubuntu Maverick (rj)
21.09.2010
* Fixed: Mixers not restoring their size properly upon song load. (T356)
- Rearranged MusE::loadProjectFile1() slightly so mixer resizing done at end. Tested OK.
* Changed: Disabled some optimized code always enabled in Dsp::cpy(), for now, in case of 64-bit issues. (T356)
16.09.2010
* Created rc2 release for 1.1 (rj)
* Fixed: Delete track(s) not disconnecting track routes, causing routes to hang around and store in song file. (T356)
- Fixed major regressions (my fault) in Song::insertTrack2() and ::removeTrack2().
* Fixed: Dummy audio device: Crashes when Jack midi device created in device manager, or loaded from song. (T356)
- This allows to create Jack midi devices even when dummy audio driver is used.
- Tested OK loading complex Jack midi based songs with dummy audio driver.
* Fixed: AlsaTimer cannot start, with dummy audio device. (T356)
- Reverted: Back to default SND_TIMER_GLOBAL_SYSTEM in AlsaTimer, for now until a better fix.
- Also replaced pop-up warning in dummy loop with terminal output instead.
* Changed: MidiDevice <-> Track routes replaced with MidiPort <-> Track routes. (T356)
- This allows to change a port's device (even to <none> !) while keeping all the track channel routes.
* Changed: Single midi <-> track route with channel mask, instead of one route-per-channel. (T356)
- Potentially saving very many routes from memory and in song file.
10.09.2010
* Fixed: regression with oR routing for Aux strips (rj)
05.09.2010
* Fixed: shortcut for insert moved to Ctrl+Shift+X (rj)
* Added: Select all toggle for midi channels iR menu (rj)
* Added: Auto-route-connect old songs with obsolete midi input port/channel masks (before iR button added). (T356)
- Added MidiTrack::setInPortAndChannelMask() and called it from MidiTrack::read().
03.09.2010
* Changed: Updated German localizations muse_de.qm and muse_de.ts from <babarosa [at] gmx.at> (T356)
* Added: Instrument definitions and drum maps for Kurzweil SP2X, from <babarosa [at] gmx.at> (T356)
28.08.2010
* Created rc1 release for 1.1 (rj)
* Added: Instrument definitions for AKAI SG01 and Waldorf-microQ from <babarosa [at] gmx.at> (rj)
23.08.2010
* Added: Possibility to turn on/off move-armed-track with track selection in settings (rj)
21.08.2010
* Renamed: Soft synth configuration changed to Synth configuration, as per patch from Geoff King (rj)
* Fixed: Shortcuts with modifier keys wasn't working for global shortcuts, should be now (rj)
* Added: Shortcuts for changing len of events, default Ctrl+Shift+Left/Right (rj)
10.08.2010
* Fixed/Changed: Grid reacts to midi resolution change (rj)
01.08.2010
* Added: Move track selection when part selection is moved, is this a good approach? (rj)
* Added: Backspace unarms all armed tracks (rj)
24.07.2010
* Feature: Audio and midi routing popup menus now stay open, for making rapid connections. (T356)
* Fixed: Delete some objects hanging around upon close like song, audio, midiSeq, and prefetch. (T356)
TODO: Find a way to delete the 'muse' object without causing problems like seg faults.
21.07.2010
* Improved: Note lanes in pianoroll and marking of C-notes (rj)
20.07.2010
* Fixed: illegal shortcut no longer reported on startup (rj)
18.07.2010
* Fixed: Handle errors during timer initialization more gracefully (rj)
15.07.2010
* Added: Volume control for audio metronome (rj)
12.07.2010
* Fixed: When wave files were edited allocation was on stack which caused crashes for larger selections, now done on heap (rj)
* Added: Print svn version in -v and About box. (rj)
* Fixed: Bug with RemoveShortEvents plugin script, would not remove anything due to index error (rj)
10.07.2010
* Added: Insert measure, inserts empty space and moves everything after playpointer to the right and
Part-insert, pastes parts and moves everything after the paste point to the right
it's currently not possible to change the shortcuts for these, wip (rj)
06.07.2010
* Added: Button in transport to enable/disable jack transport. (rj)
* Fixed: Dropdown Snap and Type in arranger toolbar no longer steal focus, annoyed the helloutame (rj)
* Fixed: Making edits to larger chunks in wave files no longer cause a crash, heap is used for allocation (rj)
* Improved: Part selection when navigating with keyboard, previously there was sometimes a need to use the mouse
to get a part selected, now the first one should be selected (rj)
* Added: some automation (very)wip stuff, not enabled, just to get it off my harddrive (rj)
22.06.2010
* Fixed: Crashes loading a song while another is loaded. Or worse, it loads but saving corrupts the file! (T356)
- Song::clear(): Clear all midi port devices. Delete Jack midi devices, and remove all ALSA midi device routes.
- Route::read() Ignore bogus midi routes in med file if the device they refer to is not in use by the song (port is -1).
- MidiJackDevice::writeRouting(), MidiAlsaDevice::writeRouting(): Ignore and do not write midi routes if the device
they refer to is not in use by the song (port is -1). This prevents bogus midi routes writing to med file.
- Fifo::~Fifo(): Free the buffers! Fifo::getWriteBuffer(), Fifo::put(): Verify allocation. Fifo::get(): Verify buffers.
15.06.2010
* Fixed: Jack midi output: Sent pitch bend and program values were incorrect, if coming from midi keyboard. (T356)
- Reported by Pieter while using Hurdy Gurdy vst under fst. Tests OK now, here.
* Fixed: Drum editor: Controller graph not in current tool mode (pencil, eraser etc.), when first opened. (T356)
- Call setTool() in DrumEdit::addCtrl().
* Fixing: Drum editor: Velocity controller graph showing incorrect for selected drum, or showing for all drums, when first opened. (T356)
- WIP. Still not quite correct, but at least now it doesn't show all drum velocities when first opened.
(This is interesting! I will try to allow 'no drum' list selection, to show all drum velocities at once, just like piano roll.)
13.06.2010
* Fixed: More fixes to marker list, selected item was still not right. (T356)
03.06.2010
* Fixed: Time signature editing problems in master track list and gui. (T356)
- Fixed SigEdit::outOfRange(). Added Sig::isValid(), and check it in LMaster::returnPressed() to fix crash with 0 n or z.
* Fixed: Marker/list problems. Double entries. Pianoroll/arranger timescale 'shift-left/right-click-to-add/del-marker' fixed.
Marker 'lock' (smpte/ticks) works now. Up/down buttons fixed. Marker list selection 'stays put' now
when adding or deleting markers. (T356)
* Fixed: Graphics corruption in arranger and track list when vertically scrolling. (T356)
- Changed rectangle to full w/h in 'shift down' section of View::setYPos() and TList::setYPos().
Should not have to do this, but it cured my problems. No noticeable change in speed.
- Arranger corruption occurred on more than one machine with xorg nv, ati drivers. More severe arranger AND track list
corruption occurred with proprietary drivers. Corruption is also observed in several other windows (ex. ladspa browser)
but there's not much I can do, the corruption is found in ordinary usage of QListView for example.
* Changed: Increased arranger vertical scroll step, was too slow to scroll. (T356)
* Possible fix: Auto-scroll in pianoroll and arranger take waaay too long to stop scrolling. (T356)
- Increased timer timeout from 40 to 80 ms in Canvas::scrollTimerDone(). Helped for me, on a 1.6Ghz P4...
* Changed: Ladspa plugin guis now have scroll bars. Helps when there are many controls. (T356)
- Still toying with the code a bit, please bear with me while I try to get it right.
* Started: Addition of MusE-native ladspa guis for dssi synths. (T356)
- No visible changes yet, just under the hood. Added class PluginIBase which is inherited by
DssiSynthIF and PluginI. Changed class PluginGui and DssiSynthIF to fit.
07.05.2010
* Fixed: Xml file trouble: Tag attributes not storing xml-friendly entities, trouble reloading song. (T356)
- Fixed all usages of Xml::nput, ::put, ::tag, and ::etag. Discovered by Geoff B.
06.05.2010
* Fixed: Audio Input tracks: Loud noises or DC output with unconnected input routes. (T356)
- AudioInput::getData(): Do not get buffers of unconnected client ports. Causes repeating leftover data.
* Fixed: Audio Input tracks: Stereo processing not correct if both input routes connected to same port. (T356)
- AudioInput::getData(): Just copy the buffers always, don't set buffer pointer directly.
* Fixed: Effect rack plugins: Not saving correct number of plugin channels. Upon reload, channels are wrong. (T356)
- PluginI::writeConfiguration() and PluginI::readConfiguration(): Write and read the channels, not instances.
- Optimize TODO: Is xml plugin 'channel' really necessary? Well not now, but later if we optimize the effect rack
by not creating redundant plugin instances if the next plugin in the rack doesn't need them.
What I have changed is always make the number of plugin channels equal to the number of track channels.
PluginI::setChannels() and PluginI::initPluginInstance() then sort out the details of how many instances to create.
* Fixed: Effect rack plugins: Some plugins crash MusE, for example plugins with no audio outputs. (T356)
- PluginI::setChannels() and PluginI::initPluginInstance(): Be more aware of different audio ins and outs.
* Added: First draft help file README.effects-rack titled "Understanding the Effects Rack". (T356)
- Details how MusE uses plugins, especially now with these changes.
27.04.2010
* Changed: Building: Separate --enable-dssi --enable-osc configure options. (T356)
--enable-dssi (Enable dssi synths AND special handling of dssi-vst ladspa effect plugins. No guis if by itself.) and
--enable-osc (Enable dssi guis. Useless by itself at the moment).
Use both for best features.
* Feature: If dssi and osc support are enabled, audio track effects rack dssi-vst plugins can now show their NATIVE guis. (T356)
* Fixed: Storing dssi synth states. Remembers current program, all configure strings, and control settings - for current program ONLY. (T356)
- With dssi-vst synths, some better are than others at remembering program.
- Todo: Ignore unwanted dssi-vst config strings/values like "guiVisible" "<name-of-fifo-file>" (gives non-fatal error on reload).
* Fixed: Dssi native synths (hexter, LTS etc.) should actually work now. Their gui controls operate the sounds now. (T356)
- Todo: If using large audio buffers (Jack), my 'one-at-a-time-per-audio-process' osc control fifo streams kinda suck,
with a delay in their processing. Want to try MULTIPLE 'run's or 'run-multiple's PER audio process, for SAMPLE accuracy and
better quicker message processing. Just need to add a timestamp to my osc fifo items, then all forms of change - whether
control, midi event, or program - have a timestamp with which we can SPLIT UP the runs into 'runs between changes'.
* Tip: Currently a patch to dssi-vst is required for their guis to update properly. (For now, ask about this on our lists.)
21.04.2010
* Fixed: Shortcut for moving between tracks in arranger. Ctrl+Up/Down (rj)
19.04.2010
* Patch: Fix for libdir bug causing synths to not be available on some 64bit systems. By Orcan Ogetbil (rj)
* Fixed: Drawing of grid when snapping to less than measure (rj)
12.04.2010
* Fixed: LADSPA rack effects: Do not display LADSPA output controls (such as latency). (T356)
* Fixed: Bug when cancelling 'save as' operation, says 'file exists'. Caused by my earlier compressed save fixes. (T356)
11.04.2010
* Fixed: DSSI requested midi mapped controls were not correct. (T356)
* Changed: Working on controllers, and saving their state. Synths like Organ should remember their state now. (T356)
- Working on DSSI controls... Working on OSC stuff...
06.04.2010
* Fixed: Jack midi, and DSSI: Midi controller knobs, sliders, boxes etc. not updating with current values. (T356)
- Copied code in MidiPort::sendEvent() to JackMidi::processMidi() and DssiSynthIF::getData().
* Fixed: DSSI: Crashing with unknown controllers sent to synths. (T356)
- Ignore unknown controllers in DssiSynthIF::processEvent().
05.04.2010
* Added: Rec enabled track moved with selection when only one track is rec enabled (rj)
* Changed: Made canvas show grid the default (rj)
* Added: Jack midi ports can now be renamed in the ports list dialog, by clicking on the name. (T356)
- Also cleaned up ports list behaviour and added tooltips.
30.03.2010
* Major reworks: Jack midi, routing system, multichannel synth ins/outs, midi strips and trackinfo pane. (T356)
- WORK IN PROGRESS. Should be usable for current projects.
- ADVISORY: If opening current projects you are advised to "save as" or back up your med files (waves should be OK)
until all is deemed to be working OK. It is possible more changes to .med file structure are needed later.
- Some .med project file structures have CHANGED (like routing). I have tested opening large existing projects,
then re-saving them. OK so far.
However, I have not added importing code for the old midi trackinfo panel 'input port' and 'input channel' boxes (gone now).
If you want to wait, I am planning to do that, but later... Otherwise you must re-enter them with the new midi input routing.
- ** Multichannel synth inputs and outputs: Fairly satisfied with popup menus, hopefully no major reworks...
Routing system fully supports multichannel synth mono/stero paths but is NOT COMPLETE yet.
When changing a connected track from stereo to mono, there is no coding yet to ensure the existing stereo routes are
changed from stereo to mono (just like the audio input and output tracks have always done with Jack routes).
Also coding must be added to avoid simultaneous mono and stereo routes - make them mutually exclusive - although
there's nothing technically wrong with it, it's just not desirable.
- ** Jack midi: You now create your own Jack midi ports. I have not added any means to delete them yet, but I believe
if you 'unselect' them in the midi ports list so that they are not used, then the saved .med file will ignore them.
- Multi-instances of MusE should work OK now - all ports should hopefully have unique names.
- Number of midi ports increased from 32 to 128. It's a bit much for the ports list, was planning "create your own
midi port as needed" (like RG). Obstacles seem to have been cleared now, but it would be a big job (lots of places to change).
- Along the way various tweaks and fixes when I spotted them.
18.02.2010
* Added: Separate Jack midi client ports per MusE port. (T356)
- For now, you will have to manually add further connections to those ports if desired, each session.
- Tested OK rec/play so far.
* Fixed: Some inconsistencies in midi controller number decoding. (T356)
- Everything now references the values listed in midictrl.h
* Fixed: Some Jack code was not calling free after calling certain functions. (T356)
* Changed: Midi priority now deaults to audio priority +1. (T356)
- Thanks to RJ for the convincing argument.
14.02.2010
* Added: Jack midi input should be working now. Controllers, too. (T356)
- Tested with large 1024 frame buffer. Events are recorded with good sub-tick (frame) resolution,
as viewed in pianoroll with 64T snap grid.
13.02.2010
* Fixed: Jack midi output should now be frame-accurate, support variable length events (like sysex),
and most controllers should work. (T356)
- TODO: No record yet. Just playback.
- TODO: I have code in place for multiple device listing (like ALSA) with auto-connect,
instead of single 'jackmidi' device, but it doesn't seem to want to actually connect.
Simply enable the #define JACK_MIDI_SHOW_MULTIPLE_DEVICES in driver/jackmidi.h
and it will magically switch. Shows port names as their alias #1 (with a rem'able line to
revert to non-alias names - to be made configurable later). I swear it was working,
then intermittent, then not at all. Hmm...
06.02.2010
* Fixed: MusE hanging on close, with Jack driver. (T356)
- Unregister Jack midi ports on destruction of JackAudioDevice.
05.02.2010
* Fixed: Top level windows: Do not open if there are no parts. Case: bogus -1 top-level part index stored in med file. (T356)
- Changed MusE::readToplevels() and stuff in listedit.cpp
- Was causing crash of list editor upon loading a song saved with the list editor open.
Somehow a bogus -1 top-level part index can make it in to the .med file. Checking this...
* Changed: Preparations for audio processors: Moved stuff out of class Event and into class WavePart. (T356)
- WavePart needs a converter map to lookup events in the part's (shared) event list, in case clones exist !
Ughh, it's going to be tough to ensure the map is always correct because an event cannot tell what part owns it...
04.02.2010
* Improved: Grid handling in arranger improved, it should now be actually usable (rj)
01.02.2010
* Fixed: Jack midi output: Stuck or missing notes. (T356)
- Must only be one jack_midi_event_reserve() per event in handle_jack_midi_out_events().
31.01.2010
* Changed: Midi sync window: Clock is now separated from other real time commands (play/stop etc). (T356)
31.01.2010
* Fixed: Midi sync in: Should be very solid and 'in time' now, play/stop/continue. (T356)
- Re-coded to begin incrementing immediately upon first-clock detection. Forbid MusE to send transport commands
while in external sync mode - our sync router handles that. Was causing problems.
- Tested OK: Ensoniq ESQ-1 KB (sends clocks ony between start and stop) and Roland TR-505 drums (clocks always running).
The measured general timings were quite different, but (thankfully) clocks and events were not.
- MusE responds better to the TR-505 than the ESQ-1 does with a direct midi cable connection! (ESQ gains ticks on continue).
* Added: Midi sync window: 'Rewind on start' column. (Also a 'Send first clock delay' box - not implemented yet). (T356)
29.01.2010
* Feature: Dummy audio driver: Added global settings for sample rate and period size. (T356)
- The period size affects midi resolution, and the default was just too long. So this was added.
27.01.2010
* Changed: Don't process audio prefetch, or getData() in Audio::copyData(), if track is 'Off'. (T356)
* Added: Arranger track list: Quick 'right-click' or 'ctrl-click' or 'ctrl-mouse-wheel' toggling of Track On/Off. (T356)
- Note this includes midi tracks now! Remains to be seen whether allowing midi off is useful and will work,
or should be filtered out. **TODO: Turn off remaining controls in midi strips, turn off actual midi playback and record.
* Feature: Initial Jack midi support. Imported from Larry Valkama's GIT repo. (T356)
26.01.2010
* Fixed: Import midi 'replace' broken last fixes. (T356)
* Fixed: External midi sync: Wait until first clock after start to start transport, and >= second clock to increment ticks. (T356)
24.01.2010
* Added: Midi sync: Added 'Jack timebase master' checkbox, removed requirement of MusE being tempo map master. (T356)
* Added: While on external sync and Jack timebase master, reports correct MusE BBT info to Jack. (Tempo not correct yet). (T356)
* Added: Midi import option: Whether to split imported tracks into multiple parts. (T356)
23.01.2010
* Fixed: External midi sync in: MusE transport not rewinding upon reception of start. (T356)
* Added: Midi sync: MusE now transmits and receives some MMC commands, and displays some MTC and SMTPE info. (T356)
- No transmit MTC or receive MTC syncing yet, just transport control stuff.
- Tested OK with Rosegarden and Ardour, but they do not seem to have an option to sync to the input midi clock,
only MTC or internally. Must test when MTC output added to MusE.
* Improved: Midi sync editor window: Shows MMC and MTC activity and works with them now. (T356)
21.01.2010
* Fixed: First tests: External midi sync in works now! Should be rock solid no matter what is thrown at it. (T356)
- All changes are labeled "p3.3.25"
- Switched to a 'direct drive' method instead of 'calculation of tempo' method.
Drift between source of master and slave is non-existant since the incoming midi clocks
drive the midi engine directly. This is at the expense of exact 64th note resolution.
At MusE's fixed 24 midi clocks per quarternote, triplet 32nd notes are resolved (32nd note divided by three).
MusE's default 'division' (ticks per quarternote) is 384. 384/24 gives a division of 16 MusE 'ticks' per midi clock.
- Normally when using the tempo map (external sync is off), device play event times are in frames,
because the tempo map provides for that kind of sub-tick frame resolution.
But now, during external sync, device play event times are in ticks, not frames.
Hence the compromise between exactness of note times, and master/slave drift.
- Tested heavily with a Roland TR-505 which has a variable 'analog' tempo knob.
Combined that with a complete midi song, and other test 'tick' tracks driving external synth KB,
was rock solid going 'absolutely nuts' with the tempo knob up to 260BPM, surprisingly good resolution.
- TODO: Check safety of 'midiExtSyncTicks = 0' inside audio thread while midi thread is counting it up.
Also fix seek operations and check for any more place needing these 'tick'frame' alterations.
* Changed: Some more changes for compressed files operations. (T356)
- More to be done, but tests OK so far.
19.01.2010
* Fixed: Saving/loading compressed .gz/.bz2 MusE .med files, + loading compressed .mid/.kar files (save broken, off for now). (T356)
- Changed filedialog.cpp:getSaveFileName() and MusE::loadProjectFile1.
- Added separate save file dialog filters in globals.cpp.
- Disabled exporting of compressed midi/karaoke files (.mid/.kar) for now because
a compressed file is opened as a pipe, and pipes can't seek, resulting in a
corrupted midi file in MidiFile::writeTrack().
18.01.2010
* Added: Piano roll and drum editor edit menus: "Select prev/next part". With default hotkeys Alt+Left/Right. (T356)
- This is an easy way to switch parts when multiple part editing in one window (via Ctrl-E or Ctrl-D).
And it was absolutely essential, for multiple dedicated controller track editing since there are no notes,
and no (other) way to select another part to edit.
17.01.2010
* Feature: MusE now has two mixers, with selectable track type display. (T356)
- Changes to .med file were needed. Tested OK so far with old and new song files.
* Fixed: Builtin freeverb and TAP reverb ladspa GUIs, or custom user GUIs not showing controls. (T356)
- Broken since removal of musewidgetsplugin library months ago.
Added PluginWidgetFactory class to handle local creation of controls.
(Custom user GUIs must be done by hand since the removal of musewidgetsplugin library).
* Fixed: Appearance settings red colour adjustment larger than others. (T356)
* Changed: Default controller graph foreground colour from blue to medium orange. (T356)
- Avoid clash with blue colour used by left and right markers.
12.01.2010
* Release: 1.0.1 (rj)
10.01.2010
* Fixed: python detection exchanged for script from http://libvirt.org/ (rj)
09.01.2010
* Removed: Disabled watchdog thread. (T356)
- Tested OK (normally) without it, although behaviour needs to be tested if audio or midi thread
would stop unexpectedly.
* Changed/Fixed: Thread priorites: Added command line switches for audio (-P) and midi (-Y). (T356)
- Audio (-P) applies to dummy driver only. (Else audio priority is fixed by Jack).
- Also changed default settings so that no two threads have same priority. May fix problem reported
by user GB, concerning high midi latency.
* Added: Enable/disable LASH command line switch (-L), (if LASH support is compiled in). (T356)
- Helps prevent some issues like auto-starting Jack, or automatically routing midi to fluidsynth (observed).
07.01.2010
* Fixed: BUG ID: 2879426: *.med does not save meta event types. (T356)
- Changed midievent.cpp MidiEventBase::write(). Now saves value A, B, C and sysex/meta data. Tested OK.
* Fixed: Midi meters now show for each track even if they're all on same device and channel. (T356)
- Oversight, long overdue. The meters AND automation control needed to be 'per-track'.
* Applied: muse-destdir.patch Scripts and utils packaging fix submitted by Orcan Ogetbil. (T356)
06.01.2010
* Feature: Jack transport enable/disable in Midi Sync settings window. Stores setting per-song. (T356)
- Should be Ok to use and test. Needs a bit more work. See jack.cpp and jackaudio.h
* Fixed: Speedups of audio pre-fetch especially when moving the cursor around (seeking). (T356)
23.12.2009:
* Added: DeicsOnze2 initial import. (ng)
* Fix: deicsonzepreset.cpp for Xml muse 1 API
20.12.2009:
=======================================
* 1.0 tagged (rj)
=======================================
19.12.2009:
* Feature/Fix: Audio metronome: Send output tracks now selectable in Settings->Metronome. Also fixed bad noises.(T356)
15.12.2009:
* Patch: New patch for 64-bit memory issues, from Daniel Kobras (rj)
* Reworked: Output of configure script to point out deprecated stuff and list the interesting stuff (rj)
* Fixed: Old bug: WaveTrack muting slow to respond or odd behaviour. (T356)
- Removed track mute check in WaveTrack::fetchData(). Was causing 'delayed repeated muting' since the mute check is
done at a time when audio segments are fetched which are to played a few seconds into the future.
Tested OK so far, playing and bouncing wavetracks. Mute is now quick to respond and does not 'repeat' or 'delay'.
14.12.2009:
* Fixed: Overhauled AudioTrack processing. Fixes noises if multiple output routes exist. Eliminates costly redundant
processing of audio tracks, and their effects racks. Waves, groups, inputs, outputs, synths etc. (T356)
- Made better use of AudioTrack::outBuffers, as a 'post-effect/pre-volume' caching mechanism if the track has more than one
output route. WaveTrack was already using this scheme, but I moved it up 'higher' and now all tracks benefit from it.
- See AudioTrack::copyData() and ::addData(). Most changes there. (Comments included!)
* Fixed: Old songs made before recent synth changes were not loading their synths. (T356)
- In .med file, added synth 'label' tag to go with existing 'class' tag, to support synths like dssi-vst.
- Songs made recently after the changes might not load their synths and will simply have to be re loaded and re-saved.
07.12.2009:
* Fixed: Add Synth popup menu: Show names AND descriptions. Now sorted, too. Also separate MESS, DSSI, VST, and Other. (T356)
- Added app.cpp:populateAddSynth() function.
* Fixed: Increased buffers for reading xml. Song files with large patchdata from vstis caused crashes (rj)
* Fixed: Self inflicted bug with setting initial song loading in general configuration (rj)
06.12.2009:
* Fixed: List popup synths by description. Cleaned up soft synth main list. Added persistent names, descriptions, ver, etc. (T356)
05.12.2009:
* Fixed: ddsi synths: Ticking or crackling when more than one output route path. (T356)
- The synths were being run more than once per process cycle, due to multiple out routes eventually calling getData.
- ** Work in progress - must also do MESS synths and other track types which should only process once per cycle.
* Feature: SSE support configure build option and SSE enabled dsp routines added. (T356)
- Currently none of the routines are actually used, yet... Borrowed from MusE-2.
- They appear to only be enabled for 64-bit CPUs. Investigating why not 32-bit...
* Feature: i386 optimized dsp float buffer copy routines. (T356)
- Should work on all i386 compatible CPUs (uses asm movsl). Borrowed from MusE-2
- I couldn't bear to add yet another unoptimized memcpy usage, so I added this.
* Changed: All audio buffers now allocated with 'posix_memalign' instead of 'new'. (T356)
- Borrowed from MusE-2.
03.12.2009:
* Fixed: Support for initial vst chunk storage support if available in dssi-vst
requires a patch to dssi-vst.
* Fixed: Better cleanup on closing MusE. (T356)
- Added Song::cleanupForQuit called from Muse::closeEvent. Disconnect gracefully from LASH before app quit.
Clean up memory. Make vst synth processes which were in undo or redo list at close go away.
02.12.2009:
* Fixed: Do not send default midi values back to dssi synths. Let them handle their own default setting mechanisms. (T356)
- Also saves a bit of loading time for synths with hundreds of controls. See MidiPort::setMidiDevice().
02.12.2009:
* Fixed: dssi: Crashes when loading most vst synths. (T356)
- All ports must be connected even if not used.
Made sure all audio in/out and control in/out ports are connected,
including latency control out port. Test Ok.
30.11.2009:
* Added: Configuration option for vst plugin in-place processing, fixes ladspa vst plugins not working or loud feedback. (T356)
- Hmmm, they were working before when I upgraded OS. Now they're not. Extensive testing: It seems this is not MusE's fault.
- R.J. reports they weren't working too. Investigating...
29.11.2009:
* Fixed: dssi: Loading of synths with more than 2 out channels. (T356)
- Currently only the FIRST TWO channels of the synth will be used.
- Tested ok so far with A.D. drumkit.
28.11.2009:
* Fixed: dssi: List only synths found, not effect plugins. (T356)
- Does the exact opposite of what dssi-vst does for ladspa plugins,
therefore all plugins should be covered - effects will be listed
in ladspa effect dialog, while synths will be listed as synths.
27.11.2009:
* Fixed: dssi: Both native guis and vst guis should open now. Ooooh - pretty! (T356)
- ** But still: Keep an eye on your process list and manually kill any
synth instances lying around after exit. For now try to 'politely'
close dssi guis and delete any dssi synth tracks before exiting muse.
- Working on gui open-close-reopen-show-hide stuff. Kinda weird esp. with vsts right now...
26.11.2009:
* Fixed: Loading dssi crash bug. Should at least load them now. (T356)
- Also some controller functionality via track controllers...
25.11.2009:
* Feature: Dis.. Dis.. Disposable wha? (T356)
- dssi support. Work in progress.
- ** VERY IMPORTANT Currently you must manually 'kill' any synth instances lying around after exit !!!
- Should work OK for tests and fun...
22.11.2009:
* Added: Support for reading ogg files through libsndfile (rj)
18.11.2009:
* Fixed: Audio and synth tracks not processing when output path ultimately leads nowhere. (T356)
- ALL tracks now always animate meters, and process audio 'quietly', and synth tracks
process their gui messages, if output path leads nowhere.
- This fixes a few problems: For example fluidsynth was not allowing loading of soundfonts.
And synths would suddenly 'dump' any backlogged events when processing was turned back on.
And during play, when disconnecting and reconnecting the track outputs, the audio would be
out of sync because it was not processed during that time.
- See Audio::process1() to understand the changes more. Follow from there to SynthI, SynthIF etc.
* Fixed: Minor issue with port 0 display in track list port column for synths, from previous fix. (T356)
17.11.2009:
* Changed again: Arranger: Track list: Left click synth track's port column now lets you choose a port. (T356)
* Fixed: Do not list synths as instruments in ports/synths settings window. (T356)
16.11.2009:
* Added: Script functionality moved from PianoRoll to song class, available in main menu (under 'Midi')
and drum editor (mg)
* Added: 'Add synth' sub-menus now automatically assign the instance to a free midi port. (T356)
15.11.2009:
* Added: Added 'Add synth' sub-menu to main 'Edit menu' and Mixer 'Create' menu. (T356)
* Changed: All audio track types now start with two channels and 0db volume. (Input tracks remain muted as usual). (T356)
* Fixed: Organ synth: Drawbar harmonics and sustain midi controllers were not working. (T356)
- Applied auto-bias corrections.
14.11.2009:
* Added: DoubleSpeed plugin script for PianoRoll (mg)
* Fixed: Disable Python ifdefs (mg)
13.11.2009:
* Feature: Mixer labels: Auto-Font-Size(TM) using Appearance Settings font # 6. Word wrap (only with spaces) supported. (T356)
- The mixer labels will try to fit the text, trying font size from font #6 point size down to point size = 5.
* Feature: Arranger: Track list: Right-click 'Add ...' now lists soft synths ! (T356)
* Feature: Arranger: Track list: Left/right click synth track's output port column now shows synth gui ! (T356)
* Changed: Midi track info: Removed redundant track name box, changed label to behave like mixer strip. (T356)
* Fixed: Appearance Settings: Manual entry into font name boxes now works. (T356)
* Fixed: Appearance Settings: Added tooltips to font #0 - #6. Explains which font does what. (T356)
12.11.2009:
* Fixes: Some Python API refcount code added (mg)
10.11.2009:
* Added: Effect disable/enable + add/remove track to Python API (mg)
09.11.2009:
* Feature: Added 'Echo recording to output' button to midi track info panel. (T356)
- Turns on or off echoing of incoming record events to output device.
* Fixed: Midi tracks not recording when no output device selected. (T356)
- Now tracks will record with no output device selected.
* Fixed: Problems since increasing number of midi ports from 16 to 32 several months ago. (T356)
- Added Xml::parseUInt() and ::uintTag(), utils.cpp:u32bitmap2String() and string2u32bitmap().
- Fixed saving and loading of input port mask in med files.
- Fixed display of input port mask in track info panel.
08.11.2009:
* Added: First test shot at part managing app in Python (mg)
* Added: Python api functions for selected track + import of part file (mg)
06.11.2009
* Fixed: Python configure.ac problems. (T356)
* Removed: musewidgetsplugin (QT3 Designer widgets plugin) which may cause CVS build to fail with libtool2. (T356)
- Infamous '-o' trick no longer required to build from CVS. Removed until further notice.
04.11.2009
* Added: Shortcuts to drumeditor + pianoroll: goto current pos, scroll left + right (mg)
* Fixed: Added command line switch (-y) for enabling Python control - disabled as default (mg)
* Added: Shortcut keys added to pianoroll and drumeditor (mg)
* Added: Startup dialog showing 'good to know' info, can be disabled (rj)
* Added: Song info dialog, can be used to record song related arbitrary text information (rj)
* Changed: the output limiter is now configurale, and by default off (rj)
* Fixed: Midi loop recording now honours the transport cycle record mode setting. (T356)
- Cycle mode REPLACE: Only record notes in current loop. Erase any previous loop notes from rec stop pos to loop end.
- Cycle mode NORMAL: Same as REPLACE, but don't erase any previous loop notes from rec stop pos to loop end.
- Cycle mode MIX: Keep all recorded notes from all loops.
- Use the transport record mode OVERDUB or REPLACE as usual to either mix with or replace existing track notes.
* Fixed: Midi record (incl. new part, looping, part auto-extend) now honours the arranger snap selection. (T356)
- Previously the left and right ends of the part would always be 'snapped' to bars, and any new notes recorded
past the end would not snap the part.
* Changed: muse/mpevent.h: Changed MREL list from using audioRTalloc to midiRTalloc. (T356)
- This must have been a mistake? midiRTalloc was not even being used anywhere before. The comment lines gave clues.
* Fixed: Multiple copies of wave events appearing in wave parts after resizing part. (T356)
- Changed EventList::find() to respect wave or midi. D'oh! Missed this obvious one from changes I made many months ago.
* Fixed: Audio loop recording now respects arranger snap setting. (T356)
- Previously the left and right ends of the part would always be 'snapped' to bars.
* Fixed: Audio recording now respects punchin and punchout points. (T356)
* Fixed: Audio loop recording now works (currently replace mode only). (T356)
- WORK IN PROGRESS: Only overwrite (replace) mode supported. Working on overdub mode...
- If recording is started INSIDE the loop points, then allowed to loop, the
'zeroth loop' wave contents will be 'shifted' back to the left loop point.
This may have to change if mix mode is to be supported. In other words
keep that 'zeroth' portion of wave in place. May change it anyway.
02.11.2009
* Added: Midi track controller + audio track volume to Python interface (mg)
28.10.2009
* Fixed: No, or badly shifted wave recording, since libsndfile 2008-05-11 (T356)
- Fix for recorded waves being shifted ahead by an amount equal to start record position.
- Removed _recFile->seek() in AudioTrack::record(). Since libsndfile 2008-05-11, "seeking past
end of file during write" is allowed, which caused problem with the line seeking the record
file to an absolute frame which *included* the recording start position.
25.10.2009
* Added: Mute functionality to Python interface (mg)
* Fixed: Midi mixerstrip mute update issues (mg)
* Fixed: initialization in pandelay ladspa plugin (rj)
21.10.2009:
* Added: functions for looping to Python interface (mg)
19.10.2009:
* Added: more functions to Python interface: deletePart, set position of locators, get/set song
length, get division, set midi track parameters (mg)
* Added: now possible to create and modify parts via Python bridge (mg)
18.10.2009
* Added: backported ladspa plugins doublechorus and pandelay from svn-muse (rj)
* Fixed: Mixer was not updating when a midi track's channel was changed. (T356)
- Created a new song changed flag SC_MIDI_CHANNEL and used it to only update mixer midi strips,
not the whole mixer. Changed AudioMixerApp::songChanged() and ::updateMixer().
* Fixed: Mixer was not shrinking enough when a track was removed, leaving space between strips. (T356)
- Added a couple of lines to AudioMixerApp::updateMixer() STRIP_REMOVED section.
* Fixed: Bug with reading soundfonts from song dir fixed (rj)
17.10.2009
* Examples: added some example scripts, DoNothing and RemoveShortEvents (currently requires PyQt4) (rj)
* Added: more tags to plugin format in pianoroll, see readme in dist: share/scripts (rj)
* Added: Updates to Python API, now possible to modify part data. Needs a lot of testing (mg)
16.10.2009
* Added: Added a few functions to Python remote API (start/stop playback + location queries)
* Feature: Each drum instrument listed in the drum map now has a playback 'volume' setting. (T356)
- Currently it affects playback only. I am looking to maybe add record level, too.
* Changed: Default drum map velocity level 3 (110) and 4 (127), now 127, 110. (T356)
- To allow easy (no key hold) drawing of default 110 velocity notes.
(Hold shift = 127, ctl= 90, shift+ctl = 70)
* Fixed: Drum editor controller graphs now align perfectly with editor canvas. (T356)
- Changed DrumEdit::newCanvasWidth().
- Tested OK with various appearance themes, and various vertical splitter positions.
* Fixed: Drum map length, velocity level, and volume columns rapid mid-/right- clicks causing left double-clicks. (T356)
- Now the columns can be quickly mid and right clicked (decrement/increment).
* Fixed: Fluidsynth now realizes that a soundfont was located in the song-dir and then omitts
the path in the configuration data. (rj)
* Changed: Changed the format of the datafile for the automation option in the pianoroll
Mathias, we can wrestle about it later ;-) (rj)
15.10.2009
* Feature: First version of MusE remote Python control (mg)
* Fixed: Drum canvas 'select' functions not updating, can't copy/cut etc. (T356)
- Added updateSelection() to the end of DrumCanvas::cmd(). Tested OK.
12.10.2009
* Feature: External scripting functionality added via PianoRoll menu: (mg)
PianoRoll scans INSTPREFIX/share/muse/scripts and ~/.muse/scripts for executables, which modify part
data via data stored in temporary file
25.08.2009
* Proposal: new default colors for various stuff (rj)
12.08.2009
* Fixed: bug 2811156, soft synth and marker window no longer appear when hidden for XFCE window manager (rj)
15.07.2009
* Patch: from bug 2819312 (by Gerardo Exequiel Pozzi) added. Allows muse to launch with never glibc. The fix is
perhaps not fully understood but it looks harmless. (rj)
09.07.2009
* Changed: Track info program, vol, and pan spinboxes now lose focus with one enter press instead of two. (T356)
05.07.2009
* Fixed: Small fix on behalf of T356, Jack should not be started if running -a (rj)
* Fixed: Help menu -> Report a Bug: Set address to current muse org bug address. (T356)
01.07.2009
* Fixed: Dropdown menus in transport no longer grab focus, make space start/stop work again (rj)
* Fixed: Dropdown in Mastertrack editor no longer grabs focus (rj)
* Feature: Added denormal protection, by default on, can be turned off in global config (rj)
25.06.2009
* Fixed: Recording of midi sysex was not working. (T356)
- My fault since recent midi sync changes. Fixed the last few lines in alsaProcessMidiInput().
* Fixed: Segfault when certain movements are done in track list. (T356)
- Added valid track check to RESIZE section of TList::mouseMoveEvent(),
and a few other places.
23.06.2009
* Testing: A fix for some Jack-2 net problems... (T356)
- Added missing break statements, and JackTransportNetStarting detection
(hard-coded as '4' for now so that muse will build with Jack 1 and 2 - we need
config detection of Jack version!) to processSync(), and JackAudioDevice::getState().
21.06.2009
* Feature: Added Jack freewheel mode. (T356)
- Dramatically speeds up bounce to file and bounce to track operations.
With freewheel enabled, you don't have to wait for Muse to play the song
at normal speed while bouncing - it goes as fast as possible.
- Added configuration option for it. See 'Global Settings -> Audio'.
20.06.2009
=======================================
* 1.0rc3 tagged (rj)
=======================================
* Feature: Jack transport master functionality added. (T356)
- Allows other Jack client apps to properly disply Muse's current bar, beat, and tick.
- Especially useful for songs with tempo and time signature changes.
- It is activated / deactivated by clicking on Muse's transport 'Master',
or Muse's graphic Mastertrack window 'Enable'.
17.06.2009
* Fixed: Segfault after creating simpledrums instance, then adding a midi track. (T356)
- Return non zero in SimpleSynth::getPatchName().
15.06.2009
* Removed: Some code in jack driver which may cause shutdowns or static noise with Jack version 1 (T356)
- Tested several hours here, no shutdowns or sudden static noise. Thanks to the Jack team for that one...
13.06.2009
* Fixed: New midi right-click popup menu 'add/set event' and 'erase event' not working for drum controllers. (T356)
- Also, on 'add/set', added check and ignore if an existing event value is already equal.
* Fixed: Midi track info vol, pan, prog 'Rec' buttons were allowing duplicate events. (T356)
- Added check for existing event in Song::recordEvent().
- Also added check and ignore if event value is already equal.
10.06.2009
* Fixed: Link error concerning libmidiedit.a and CtrlEdit.a (T356)
- Somehow the list of link libraries was out of order. Reordered, tested OK.
05.06.2009
* Fixed: Users in some locales reported audio automation save/load corruption. (T356)
- Changed CtrlList::read() to use QString and QLocale instead of strtol() and strtod().
- Checked: Other places using QString::toDouble() work OK because QString will fallback
to 'C' locale if formatting using current locale fails. (Hmm... But is it a speed hit?)
* Fixed: When linking, get errors concerning uuid functions not found. (T356)
- Added a section in configure.ac to test for uuid.h and libuuid.
- Added uuid lib to list of linked libs.
* Fixed: Midi port controller values not erased upon song load. (T356)
- There were leftover ghost values in the controller graphs between song loads.
- Added MidiCtrlValListList::clearDelete(), called from Song::clear().
* Added: Right-click automation popup menu to all midi controller knobs/sliders. (T356)
- Contains add/set event, and erase event.
- When activated by the muse mixer midi controls, it 'prefers' selected parts on the track
over unselected parts, otherwise it chooses the first part found. If no part is found,
it creates a new one to contain the event.
- When activated by pianoroll or drum editor controller graph, it uses the currently
selected part (within the editor).
- Adding 'previous event', 'next event', 'erase range' and 'clear automation', just like
the audio automation popup menu, will take more time. Not implemented yet.
* Disabled: Midi mixer strip automation type button. (T356)
- There is no midi automation recording mechanism (yet). Disabled to avoid confusion with users.
* Added: Some new instrument .idf files submitted by MST (Michael). (T356)
- Akai SG01v, Korg MS2000R, Korg X5DR, Korg X50, Waldorf MicroQ.
02.06.2009
* Applied: Some patches by Mandriva packagers. (T356)
- muse-1.0-fix-str-fmt.patch for deicsonze printf fix.
- muse-1.0-linkage.patch fixes compiler hang up at deicsonze.cpp.
01.06.2009
* Fixed: Instrument editor 'Save as' was not working right. (T356)
- Was overwriting existing instrument.
- Now prompts for new instrument name.
* Added text in ctrl view to explain how to add controller values (rj)
24.05.2009
* Fixed: Missing uuid header in two files. (T356)
- My fault. Added include uuid/uuid.h to songfile.cpp and pcanvas.cpp.
* Fixed: Bounce to track: Wrong message "Select one audio output track", to "Select one target wave track". (T356)
- My fault. Message is displayed when there is one output and one or more wave tracks, and the user has clicked
on the output but not a track, too.
* Added: Start 'Wave editor' edit menu item, with configurable shortcut key. (T356)
- This will handle multiple wave part editing. The existing right-click wave part popup menu
'wave edit' item did that too, but now has been reverted back to opening a single
wavepart only, just like midi parts.
* Streamlined: All reading of 'part' xml is now done by a new routine. (T356)
- Replaced new PartCanvas::readClone(), and existing Part::read(), with standalone readXmlPart(),
in order to block creation of parts with mis-matched type, which don't belong on a track.
- Allowed mixed part .mpt files (midi and wave), and made a new clipboard type 'text/mixedpart'.
- Mixed part files can be dragged, imported or pasted to either a wave or midi track, and only the
relevant parts will be created.
- Added warning dialog showing how many, of how many total, parts couldn't be created.
- Added a parameter to Event::write() and EventBase::write() to force full wave file paths to be stored.
Used for copying, pasting, dragging, importing, exporting parts, but not for the song file itself.
* Added: Right-click wave part popup menu now has 'export', just like midi parts. (T356)
- As mentioned above, the full wave path is stored so there's minimum confusion when re-loading
the export, unless of course the file moved or was deleted etc.
* Fixed: Some issues with clones, controller events, and port controller values. (T356)
- It means "What you see on the controller graph is what you get, when you move the play cursor."
Port controller values are used when moving the cursor, they make the knobs move and send
values to the midi port. However, during play, they are not used, the song's controller events
themselves are used. Synchronizing these two mechanisms is what this is all about.
Fortunately, during play, "What you see on the controller graph" is ALWAYS correct, and is sent
to the midi port.
- TODO: Not quite done yet. Some functions may not update port controller values properly still,
like splitting or gluing clone parts.
06.05.2009
=======================================
* 1.0rc2 tagged (rj)
=======================================
02.05.2009
* Feature: Right-click popup menu on a clone part now has "Select N clones", where N is number of clones. (T356)
- Major addition: Part "clone chaining system". (See part.cpp for new functions). Speeds up searches for clones.
* Feature: Added 'Paste clone' to arranger edit menu. Pastes clones of copied parts. (T356)
- 'Paste' will behave as always, only making a fresh copy of non-clone parts, while cloning clone parts.
- 'Paste clone' will always make a clone no matter if the parts are clones or non-clones.
* Feature: Added 'Paste to track' and 'Paste clone to track' to arranger edit menu. (T356)
- 'Paste' (and 'Paste clone') now attempt to paste to the original track(s) which the parts belonged to,
or if the original track has been deleted, then the current track.
'Paste to track' and 'Paste clone to track' paste all copied parts to the currently selected track,
which was the previous behaviour of 'Paste'.
- Much work went into making sure that all scenarios work with these features, like copy/paste, drag/drop,
drag/drop .mpt part files, drag/drop between different instances of muse etc.
* Fixed: Importing or dragging midi part file (.mpt) into muse now supports multiple parts in the file. (T356)
- Changed MusE::importPartToTrack().
* Fixed: Midi record into existing part past part end, in 'Replace' record mode, works now. (T356)
- Finished an erase events 'TODO' block in Song::cmdAddRecordedEvents.
* Fixed: Midi record into existing part, past part end, was decreasing part aref count, causing de-clone of clones. (T356)
- Removed extra "part->events()->incARef(-1)" from Song::cmdAddRecordedEvents().
* Changed: Number of midi ports from 16 to 32. (T356)
* Added: Muse application desktop file, and added installation of it plus the muse icon, upon 'make install'. (T356)
- Desktop file submitted by Orcan Ogetbil.
- Note if muse is installed to /usr/local, the desktop file might not find the icon.
* Fixed: "-mcpu= is deprecated" compiler warnings. (T356)
- Changed configure.ac to use -mtune and -march.
* Speedups: Some heartBeat routines (such as Meter) were constantly drawing, wasting time and causing flicker. (T356)
- Also fixed Track Info midi detect light, and Midi Sync lights.
* Fixed: Midi strip vu meters now have a peak indicator. (T356)
* Fixed: Audio mixer strips now update when config minimum meter/slider value changed. (T356)
- Also fixed blocky 'aliased' drawing at low signals / low minimum meter settings.
- Changed Track::_meter and ::_peak from ints to doubles for more accuracy, eliminate 'false' draw update triggers.
* Added: Configurable shortcut key: "Transport: Goto start". Default 'W' key (as in reWind to start). (T356)
* Added: Appearance configuration button: Clear background picture. (T356)
- Also fixed Appearance::apply() to clear the string if <none> selected.
- Also fixed Arranger::configChanged() to set canvas null background QPixmap.
- This means clearing the filename in the 'select picture' dialog also works now.
* Changed: Selected cloned parts now draw (inverted) dashed border, just like unselected parts. (T356)
* Changed: Part drag-clone key from Shift-Ctrl back to Alt. (T356)
- My fault. Was changed to Shift-Ctrl, but Ctrl is for selecting all items in a row or limiting movement to x or y.
- Still not a good thing. Some desktops even reserve Alt, Shift-Alt etc. for window move, snap etc.
- TODO: Must find a way to override desktop setting. Without Alt, we don't have enough keys to work with!
Don't want user to have to disable setting.
* Cleanups: Moved some methods outside of Part and Track classes which I had put inside them. (T356)
- Methods like addPortCtrlEvents() deletePortCtrlEvents() etc.
* Changed: Muse wants qt >= 3.2, but some .ui files had version 3.3. (T356)
- Changed editinstrumentbase, editgainbase, aboutbox, configmidifilebase, gensetbase, midisync,
fluidsynthguibase, and vamguibase .ui files.
* Fixed: Midi Track info panel was allowing track name change to an already existing name. (T356)
- Fixed Arranger::iNameChanged() to warn. Changing the name in the arranger Track List already warns OK.
* Fixed: Crash or bizarre behaviour when undoing a track rename operation. (T356)
- Replaced default simple Track class assignment operator with custom method. Added a flag parameter to
Track::clone and Track copy constructors to indicate partlist is simply assigned, not parts cloned.
Also removed the lines reassigning each part's track (!). Can get away with this since track rename
is the only operation to use that, but something better would be needed if more 'normal' behaviour
was needed in copy constructor and assignment operator !
05.04.2009
* Fixed: Arranger part cloning works now! (Hold shift-ctrl while moving part - note dashed border on cloned parts). (T356)
- In Song::cmdChangePart() do not call "oldPart->events()->incARef(-1)" if new part is clone of old part,
(that is, old/new parts' eventlists point to same eventlist).
- Changed from 'alt' to 'Shift-Ctrl' button combo to activate cloning in Canvas::viewMousePressEvent().
Alt is reserved for moving the whole window (on my machine), so most people probably never knew about cloning?
- This also fixes a reference count problem when renaming a part, ref count was being dec'd past 0.
Quite possibly fixes some other issues, too. Testing...
* Fixed: Transport window was disappearing by itself. (T356)
- Removed WStyle_Tool from Transport constructor. Seems to test Ok now.
- Gave it a caption "Muse: Transport", to appear on task bar.
* Fixed: Big time display now shows MTC minutes, seconds, frames, and subframes. (T356)
* Fixed: Wave editor MTC cursor time readout was not right. (T356)
- Use samplepos to set pos2 value in WaveEdit::setTime().
03.04.2009
* Followup: Track info panel program, volume, and pan were not allowing editing values. (T356)
- Fixed the track info heartBeat function.
* Followup: Some more changes to respect MidiDevice open flags, set in midi config window. (T356)
- Strangely, midi config 'write enable' lights still weren't stopping events from being played,
even though the port was clearly unsubscribed successfully for writing (!)
Also, strangely, only if Jack Midi was disabled, some device putEvent() error messages were appearing.
I expected the messages to ALWAYS occur but it didn't happen, even though events were always played.
- Added MidiDevice::_writeEnable and ::_readEnable, set when the device is opened or closed.
- Changed the various ::putEvent methods to respect _writeEnable. (_readEnable not used yet, because
port unsubscribtion for reading IS working - events stop arriving).
* Added: Instrument definition file for playing to an Emu 4MBGSMT SoundFont. (T356)
01.04.2009
* Fixed: Midi config window: Clicking on green in/out enable lights was not actually dis/enabling in/out. (T356)
- As initiated from MPConfig::rbClicked(), MidiAlsaDevice::close() was seeing the NEW flags, not the old.
So, in MidiAlsaDevice::close(), removed _openFlags check, and added snd_seq_get_port_subscription() check.
- Tested Ok disabling/enabling ins/outs, and clearing/setting port's device.
* Fixed: Muse was not storing midi port 'openFlags' in the song files. (T356)
- Muse could read the old 'record' flag and the new 'openFlags' tags, but only stored the
old 'record' tag (well, it was actually storing rwFlags by mistake).
- Added the necessary tag to file write. (Related to the fix above - now it stores the port in/out enable).
01.04.2009
* Fixed: Compile problem with muse widgets plugin "undefined reference to `main'". (T356)
- Added -c to musewidgetsplugin_so_CPPFLAGS in muse/widgets/Makefile.am
- Re-ran automake, configure, built, tested ok.
- To be tested by users...
* Fixed: Compile error: "editctrlbase.cpp:53: error: invalid use of incomplete type 'struct PosEdit'" (T356)
- Added a <customwidget> section to editctrlbase.ui
- To be tested by users...
31.03.2009
* Feature: Midi file export: Configuration options added for 2 or 4 byte time signatures + note off optimizations. (T356)
- For 4 byte timesigs: Add fixed "metronome" value of 24 (once per quarter-note), and "32nd notes per quarter-note" value of 8.
- For note off optimizations: Replace note offs with zero velocity note ons.
* Fixed: Midi track info panel now updates when external changes occur, such as keyboard program changes. (T356)
- Changed track info window from songChanged based updates to periodic heartBeatTimer based updates.
* Feature: Added midi input detect indicator to track info panel. (T356)
- Detects all note on-off, controller, aftertouch, program change, and pitchbend (but not sysex or realtime)
events on the selected channels, on the selected midi ports.
* Fixed: Midi program adjustment controls now respond when external program changes occur. (T356)
- Added a section to handle ME_PROGRAM in MidiPort::sendEvent(), so that visual controls can update,
such as trackinfo 'program' , and pianoroll 'program' controller adjustment knob.
* Fixed: Some issues with 'Follow Song' setting and position cursor position/visibility. (T356)
- Added 'xorg' in ppos calculations in Canvas::setPos() (and others like WaveView, but that still isn't quite right.)
- For windows which have an appreciable x origin (space at the left of the contents), the play cursor was
too far right or not visible sometimes, especially with large horizontal zoom, particularly the arranger.
With 'Follow Continuous', the play cursor should now stay about in the middle of the windows.
With 'Follow Page', the view should now more or less always move in full 'pages'.
27.03.2009
* Fixed: Track info 'instrument patch' list box was not correct when selecting another track with unknown patch. (T356)
- Broken last fixes.
* Improved: Support for & < > \ " characters in xml files. (T356)
- Fixed xml.cpp
- Many places in muse can now use them (ex. track name, instrument names/patches/controllers etc.)
- TODO: Writing: Must still check for places which manually use Xml::nput, put etc, but at least muse
should now read them all without trouble.
* Fixed: Instrument Editor was still asking to save sometimes even if user clicked save already. (T356)
- Call instrumentNameReturn() patchNameReturn() and ctrlNameReturn() from various places, to force update.
* Feature: Redesigned Midi Sync Editor and sync system. To allow multiple inputs/outputs, and more. (T356)
- See tooltips or click on What's This to see detailed explanations of each item.
- TODO: Only realtime MC events are tested at the moment. MMC and MTC are not tested, or not working yet.
- TODO: Fix midi sync clock input. Observed problems: wandering, even reversing(!) song cursor time.
Can be stored in .med file that way (tempomap->fix is negative number!) making a bad file which won't play.
12.03.2009
* Fixed: Global configuration dialog 'Displayed Resolution', and added 'Midi Resolution' boxes. (T356)
- Separate midi/gui configurations were allowed, but not implemented.
- TODO: Now make the 'Displayed Resolution' setting actually do something.
The 'Midi Resolution' currently sets BOTH what should be separated into midi and gui.
Only config.division is used throughout muse, not config.guiDivision.
Also, now that these settings are working, they reveal some issues with drawing, such as
not enough pianoroll zoom-out ability with high resolution.
* Improved: Midi Clock output. Was improper, causing external devices to misbehave. (T356)
- Changed MidiSeq::processTimerTick().
- Tested: With RTC resolution at 8192, the target device slowly drifted out of phase with muse after
about 20 bars. With RTC resolution at 1024 it was actually more stable (100 bars or more), despite
more clock jitter.
Used an equalization scheme to balance the time out. Must test if stability improves without this scheme.
MidiSeq::processTimerTick() still needs some tweaking.
- You may see severe phase difference if moving the cursor around and playing. Try playing from the song start.
19.02.2009
* Patch: Patch to find best available ALSA timer. (T356)
- Submitted by Pedro Lopez-Cabanillas. Patch was named "muse_alsatimer_2nd.patch".
- "This patch adds selection logic to ALSA timer initialization, trying to find
the best available ALSA timer (a non slave timer with lowest resolution).
Currently muse uses only the ALSA system timer, even when the system has an
ALSA RTC or ALSA HPET drivers available, which are probably better for many users."
* Patch: Patches for printf%zd/size_t, and grepMidi/gcc4.4 issues, and fix some compiler warnings. (T356)
- Submitted by Orcan Ogetbil.
- Patches were named muse-size_t.patch, muse-gcc44.patch, and muse-fix-some-compilation-warnings.patch
* Fixed: Some more issues with manipulating drum tracks and underlying controller events. (T356)
- Changing a drum track's output port, (and allowing muse to change the whole drum map),
was not changing existing port controller values.
- Also changing a track from 'midi' <-> 'drum' was not changing the port controller values properly.
- NOTE: I still observed occasional 'ghost' midi port controller values. Tracking this issue...
* Fixed: Seek or Init Instrument with XG instrument caused double loading of controller init values. (T356)
- Moved controller init code from MidiPort::sendGm/XgOn() to a new MidiPort::sendGm/Gs/XgInitValues()
and changed Audio::initDevices() to call them.
* Added: 'Value' readout on menu toolbar (beside 'Cursor' readout), in Drum Editor. (T356)
- Just like pianoroll, except it only shows controller values.
- Now you can read the values you are drawing on the Drum Editor controller graph.
* Fixed: Some issues with configuration, and appearance window. (T356)
- Muse now remembers configured 'selected track foreground/background' colours.
- Added "Midi Editor -> controller graph" colour configuration option (default navy blue).
- Fixed Arranger and Style/Fonts windows not showing current values.
* Fixed: Segfault with Appearance configured to show events, with a part tick > 0 on part canvas. (T356)
- Added limit checks on from/to variables in PartCanvas::drawItem().
* Fixed: Midi controller graphs were displaying 'quantization' vertical lines instead of 'snap' lines. (T356)
- Changed CtrlCanvas::draw() to use raster instead of quant value.
- Also changed gray background colour to darkGray, so 'major' snap lines can be seen.
* Added: Send 'null' midi controller parameters after each RPN/NRPN controller event. (T356)
- Symptom: After muse sends any RPN/NRPN controller event, operating the 'data' (MSB/LSB)
midi controllers affects that RPN/NRPN controller.
- Cause: The RPN/NRPN parameters are still active, open to any subsequent data adjustments.
- Cure: Send 'null' parameters after each RPN/NRPN event, so that subsequent data adjustments
are sent there instead.
- Added adjustable 'null' parameter numbers to the instrument editor. Typically they should
be '127/127', but they are adjustable (select an unused controller number) if desired.
They can also be turned off, if desired, by selecting 'off/off', so that muse will NOT send
them. Turning them off is useful for instruments which do not use RPN/NRPN controllers.
* Changed: GS/XG instrument patches high banks from 18 to 128, 17 to 127, and 5 to 65. (T356)
- Was it a typo? XG specifications say high banks should be 128, 127, 65 etc.
- Also, in instrument editor, reorganized XG Drum patches into Drum Kits and Sound FX.
- TODO: Other instruments may have to be changed, too.
* Fixed: Track info 'Rec' button: If new part was created, it was too short even to see. (T356)
- Changed Song::recordEvent to round (tick + 1) up one bar.
- Added separate record buttons for program (and bank), volume, and pan.
18.02.2009
* Added: Missing midi program controller to pianoroll/drum edit controller graph and adjustment knob. (T356)
- Since the range is limited to 1-128, this only edits the program byte, NOT the program MSB or LSB!
- Since only the program byte is edited, adding new values to the graph uses the CURRENT
program MSB and LSB, as shown in the track info pane (H-Bank/L-Bank).
If the current program is 'unknown' (all off), then the graph uses MSB=off, LSB=off if the song type
is GM, and MSB=1, LSB=1 if not.
- I considered using the 'previous value' on the graph for the MSB/LSB, but then there would be
no way to quickly set the MSB/LSB when adding new values to the graph.
- The only other way is to draw on the graph, and then use the midi event list editor to change
the program MSB/LSB values.
- TODO: Fix the track info H-Bank/L-Bank/Program behaviour. Do not allow program to be 'off'
if H-Bank/L-Bank are not 'off'.
* Changed: Instrument editor behaviour. Allow a 'user' instrument directory PLUS the 'built-in' directory. (T356)
- Muse now looks first in the MUSEINSTRUMENTS directory (default MUSEHOME/muse_instruments, where MUSEHOME
is default HOME/), then looks in the 'built-in' instrument directory (/usr/share/muse etc.)
- Instruments found in the user directory OVERRIDE instruments with the SAME NAME in the 'built-in' directory.
- This allows users to quickly experiment with existing instruments while keeping the same instrument name.
- TODO: add a 'Delete' button to the instrument editor.
* Added: Pitch bend sensitivity controller to fluidsynth. (T356)
* Fixed: Organ synth: Volume not working. (T356)
- There is no volume gui control to return proper min/max values.
- Added a trap for CTRL_VOLUME in Organ::getControllerInfo() and
set min/max to 0/127.
* TODO: Fix some broken VAM synth midi controllers with improper range. (T356)
09.02.2009
* Fixed: Drum map: Grey vertical lines not proper when map header rearranged. (T356)
- Used header->mapToSection when drawing grey vertical lines in dlist.cpp.
08.02.2009
* Fixed: Drum map - Changing ANote, Channel, Port now updates controller graph and knob. (T356)
- Changing ANote, Channel, or Port of a drum map item now updates the controller graph
and adjustment knob. Useful for XG/GS drum controllers.
- TODO: Fix 'Undo' changing ANote, Channel, Port.
* Fixed: Drum map - List item drag and drop works properly now. (T356)
- Was not manipulating events properly, although port controller values were still OK.
Useful for XG/GS drum controllers.
- TODO: Fix 'Undo' of drag and drop.
* Changed: All calls to some new message sending routines with direct calls. (T356)
- Replaced all calls to msgSetTrackOutChannel, msgSetTrackOutPort, msgRemapPortDrumCtlEvents,
and msgChangeAllPortDrumCtrlEvents, with direct calls (song->remapPortDrumCtlEvents etc.),
bracketed by audio->msgIdle(true) and audio->msgIdle(false).
- For complex operations, 'msgIdle' technique seems to be preferred over sending messages.
- Tested such operations while in stop mode, and while playing. Tested OK.
06.02.2009
* Changed: Hard coded LADSPA paths in plugin.cpp and ssplugin.cpp to include /usr/lib64/ladspa
and /usr/local/lib64/ladspa. (T356)
- Suggested by Orcan Ogetbil
- Note that the environment variable LADSPA_PATH still overrides these hard-coded paths.
06.02.2009
* Patch applied: Removes duplicate implementation of fast_log*() functions in ssplugin.h (T356)
- Submitted by Orcan Ogetbil
05.02.2009
=======================================
* 1.0rc1 tagged (rj)
=======================================
04.02.2009
* Fixed: Track info panel 'Rec' button not changing existing values on controller graph. (T356)
- Name changes: MidiCtrlValList::add, ::del, ::find to ::addMCtlVal, ::delMCtlVal, ::findMCtlVal
to make it easier to spot all usages of them.
- Simple fix in MidiCtrlValList::addMCtlVal: Return false if the value is already found for the part.
- TODO: It takes three 'undos' to undo the 'Rec' button push. It is because prog, vol, and pan
are changed. This should be unified into one undo...
01.02.2009
* Fixed: Compile error on 64-bit systems, in audiotrack.cpp at cacheJackRouteNames(). (T356)
- Changed from unsigned int pair key, which required pointer conversion, to AudioTrack* pair key.
- Test OK (on my 32-bit system). ** Need 64-bit users to test it. **
* Fixed: Segfault when playing a note in a drum map, when the note's port says 'none'. (T356)
- Added a line in the 'don't echo controller changes back to software synthesizer' block of
Audio::processMidi(), to check valid device.
* Fixed: Missing or stuck notes or events on recording (or rec-armed only) midi track. (T356)
- Symptom: Playing live (rec-armed only), or recording, on a midi track gives stuck or
missing notes and other events. Very annoying bug!
- Cause: A single list was used for recording midi events, while muse was also reading from that list.
- Employed a 'flipping' two-list technique for MidiDevice::recordEvents().
- In Audio::processMidi(), process one list while MidiDevice::recordEvent() writes to the other.
* Fixed: Manipulating controller events in midi track parts was not changing midi port controller values. (T356)
- Symptom: Change a part's midi controller events, or move or delete a part, or delete a track, then the underlying
midi port's controller values are not altered, leading to 'phantom' or 'ghost', or duplicate controller values,
even where there is no part or no track, or no controller values where there should be !
- Oops, how did this major bug go unnoticed so long?...
- Major rewrite: Created a struct MidiCtrlVal{int val, Part* part}, and changed class MidiCtrlValList from
std::map<int, int> to std::multimap<int, MidiCtrlVal>
Changed MidiCtrlValList::add(int tick, int value) to MidiCtrlValList::add(int tick, int value, Part* part),
and MidiCtrlValList::del(int tick) to MidiCtrlValList::del(int tick, Part* part),
and added MidiCtrlValList::find(int tick, Part* part).
Changed Song::addEvent(), Song::changeEvent(), Song::deleteEvent(), Song::addPart(), Song::changePart(),
Song::removePart(), Song::insertTrack2(), and Song::removeTrack2() to make sure port controller values
are added/removed properly.
Changed a few other things to make it all work.
Reasons: The Part* member was added to each controller value item in the list, so that the system can
know exactly which part was responsible for putting a value in the list.
This helps when we have overlapping controller values from events of different parts on the same port and the same channel -
if one of the parts is deleted or moved, the overlapping values from the events of the other part are NOT disturbed
within the port's controller value list.
The list was changed from 'map' to 'multimap' to accommodate the multiple values from events of different parts.
- NOTE: When there are overlapping values from events of different parts, the system will arbitrarily choose the
first value it finds at a given time. I considered 'mixing' the overlapping values together
(by averaging, or maybe highest/lowest value), but I felt it would just cause more confusion for the user.
Therefore it is up to the user to be aware of overlapping controller events and deal with them.
If you are looking at a controller graph and it shows a particular value at some time, but the
midi knobs/sliders and actual midi output does NOT correspond to what you are seeing, then
most likely ANOTHER part on the same port and channel has an event at that same time, and that
event's value is likely the one that is being used by the system.
* Fixed: Changing a midi track's out port or channel was not updating the ports' controller values. (T356)
- Changed MidiTrack::setOutPort() and MidiTrack::setOutChannel() calls to new MidiTrack::setOutPortAndUpdate()
and MidiTrack::setOutChanAndUpdate(), which make sure the port's controller value list is properly updated.
- Part of the larger fixes above.
* Fixed: Midi adjustment knob on controller canvas was not working after moving the part to another track. (T356)
- Added some code to CtrlCanvas::songChanged() to set curPart and curTrack and update the knob,
upon SC_PART_MODIFIED.
* Fixed: Clear midi input transforms when song cleared. Update transform dialog when song changed. (T356)
- Symptom: Repeated loading of songs causes duplication of midi transforms, causing .med song files to grow big !
- Added clearMidiInputTransforms() to midiitransform.cpp, called by Song::clear().
- Added updatePresetList() and slot songChanged() to MidiInputTransformDialog, triggered by Song::songChanged.
- Added some code to readMidiInputTransform() to **auto-eliminate** duplicate transforms in existing .med files.
- Still some 'quirkiness' with the dialog buttons, but it works better now.
- ALSO: Applied those same fixes to midi transforms and the midi transform dialog.
* Fixed: Notes not recorded to track for a drum map 'instrument item' having non-default (track) port. (T356)
- Changed to drumRecEvent.setPort(port) in 'Track::DRUM' section of 'if(recording)' section of Audio::processMidi()
so that buildMidiEventList() would accept the notes.
* Fixed: Removed jack midi port names from audio in/out port lists. (T356)
- Added JACK_DEFAULT_AUDIO_TYPE to jack_get_ports calls in JackAudioDevice::inputPorts and ::outputPorts.
* Fixed: Notes were being mixed up when switching a track type between midi and drum. (T356)
- Changed to drumMap[pitch].enote in 'Drum -> Midi' section of TList::classesPopupMenu().
* Completed: Moving multiple events from multiple parts when editing in pianoroll or drum editor. (T356)
- Work had begun several commits ago. Completed.
- Now you can select and move multiple events from different parts in the editors.
* Feature: When editing multiple parts in the pianoroll or drum editor, controller graphs are now overlaid! (T356)
- When you are editing more than one part at a time in the editors, the controller graph will overlay
all of the graphs together!
- The currently selected part will show its controller as normal blue columns, as before, but the other
unselected parts will draw their controllers as a gray 'ghost' outline on top.
- TODO: Add menu items, hot keys etc. to cycle through each part (in case there are no notes to select in a part!)
* Improved: Support for GS/XG midi drum controllers. (T356)
- Added MidiPort::drumController(). Tells if an event is a drum controller event, according to the port's instrument.
Does it by looking up the event in the instrument's controller list.
Would prefer a 'marker flag', eg use the event 'dataA' high bit to mark as drum controller event, but it's too risky!
Used MidiPort::drumController() a dozen or so places where drum controller events needed remapping/manipulation etc.
May be a speed hit with many/large controller graphs? Test further...
- Added code to update port controller values when changing drum map ANote, channel, or port.
- KNOWN BUGS: Still a few loose ends to tie up: Port controller values (but not track events) may not be correct when:
'Swapping' (by dragging) items in the drum map, and
loading a song with a drum map which had 'swapped' (by dragging) items.
Some stuff (midi value adjustment knob) is not updated when changing drum map ANote, channel, or port.
Workaround: Be sure to select another drum map item, then reselect the changed item again, after such operations.
* Changed: All softsynth midi controllers now have default initial values. (T356)
- Added default initial values to all softsynth controllers such as fluidsynth's controller map.
- Added 'initval' argument to all ::getControllerInfo() methods, which is passed to the newly created
controller (new MidiController) in SynthI::initInstance().
- These initial values will then show on the various gui midi adjustment controls, knobs etc.
* Changed: Fluidsynth master gain and reverb initial settings. Gain was too loud and there was too much reverb. (T356)
* Fixed: Follow up - some issues with instrument editor. (T356)
- Instrument editor was sometimes falsely detecting instrument had changed.
- Also, do not list 'internal' instruments like generic midi, soft synths, vst etc.
- Also, upon 'Save As', prompt for a new instrument name if the user hasn't changed it, to avoid duplicates.
- Remove any unsaved (new) instrument when moving to another instrument, closing etc.
- Fixed up tab order of instrument editor controls.
- TODO: When muse wants to close, trap it in the instrument editor so we can save.
* Fixed: Problem in xml parser. '&', '"' etc were being read as '&&', '""' etc. (T356)
- Added a couple of lines, and removed one, in Xml::stoken().
* Fixed: Zero bias midi controllers (with a negative minimum value, like 'pan') weren't working right. (T356)
- Broken after last changes. Added an updateBias() line to MidiController::read() 'controller' tag end section.
* Added: Send all instrument controller initial (default) values to all of a port's midi channels,
except where explicitly initialized by the song. (T356)
- Added some code to MidiPort::setMidiDevice to initialize controllers from instrument, if needed.
- When setting a midi port's device (such as in Settings->Midi Ports, or simply when loading a song),
then any specified controller initial values in the instrument are sent to ALL of the port's channels,
EVEN if the controller is NOT in the song. This ensures better consistency between songs, so that
chosen controllers are not left in undesirable 'leftover' states.
(Taken from important comments in MidiPort::setMidiDevice(): )
For example: A song is loaded which has a 'reverb level' controller initial value of '100'.
Then a song is loaded which has no such controller (hence no explicit initial value).
The 'reverb level' controller would still be at '100', and could adversely affect the song,
but if the instrument has an available initial value of say '0', it will be used instead.
- It is desirable to have defaults for some controllers, but it is wise to have NO default for certain
other controllers, like the 'reset all controllers' and 'sustain' controllers (actually, zero would be OK).
* Changed: Clicking Midi->InitInstrument (or moving to song position 0) now initializes controllers
from instrument controller initial values, if they exist, or previously hard coded values if not. (T356)
- sendGmOn() and sendXgOn(), which are called via Audio::initDevices(), now use instrument controller
initial values if they exist, or the previously hard coded values if not.
* Changed: Non-softsynth non-GM drum tracks: Patch popups now show all drum AND melodic patches on ANY channel. (T356)
- For drum tracks, if the song type is not GM, and the track's port is not a softsynth, then all patches
including drum AND melodic are shown for ALL channels when 'select instrument patch' popup is clicked,
regardless of the patches' 'drum' flag setting (in the instrument editor).
(Softsynths handle their own patch popup lists).
- Added a 'bool isDrum' parameter to all populatePatchPopup() methods, which is passed 'true' only
if it's a drum track, and changed a couple of lines in the only class which uses the drum flag - MidiInstrument.
- Previous behaviour was to show drum patches ONLY on channel 10 of drum tracks.
- Reasons for change: 1): A midi device might have a non-standard drum channel(s), so drum patches
as well as melodic patches are shown for all channels. 2): Since any channel can be used in the drum map,
melodic patches are shown as well as drum patches so that any patch can be selected for any channel.
NOTE: Each of a drum track's channels which are used in the drum map should be set to a patch number,
otherwise it doesn't work right ! (**) This is true for softsynth devices too ! (**).
So it was imperative that the user be able to select ANY patch on ANY channel, to suit their setup,
for flexibility.
(If that same flexibility were applied to regular midi tracks (non-drum tracks), it might make the
'drum' flag for patches obsolete, since there would be no reason to filter them from the list !)
* Changed: All midi controller event values sent to a midi port are now constrained (limited) to the port's
instrument controller's range (if that instrument controller exists). (T356)
- Example: Incoming events from a midi keyboard's pitch wheel range from -8192 to 8191, but it is
desired to limit that range to, say -200 to 8191. One could use the midi input transformer to
accomplish this, but instead now you can simply adjust the chosen instrument's pitch controller range
(in the instrument editor), and then the pitch wheel's range will be limited to that range.
- This only affects playback events (and therefore 'live' incoming events), but does NOT affect
actual recorded data, so that by simply readjusting the instrument controller's range,
or by changing instruments, the range can be restored with no loss of recorded data range.
* Fixed: Cleaned up all .idf files and changed ranges of all 'zero-bias' controls (-64/63 'pan' etc). (T356)
- Many .idf files had bare '&' characters in them, causing corruption of names and values when reading.
- Also turned on the 'drum' flag for ALL drum patches in MANY .idf instrument files.
Some .idf's I was uncertain about, and did not change : AlesisQS6, Waldorf Q.
* Changed: Fluidsynth pan controller range from 0/127 to -64/63. (T356)
- To be consistent with .idf file changes.
* Replaced: All direct calls to MidiPort::setHwCtrlState() from GUI thread, with new Audio::msgSetHwCtrlState(). (T356)
- My fault, I was not paying attention to iter-thread communications.
* Optimizations: Optimized MidiPort::setHwCtrlState(), MidiPort::sendEvent(), and calls to MidiPort::setCtrl(). (T356)
- Optimized MidiPort::sendEvent().
- Replaced code in MidiPort::setHwCtrlState() with more optimized code.
- Replaced several clumsy calls to MidiPort::setCtrl(), which checked for and created the controller,
with a new optimized MidiPort::setControllerVal().
06.01.2009
* Fixed simpledrums/ssplugin.cpp to build with recent Ubuntu 8.10 (FN)
17.08.2008
* Feature: Muse now has an instrument editor, complete with a midi controller editor! (T356)
- Click on the menu "Midi->Edit Instrument".
- You will see a sysex editor there too, but it is non-functional. (Use the midi event editor instead).
- >>> Tooltips and "What's This?" are provided with IMPORTANT information. <<<
>>> If you want to understand how to use instruments, patches, and controllers in your song, <<<
>>> READ THEM! <<<
* Added: Environment variable MUSEINSTRUMENTS, so a (writable) instrument directory can be chosen
instead of default /usr/share/muse/instruments etc. (T356)
- Also added display of environment variables recognized by muse to command line help (muse -h).
* Fixed: Popup displays of instrument patches to filter according to GM, GS, XG song type, and whether
on drum channel 10. (T356)
- Use the new instrument editor to set these GM, GS, XG, and drum filters.
* Changed slightly: Creation of a new drum track - initialize to channel 10 instead of 1. (T356)
* Fixed: Force audio prefetch seek when play is pressed. (T356)
- In Audio::seek, changed the call of audioPrefetch->msgSeek to force a prefetch,
to ensure the most recent data. Things can happen to a part before play is pressed
such as part muting, part moving etc. Without a force, the wrong (old) data was being played.
- If you perform those same operations while playing, there may be a few seconds delay before you
hear the changes (the play cursor must move a certain distance before they're heard).
- TODO: How to make the same thing happen when transport is externally started, such as from qjackctl.
OR: How to force a prefetch at specific places like when a part is muted, and when it is moved,
instead of just before play is started. That way the operations can be done quickly while playing.
* Fixed hangup: Upon loading of songs with fluidsynth soundfonts which can't be found. (T356)
- (!) Removed error message box from FluidSynthGUI::processEvent causing freezeup.
- You can still read fluidsynth errors by running muse on a command line. I figured it was
better to be able to load the song and to see errors, instead of just letting it freeze.
- This should now allow you to share fluidsynth songs with other people (without the soundfonts).
* Fixed: Audio aux tracks not working, intermittent. (T356)
- Aux functionality was intermittent depending on whether the aux had out routes,
and whether any tracks feeding the aux had out routes, and other factors.
- In Audio::process1, rearranged, and added, some code to make aux work all the time now.
* Speedups: To some songChanged() functions. Ignore unnecessary flags. (T356)
- For example simply adjusting midi gui controls would cause costly and
unnecessary rebuilding/redrawing of certain areas, like parts of trackinfo, and controller graphs.
- Noticeably less 'slugglish' when adjusting controls now.
* Fixed: Midi controller events not being added to midi port controller, after record with no part. (T356)
- Symptom: If you record midi controllers without first creating a part, muse creates the part
for you and creates the controller graph OK, but when you move the play cursor around, the graphs
have no effect. This doesn't happen if you first create the part to record into, or manually edit a graph.
- Symptom: As above, the graph is OK, but the controllers don't show up in the list when you click 'ctrl'.
- Changed a line in song::cmdAddRecordedEvents() to use addEvent() instead of adding directly to list.
* Fixed: Automatic detection of pitch bend wheel not working. (T356)
- Added some code to MidiPort::sendEvent to detect ME_PITCHBEND events.
- Note: There appears to be a sound system bug (using ALSA 1.0.15): The system will NOT deliver any pitch
bend events to muse until ANOTHER controller is detected, ex. move the modulation wheel THEN the pitch wheel.
Verified with another app - RG - and with a real midi hardware to hardware connection (not my KB's fault).
* Observed: Stuck or missing midi notes when recording or even just 'record armed only' 'live' playing. (T356)
- The sound system appears to be having occasional trouble detecting midi events, including note-off !
Verified with muse and RG (using ALSA 1.0.15). Not sure why or when this started, seems early this year...
* Linked: All midi knobs and sliders with their labels. (T356)
- Now they work together when displaying and adjusting.
- After careful consideration of the meaning of 'off' in those
labels, you now double click the label to turn the midi control on/off.
Off does not mean 'zero'. Rather, it means:
'Don't save this current value in the song file'.
When a midi control is 'off', loading the song won't initialize the controller with a value.
'Off' means the current value is set at 'unknown'. 'Unknown' means the actual
'behind the scenes' hardware value is the last value that was set. The knob or slider still
shows this value, or a default initial value, or if both of those are unknown, then 0.
* Changed: Midi and audio level slider/knob labels to show '---' for infinite attenuation. (T356)
- As mentioned above, the midi level slider labels can also show 'off'.
* Fixed: The new midi controller knob in pianoroll and drum editor. (T356)
- It was not adjusting anything.
* Fixed: Midi vu meters again. Now they should work! (T356)
- They were not responding to play events with an off velocity other than zero.
* Fixed: Marker view window doesn't remember if it is open or closed. (T356)
- Add a markerClosed function to app.
* Reverted: Back to audioRTalloc in mpevent.h (T356)
(!) - I had changed it to midiRTalloc, but that may have been causing problems like
midi shutdown (audio OK) after a few hours, and crash soon afterwards.
Verifying... No more midi shutdowns after a few hours, so far...
Ooops, not so fast, happened again...
30.04.2008
* Fixed bug in drum editor. Dragging the splitter too far left causes runaway resize, stuck in loop. (T356)
- Tried several different arrangements, but QSplitter won't behave the way I need it to. Best I could do, so far.
- You may notice some strangeness, like the controller graph not aligning with the matrix, if the right edge
of the window is offscreen.
* Added 'add/set event' to audio automation right-click popup menus. Ancient request by R.J. (T356)
* Fixed arranger midi strip and arranger top controls not giving up keyboard focus after adjustment/entry. (T356)
- Further request by user G.B. Changed all relevant QSpinBoxes to custom SpinBox, which behaves like this:
Click up/down, or mousewheel, or hit enter with un-modified text (which means enter TWICE for modified text),
and the control will give up focus, thereby allowing you to use global shortcut keys afterwards.
Up/down keys still keep the focus.
- TODO: Piano roll and drum editor.
* Fixed major problem with lost jack routes upon file save, when save causes a jack shutdown. (T356)
- Symptom: You click save, but jack shuts down during the save, causing lost jack routes in the file.
- Fix: Cached the jack route names before file save, then used them during AudioTrack::writeRouting() xml code.
Note this doesn't actually stop shutdowns from happening - now it just saves your files without losing jack routes.
* Fixed mysterious intermittent wave part muting, as mentioned in 11.03.2008 (T356)
- !!! PartList and EventList are now sorted by frame instead of tick, for wave parts only. Because fetchData()
didn't like sorting by ticks. This is a radical change. So far, no other areas found requiring further coding, but...
* Overlapping wave parts and events now mix together, instead of one part or event taking priority over others ! (T356)
- Virtually no speed hit, since muse was already cycling through all the wave parts/events,
just not mixing them together. So the very LAST wave part/event in the part/event lists was
taking priority over others.
* Fixed default instrument midi controller min/max values. (T356)
- Symptom: Some pianoroll midi controller graphs much too small or too big, vertically.
- Cause: You added these controllers to your track as a midi instrument, ex. General Midi (GM), then you
changed the instrument, ex. to 'Generic Midi' or another instrument without those controllers,
which set improper min/max values.
- Fix: Added code to MidiPort::midiController() to set proper min/max values based on standard controller type.
However, if the original instrument used CUSTOM min/max values, the graph may still be distorted.
* Fixes to midi event list editor. (T356)
- Added true sorting of event list. Now you can click on column headers to sort as desired!
- Added formatted program number display (like 1-1-120) for 'Val B' column.
- Fixed Poly After Touch events display in list. They were being listed as Channel After Touch.
- Fixed crash when 'Delete events' clicked with no actual items selected.
- 'Edit Controller Event' dialog:
- Fixed 'Create New Controller' popup list: Now it actually creates the selected controller.
- Fixed 'Program' controller not showing correct program after selecting other controllers in list.
- Fixed too high initial value displayed for controllers without an initial value in the instrument file.
- 'Enter Poly After Touch' dialog:
- Fixed uneditable note box. Switched from PitchLabel to PitchEdit.
* Feature added - Pianoroll and drum editor controller graphs now have a static manual adjustment knob ! (T356)
- Now you don't have to enter controller graph values to adjust a setting, just turn the knob.
* Changed 'Create New Controller' in event editor 'Edit Controller Event' dialog, and 'add new...' controller popup
list in piano roll. (T356)
- Now they only list controllers not already added, instead of all of them.
* Fixed 'Position Edit' controls (0001.01.000 + up/down buttons) - click 'down' nothing happens. (T356)
- Added updateButtons() call to PosEdit::setValue().
* Fixed Mixer midi strip variation, reverb and chorus send knobs not enabled after controllers added. (T356)
- Now you only need to create the controller to enable the knobs, allowing you to set a manual value without
having to actually create one or more controller events first.
* Fixed midi trackinfo pan value not the same as midi mixer strip pan value. (T356)
- Trackinfo pan now goes from 'off' (-65) to -64 to +63.
* Fixes to fluidsynth. Would crash when getting patch names from an 'unspecified' soundfont. (T356)
- In fluidsynti.cpp, various places check for FS_UNSPECIFIED_FONT only. Added check for FS_UNSPECIFIED_ID.
- Not sure if FS_UNSPECIFIED_FONT is redundant and unnecessary, but left it there anyway.
* Fixed old bug - IntLabel control - right click causes popup and runaway increment. (T356)
- Fixed NEntry widget. Same fix as for double entry widget (DEntry), somewhere way down on this change log...
* More fixes to wave part gluing/splitting/drawing/playing. (T356)
- Now all splitting/gluing of wave parts, even overlapping ones, even multiple times, should work.
- Fixed problem in WaveTrack::fetchData causing it to read too many samples of wave events.
* Fixes and changes to bounce functions. (T356)
- Fixed garbled target track or file. processWrite() was writing ALL the Audio Outputs to the file or track, instead of just one.
- Feature: Bounce to track (from menu): You now first select any single Audio Output track, and any single target Wave track.
- Feature: Bounce to file (from menu): You now first select any single Audio Output track.
* Fixed some problems with Mastertrack window. (T356)
- Mastertrack window was causing tempos to be inserted into tempo list, if window open when project loaded.
- Added signature list change event handling - to update signature value box.
- Fixed drawing of signature scale after signature list change.
* Fixed wave editor 'reverse' function crashing. (T356)
* Fixed track list not highlighting wave tracks (default green) when selected in the arranger window. (T356)
* Fixed midi VU meters, again. (T356)
- Borrowed idea from Muse 2. Self-decay the meters in midi strip code, rather than the midi thread code.
- The midi VU meters self-decay at a rate determined by the GUI update rate in the configuration.
11.03.2008
* Fixed arranger controls not giving up keyboard focus after adjustment/entry. Requested by user G.B. (T356)
* Fixed gluing/splitting of waveparts. (Known bug of 02.02.2008 is gone now). (T356)
* Fixed playing, and arranger/waveeditor drawing, of glued waveparts. (T356)
- 'Working on' of 26.01.2008 is done.
- Drawing of waveparts, even 'glued' ones, now fully respects tempo changes.
* Fixed 'glued' mono + stereo wavepart drawing. Was drawing outside track if track height small. (T356)
* Fixed soloed/muted wavetrack audio 'bleeding' into other wavetracks. fetchData() was not checking isMute(). (T356)
* Fixed part colour popup to change unselected clicked item colour if no parts selected. (T356)
* Fixed recent possible accidental(?) change of tracklist xml tag 'header' to 'header1'. (T356)
- Muse was complaining: Tlist: unknown tag <header> at line 32
* Fixed MREventList in mpevent.h, to use midiRTalloc instead of audioRTalloc. (T356)
- Possible accidental(?) coding error since there is no other usage of midiRTalloc at all in muse.
- If it does help at all, it might just ease RT congestion a bit.
* Working on MIDI VU meters. They're too fast to see with jack, but should be OK with dummy driver. (T356)
* KNOWN PREEXISTING BUGS
- If you move waveparts around AFTER the current play position, then play, muse actually plays the same
arrangement as if you had not moved the waveparts at all, just one time - rewind the play position and
it corrects itself. This is because muse does not prefetch the audio again after the movement of the parts.
Workaround - After moving waveparts, be sure to rewind the play position to a point AT LEAST before those parts.
- Wave parts will sometimes mysteriously go silent for no reason. Move the parts slightly, or reload, or do
certain other operations, then the sound comes back. Working on this important issue!
02.02.2008
* Fixed a slight error in BigTime absolute display. Now shows proper absolute tick and frame values. (T356)
* Added an extra arranger wavepart right-click popup menu item - "file info".
Shows what wave file(s) are used by the wavepart event(s).
TODO: Either remove duplicate file names or list the files by event number.
Spice up with more info like wave starting/ending points etc. (T356)
* Removed some debug output lines from dummy driver - may have been causing intermittent crashes when moving position. (T356)
* Some more fixes to arranger partcanvas wavepart drawing - speeded up and tightened code.
KNOWN BUG: Does not correctly display more than one wave 'event' (file) per wavepart. (For ex. two waveparts 'glued' together).
Working on this issue ! (T356)
27.01.2008
* Fixed MIDI mixer strip VU meters. Let there be light! Not the best solution, a choice between two so-so methods.
Looking at how to improve it... (T356)
26.01.2008
* Pianoroll and drumedit now open at the current cursor position. (T356)
(The cursor position is that moving black vertical line on the time scale).
This means you just click on an arranger midi part where you want to open the editor.
* Arranger, pianoroll, drumedit and waveedit now stay at their current (left-side) position when you use the scale bar. (T356)
* Fixed 'end of part' drawing problems - now you are guaranteed to see about 1+1/4 extra bar after the end
of a pianoroll/drumedit (also compensating for drumedit drummap/canvas splitter), allowing you to
add/move/clone notes past the end and allowing muse to properly auto-extend the part (to the right).
TODO: Auto-extend parts to the left when necessary. (T356)
* Added vertical, and fixed horizontal, lasso/parts/events auto-scroll - even past the end of parts. (T356)
* Fixed drawing of wave parts in arranger. Now you can rely on the 'picture' of the wave inside the part
lining up correctly with the time scale, regardless of tempo/timesig changes in the song. (T356)
* More fixes to wave editor. Fixed drawing of markers - they were much too close together.
Added songChanged synchronization with arranger (you move/resize a wave part and the wave editor readjusts, etc.)
WORKING ON: In the arranger, if you move a wave part to the left, the wave editor will readjust but the
wave may be chopped off at the end. Investigating... (T356)
* Corrected the drawing order of items from ALL parts in pianoroll and drumedit. For multiple-part viewing.
WORK IN PROGRESS: Added ability to select items from different parts at once, and to move them.
For now, only items from the currently selected part actually move. (T356)
* Added small checkbox to Big Time display. Now you can switch between formatted or absolute time display.
Absolute is handy for syncing with another app, or just knowing, absolutely, where you are in the song. Absolutely.
Added ToolTip popups describing each 'group' of numbers (bars, beats, ticks etc). (T356)
20.01.2008
(ml)
* Added function for deleting note overlaps in piano roll (usually makes fluidsynth grumpy - silencing the following note).
* Some work on opening the editor at current position and selecting the leftmost item
(ws)
* fixed hanging note when editing multiple parts in midieditor and
switching part
19.01.2008 (ws)
* fixed Song::changeEvent(): part tick offset was not used
* fixed removing of controller events in Song::deleteEvent(); this affects midi recording
in replace mode and controller editing
12.10
* Fixed automation right-click popup menu 'prev/next event' not working after a tempo change. (T356)
- Now you are guaranteed to be able to navigate the automation events, regardless
of how many tempo or time signature changes are in the song, or if you change the tempo/sig(s)
AFTER adding automation events.
12.06
* Fixed softsynths 'Fluidsynth', 'Deicsonze', and 'Fluid' to allow pitch wheel changes. (T356)
* Fixed softsynths 'Fluidsynth' and 'Deicsonze' to allow MIDI patch changes. (T356)
Note that I included MIDI patch change code in 'Fluid', but fluid is slightly broken
and still doesn't respond. 'Fluid' should be removed from muse. It's obsolete. Use Fluidsynth.
11.22
* Fixed LASH loading and saving. (T356)
- Symptom - Muse fails building with error about 'lash_get_fqn' not declared in scope.
- Cause - You are building muse with LASH > 0.5.1, where certain header files have been removed.
- Fix - Replaced both calls to lash_get_fqn with QString manipulations instead.
* NOTE! I encountered a muse segfault when you use LASH to close the project.
It says 'received unknown LASH event of type 10' (which is LASH_Server_Lost), then it says
'received unknown LASH event of type <<some big random number>>, then segfault and
a glibc backtrace due to 'double free or corruption'. Not a big deal, but this will need to be fixed.
* Tested OK saving and loading projects with LASH 0.5.4
09.02
=======================================
* 0.9 final tagged (rj)
no changes from pre3
=======================================
08.22
=======================================
* 0.9pre3 tagged (rj)
=======================================
08.20
* Fixed bug 1650953 - select and move segfault (T356)
- Symptom - In piano roll, select some notes and move them past the end of the part,
then muse crashes. Also occurs when pasting or adding notes past part length.
- Cause - Canvas was not adding the new resized part to the midi editor. Also a bunch
of other stuff needed to be fixed for it all to work OK.
* Fixed broken master list editor. Should also cure bug 1687166 (T356)
- Symptom - Open master list and nothing is listed (should be at least one default
tempo and one default time signature). Click to add new tempo or sig and muse crashes.
- Cause - Some code was added to lmaster.cpp: LMaster::updateList() which broke it.
* Added auto part resizing to drum canvas (T356)
- Symptom - In drums editor, there is no auto part resizing, like in piano roll.
- Cause - Missing all part resizing code. Added.
* Fixed intermittent crash when cutting a part. Improper 'delete while iterate' STL operation. (T356)
* Fixed arranger part selection - selected parts now draw on top of non-selected parts. (T356)
* Fixed arranger part operations (move etc.) to use selected part. (T356)
* Fixed arranger keyboard left and right previous/next part selection. (T356)
- Now you can use left/right arrow keys to cycle through parts in a track,
especially useful for overlapping parts!
* Regarding part selection - A remaining problem is that there is no 'z-order' drawing
scheme. The part item list has no such ordering support.
- This means a selected part will (now) appear on top of others, but when unselected,
it will not stay on top. Adding that support could be messy.
- Best to leave it alone for now. At least you can (now) cycle through overlapped parts...
* Tested arranger part operations with worst case scenario - multiple tempo changes
and multiple parts. Test OK. All should be OK now. (T356)
* Added tooltip to song length box in arranger with text 'song length in bars'. (T356)
* Fixed wave editor - Black selection bar intermittent drawing. (T356)
- Symptom - In wave editor selecting a portion of the wave caused intermittent drawing
of the black selection bar.
- Cause - Unsure of exact cause or a permanent cure, but it's better now.
But it still draws intermittently if you zoom in (x magnify) very very close.
Working on this issue.
* Added feature - Wave editor now allows you to open multiple selected wave parts and
will display only those parts and you can edit them. Tested wave editor 'functions'
menu and it works OK on some or all selected portions of the multiple wave parts.
- This is in preparation for a possible automation viewer and/or editor.
- Work in progress. Some rough parts still to clean up. (T356)
* Fixed intermittent arithmetic exception crash in wave viewer. (T356)
* Fixed bad wave drawing above certain zoom level in wave editor. (T356)
* Enabled serial numbers in my deltaTick2Frame and deltaFrame2Tick routines, and
merged code. Makes it a bit faster. (T356)
=======
08.16 * Reverted change in synth.cpp, realtime playback of softsynths did not work (rj)
* fix for sustain pedal to work as suspected when looping. (rj)
* Above involved adding "managed-controllers", whenever a controller is found
time will tell if this is the right solution (rj)
02.13
* Feature request: 1650957 space bar should start/stop playback fixed by
adding this possibility, old style is possible with property setting in
configuration. (rj)
02.09
* Fixed bug 1645575 - Eraser tool causes segfault in drum editor (T356)
* Added the project AUTHORS (whooo are you... who who...) (T356)
01.27
* Fixes to remove lots of warnings and potential errors in the code (WillyFoobar)
(rj by proxy)
* Fix for bug #1074808 "NRPN - still 128 values?" from Sebastian Gutsfeld (rj)
01.06
* Changed 'exit' to 'return' when plugins are invalid (rj)
01.05
=======================================
* 0.9pre2 tagged (rj)
=======================================
2007.01.03
* Fixed some major issues with undo/redo. (T356)
- Symptom - Delete track(s), then undo, muse crashes.
- Symptom - Rename a track, then undo, muse crashes.
- Cause - 'Delete' destroyed the track(s), so undo would attempt to restore
non-existent object. Other problems caused rename crash. Still more undo/redo code
was causing problems, like left-over synth instances hanging around after loading a new song,
or crashing upon loading a new song if certain redo items were still in the redo list...
- Known bugs - DON'T rename a synth track then undo, muse still crashes. Not sure why yet.
After 'un-deleting' a synth track, you will have to open the 'MIDI Ports/Soft Synth' window
and manually restore its MIDI port.
Don't do anything too crazy like deleting multiple tracks while playing, might possibly crash.
After undeleting an audio wave track, its sound might not be sync'd with the rest of the song -
simply hit the fast-forward or rewind button to cure that.
* Prevented saving, and segfault upon loading, of routes in med file with empty names. (T356)
- Symptom - Jack shuts down, so instead of attempting to restart audio, you save your work,
but when you try to reload your song, muse crashes.
- Cause - Upon Jack shutdown, all audio in and out Jack routes were erased, and muse saved
the song like that. Upon reload, muse would crash due to the empty routes in the .med file.
- Note that this does not cure the original cause of this (Jack routes erased), so although you
can now re-load the song without muse crashing, you must manually restore all the audio in/out
Jack routes. So please try to restart the audio first. (Trying to fix this issue...)
* Add new soloing system. Check it out! (T356)
- Symptom - You click solo on a track but you hear nothing, and all other tracks are muted.
- Cause - Wasn't really broken, you just had to solo all other tracks in that routing path
to make sure whatever you were attempting to solo made its way to its destination so you
would hear it.
Inconvenient, yes. Especially with a large song with a lot of tracks, groups etc.
With this new system, this is done automatically for you. Even MIDI tracks driving synth
tracks, too.
- Known bug - If a MIDI track drives some external MIDI device which you feed the audio
back into muse, there's no way for muse to know how to couple the MIDI and audio in
tracks together. Sorry you'll have to manually solo both.
BUT - I'm CONSIDERING adding this - If an audio in track's name BEGINS WITH the name
of a MIDI track, I could couple them that way. For example - MIDI track named 'Track1' and
an audio in track named 'Track1 Input', then muse could mutually solo both tracks properly...
* Enabled MIDI mixer strip solo buttons. (T356)
* Some other minor fixups here and there. (T356)
- Other known bugs - Due to an earlier oversight, if you use your own custom LADSPA plugin
GUI's (see README.ladspaguis), QCheckbox and QCombobox controls may not automate quite right.
Note that this includes just one built-in custom GUI - for the 'TAP Reverberator' plugin.
21.11
* Fixed loading of .med files, with plugins, created before muse-0.9pre1. (t356)
They will load, then save, correctly now.
- Symptom - Load an old song with plugins and some of the plugin controls can't be moved.
- Cause - Controller id's in med file mixed up, not save correctly, because of moving rack
plugins around, which never properly switched the id's before muse-0.9pre1.
* Fixed soloing (again). (t356)
- Symptom - Delete a soloed track, then soloing is messed up - other tracks may be muted but don't show it,
only way out is to reload. Speaking of which, loading also did not set track soloing correctly.
- Cause - Upon deleting a track or loading a song, track solo ref count was not updated.
* Added infrastructure for an improved soloing system, much more intuitive. (Not done yet!...) (t356)
* Fixed spelling mistake - Freeverb "Rooom" size. (t356)
13.11
* By T356
* More automation fixes. Everything should be working now, check it out!
* Although still no automation editor, all of these changes so far should help
manipulate and navigate the events.
* Fixed touch mode events storing, was not right.
* Fixed a couple of stray signal connects which may have caused wacky controls.
* Sliders, knobs and labels now respond to mousewheel and paging properly.
* Linked slider/knob labels with sliders and knobs so paging or mousewheeling
a label works smoothly and linearly, even with logarithmic controls.
* Fixed integer controls (like Glame Bandpass 'stages').
* Fixed external plugin gui's to look like the built-in freeverb. This means
they now scale properly with different fonts. :)
* Hopefully the last of major automation conceptual changes - making sliders, knobs,
labels and checkboxes work together with the four automation modes, barring any fixes,
and a few tweaks to follow (like shift key for label mousewheeling, and how to make
a label stop updating so values can be entered). Some more right-click menu options
may follow (like store event, enable automation, enable interpolation).
Automation readme to come (need it!).
* Still to fix - Controls' right-click automation menu still a bit confused upon tempo changes.
10.11
* reworked mute, old solution caused problems for solo
* solo is now united between midi and audio, they were previously
interdependant. This has the downside that if a soft synth is
soloed both the midi and the audio needs to have solo enabled (rj)
* fixed issue with hanging notes for softsynths when stop is pressed (rj)
* Backported fix from HEAD for using a file descriptor from two different
threads, should make it work somewhat better with SMP (rj)
* fixed faulty off value for aux when set to max (rj)
* Allow wheeling of tracks from track list (rj)
08.11
* re-enabled mute for outputs (rj)
07.11
* Fixed timing bug causing MusE to depend on jack buffer setting
this needs testing, it involved uncommenting some code that might
have been commented for a reason (rj)
05.11
* Added support for auto-scroll for other drag operations but
rubberband (rj)
04.11
=======================================
* 0.9pre1 tagged (rj)
=======================================
04.11
* Adopted RT locking method from 1.0 branch. (rj)
* Preparations for 0.9pre1 (rj)
31.10
* By T356
* Fixed old bug - DoubleLabel right click causes popup and runaway increment.
* Currently the increment/decrement is fixed at 1, so that's why it doesn't
work for pan or other controls with 1.0 or less max.
- So fixes to that are next...
29.10
* By T356
* Changing global tempo now updates things. (Like resizing wave tracks).
* Fixed segfault upon lengthening a blank new wave track part.
* Removed some thread-unsafe code from my first patch
* Fixed ladspa plugin automation not working until plugin displayed.
* Improved automation and ladspa plugin automation behaviour.
- While stopped and in touch mode, clicking an automateable control immediately
writes the value to the list, so you don't have to press play then stop
just to store one value.
- Smoother slider transitions from last touched value to previous stored values,
so that they don't suddenly 'jump' to previous stored values when you let go.
- Checkboxes now automated. Their behaviour in touch mode is slightly
different than sliders - they remain 'touched' until you stop, but store
only up to the last toggle done.
- Checkboxes now check as soon as you click them.
- Sliders now have 'mouse cursor capture (tm)' so you can actually grab onto
the thumbs even if they are moving too quickly due to automation. Paging can
still be done with right button.
- Sliders and knobs now work properly if you 'page' them (click outside the thumb
or dial).
- Added right-click popup menu on all automateable controls with
previous event (seek)
next event (seek)
erase event (if cursor is on one)
erase range (between left and right markers)
clear automation (clear all events)
Known bug: Becomes slightly confused if tempo is changed after doing automation.
Workaround for now: Press play to update the cursor to a new position.
04.10
* Select the right item when items are stacked on top of each other, for pianoroll
and arranger (rj)
* Do not display resize cursor when last track cannot be resized (rj)
03.10
* Apply effect rack before sending aux, changed after discussion with Thorsten Wilms (rj)
* Auto assign internal softsynths upon creation (rj)
* New method for pasting parts. If several parts are pasted they are now spaced
according to their original spacing. This only works reliably when the copied parts
are all on one track. (Possibly copying parts from several tracks should be
disallowed), fixes bug #1516294 (rj)
* Muting of midi-tracks no longer mute input, bug #1092343 (rj)
01.10
* Fixed issue with playing of controllers when moving playhead. basically
all events from all parts where played at the beginning, fixes bug #1316542 (rj)
30.09
* Cached peak files are now updated when wave files are more recent, bug #1469177(rj)
* Fixed bug with recording notes to existing part, bug #1552783 (rj)
29.09
* MusE now asks when imported wave file has differing samplerate, bug #1428248 (rj)
28.09
* Always restore sequencer configuration even when song
is loaded without config, fixes bug #1092289, midi mixer settings not restored (rj)
27.09
* Optimizations and fixes to rubberband scrolling (rj)
* Aux changed to be affected by volume and pan (rj)
* Aux now affected by mute (rj)
26.09
* Fix for pianoroll selection of events in/outside loop with respect to part offset (ml)
* Added lasso/rubberband scrolling in arranger, drumedit and pianoroll, bug #1057732 (rj)
24.09
* Followups by T356
* Fixed rack plugin change not clearing automation
* Fixed moving an empty rack position
* Fixed moving a plugin onto itself
* Changed colours of audio output and wave track
strip names to match icon colours
20.09
* Fixed aux sending (rj)
* Patch from terminator356 to fix logarithmic feedback to plugin sliders (rj)
19.09
* Various fixes from Torsten Duwe (rj)
- deicsonze undefined returnvalue
- vam uninitialized value
- 64bit fix for calling external wave editor
* Fixed multiple part undo for move,drag and copy in arranger, bug #1516298 (rj)
* Fixed multiple note undo for move and drag in pianoroll (rj)
* Fixed cursor placement in List Editor upon deleting events bug #1417718 (rj)
16.09
* Following changes by { terminator356 [at] users [dot] sourceforge [dot] net }
* The changes can be applied to muse-0.7.2preX or muse-0.8.1 and work fine in both.
* Fixed soloing. Also multiple soloing now allowed.
- TODO: Soloing of tracks which feed a group. Workaround for now: Solo the tracks AND the group.
* Enabled solo buttons on the mixer strips.
* Fixed major issues with rack plugin moving, saving and loading.
* Fixed problems with multiple tempo changes and incorrect wave part lengths.
* Changed plugin code to use double instead of float to stop certain errors, and consistency.
* Fixed some minor spelling mistakes.
* Fixed issues with audio track automation.
* Fixed very 'jumpy' volume sliders and pan knobs under automation.
* Fixed several other small problems. For example a duplicate define in song.h
* Changed the way audio track automation works.
- For ease of use, the current mode now remains selected, even after a file write and re-open.
- To reduce the chance of accidental changes, for added visual warning, Touch and Write modes
colour the automation mode box red.
- Write and Touch modes: Only if the controls were touched, changes will be stored when
the transport is stopped. Since the current mode remains active, you can move to
another part and do some more automation.
- Write mode: The controls are updated with stored values until you touch them, then they
store from the time you hit play to the time you hit stop. If you touch the controls AFTER
you hit play, you may get unexpected results so remember to initialize that 'first value'
(at the time when you hit play), since muse will NOT 'fill in' from the time you hit play
to the time you first touched the control, with the value of that first touch. (Maybe support
this later).
- If you load a plugin preset, if the control values don't seem correct, try setting the track's
automation to 'Off', because the track will usually be on 'Read' - reading stored values.
- TODO: Muse really needs an automation editor/viewer! Perhaps integrate with wave viewer.
Also, add one more automation mode: 'Instant mode'.
* Hmmm, oh yes - added full LADSPA plugin automation. Check it out!
Compatibility with existing med files' Plugin section should be OK, but if you open an
existing med file with plugins, and the plugins' control values are no longer correct,
let me know. See comments (with these changes applied) audiotrack.cpp around line 557.
- TODO: Checkbox automation not working right. We need a better checkbox - one which checks
as soon as you press down! Also would like to add bypass and mute automation.
05.08
* Fixed build without fluidsynth (rj)
14.07
* fluidsynth: fixed pitchbend events, fixes bug #1404212 (ml)
13.04
* Editing volume and pan with keyboard on audio strip now works (rj)
* Fixed issue with recording audio, fifo could overflow when
when running with small jack sizes (rj)
* fixed storing of wave files with relative path when located
"under" the project path (rj)
28.03
=======================================
* retagged app.cpp and Yamaha-Motif-Rack.idf (rj)
=======================================
* fixed build bug in app.cpp (rj)
* fixed bug with Yamaha-Motif-Rack.idf (rj)
27.03
=======================================
* 0.8.1 tagged (rj)
=======================================
* some lash fixes (rj)
26.03
* Added next/prev marker, keyboard shortcut (rj)
25.03
* Reverted fix for silent softsynths, synths were not silenced
upon [stop], gah! (rj)
* Added LASH support (patch from evermind @ gentoo) (rj)
21.03
* Added Motif-Rack idf from europeen (rj)
19.03
=======================================
* retagged dummyaudio.cpp (rj)
=======================================
* Fixed build bug in dummyaudio.cpp (rj)
18.03
=======================================
* 0.8 tagged (was 0.7.2) (rj)
=======================================
* Added idf files from linux chaos
Waldorf-Q, Yamaha-01v,Yamaha-Motif, Yamaha-P100 (rj)
05.03
* Arranger no longer performs "seek" while editing
when in ext-sync mode (rj)
* Play/Stop disabled for all when in ext-sync mode (rj)
02.03
* more work on extern sync, loop works better (rj)
* no-audio + extern sync does not hang anymore (rj)
* muse now starts even if jack is not found (rj)
* fixed a number of divide by zero errors mainly affecting zoom (rj)
11.02
* Added menu alternative for storing plugin preset (rj)
06.02
* Updated/improved swedish translation. (rj)
04.02
* Fix for softsynths going silent under load. Sometimes events arrive
with time=0, this is now handled. Why it happens is yet unknown.(rj)
02.02
* check audioDevice and _client for validity (rj)
13.01
* amd64 fix in driver/rtctimer.cpp (ws)
09.01
* Added patch for vam from mane_grotesk (rj)
07.01 * On drumtracks, there was no check for non-existing ports. If a drum
instrument was configured to output to a port other than standard for
the track, there was a segfault. Now output to non-existing ports are
simply ignored (ml)
05.01
* Added updated french translation from Intent (rj)
* Fixed crash bug in pianoroll when moving several
events outside part. (rj)
* Fixed esc key in drumeditor name edit (rj)
03.01
========================================
* 0.7.2pre5 (final!) tagged (rj)
=======================================
02.01
* Added popup when enabling rec for a track unable to create it's
wave file (rj)
2006.01.01
* Enlarged listeditor dialog (FR:1392090) (rj)
* Changed preset file extension of vam presets to .vam (rj)
* No longer translates dir name for drummaps (rj)
* Fixed crash bug when arrowing left in an empty editor (rj)
* Added F2 name edit in drum editor (rj)
* Added up/down arrowing in drum editor (rj)
30.12
* Fixed bug in detection of RTC (rj)
* Removed ugly printouts from probeing for browser (rj)
29.12
* Reawoken Organ: (rj)
- read/write current settings
- automation of all parameters
* Reawoken VAM: (rj)
- read/write current settings
- automation of all parameters
- preset dialog
28.12
* Changed audio prefetch buffer to be dynamically sized after the
jack buffers (rj)
27.12
* Fixed allocation of wave memory when reading and writing sound files
fixes problems with audio-operations (rj)
* Fixed problem when external wave editor was not correctly defined (rj)
26.12
* Race condition between threads caused lockup upon quit and load project.
Fixed by checking if sequencer is actually running before making
internal IPC call, made major difference (rj)
21.12
========================================
* 0.7.2pre4 tagged (rj)
=======================================
* Now dynamically extends parts if events continue after end and
ignores pastes before part, fixes bug:1363066 Paste outside segment (rj)
18.12
* ExtSync improvements, handles relocation of playhead during stop
(on my gear atleast), does not work during play (rj)
* fixed bug building synths (introduced during last checkin) (rj)
14.12
* fast_log10 exchanged for HEAD version (old version doesn't work with
gcc4), fixes problem with meters and sliders not working (rj)
* Added patch from Martin Habets fixes core dump problem while
building with LADCCA (rj)
* Added patch from LarryL autoconf changes to synth building (rj)
* Fixed drag in effect rack that it does not start directly (rj)
* Adapted optimization parameters for gcc4 (rj)
13.12
* Possibly fixed issue with crashes during load of projects
by putting delays between start/stop of sequencer and actual load
operation. This should make sure that the process loop is idle. (rj)
* now tries both RTC and Alsa (in that sequence) for main timer (rj)
* added checks if alsaDevice is valid (fixes several crash bugs when
muse goes zombie). Should be done in more places. (rj)
* added check if audio is really running when jack calls process.
Sometimes it's called when it should not. (rj)
12.12
* updated muse_ru.ts from Alexandre Prokoudine (ws)
11.12
* removed assert, fixes bug:1376783, deleting track with pianoroll open
crashes muse
09.12
* Added patch from Daniel Cobras regarding compatibility with 64-bit
systems (rj)
* fixed crash bug when muse tried to show plugin-guis when the
plugin did not exist (rj)
29.11
* fixed seg fault when deleting last note in pianoroll editor (ws)
13.11
========================================
* 0.7.2pre3 tagged (rj)
========================================
* Changed back to AlsaTimer (rj)
8.11
* fixed typo in share/locale/Makefile.am
7.11
* removed some dubious locks in thread start (ws)
19.10
* Fixed bug 1329537 (User defined fonts not updated) (rj)
13.10
* added emuproteus200.idf from Piotr Sawicki (ws)
* updated polish translation
12.10
* added polish translation from Piotr Sawicki (ws)
26.9
* Handle restart of Jack and restart of audio (rj)
21.8
* Added new timer classes from Jonathan Woithe. (rj)
14.8
* Solo for audio tracks improved by removing the possibility to mute Output tracks (rj)
* Implemented REPLACE for midi recording (seems to sometimes miss notes though...) (rj)
* Fixes for Appearance dialog, background pic, event display (rj)
* Marker window now toggling (rj)
* Added "raise" to more dialog windows (rj)
* compress event display in parts somewhat (rj)
* reverted pipeline again...bah...think before you change (rj)
* bounce now stops correctly (rj)
13.7
* Fixed position of import of wave files, inserted at cursor, now inserts at mouse (rj)
* Added drag&drop support to plugin racks in mixer, internal and to/from disk (rj)
* Changed the plugin pipeline depth to 5.. four is too little.. though it should be runtime extendable, wip (rj)
* Added patches from Daniel Kobras that correct errors in EditMetaDialog
and old html docs. (rj)
* Added uppercase filters to midi import (rj)
12.7
* Added quick search to LADSPA plugin dialog (rj)
11.7
========================================
* 0.7.2pre2 tagged (rj)
========================================
10.7
* Added possibility to edit selection of wave in external editor (ml)
9.7
* Added gain modification functions + misc to waveedit (ml)
8.7
* Updates to wavefile modification, implemented normalize, fade in, fade out and reverse of wavefile selection.
Removal of wavefile undo data on shutdown (ml)
7.7
* Added undo/redo handling for modifications of wavefiles + mute of selection in waveedit. expect updates. (ml)
6.7
* Added selection to waveeditor + ignore unhandled keyevents in waveeditor (ml)
4.7
* Implemented resize of waveparts (ml)
* Added Idf files by Steve D for Roland FantomXR, SRX-02 and SRX-09 (rj)
2.7
* Fixes for waveedit: offset problem fixed (no more empty waveedit windows), initial zoom value to
roughly match size of part (ml)
01.7
* Fixed bug with loading of background pixmaps (rj)
28.6
* Only send MMC continue message when in playback state when seeking (rj)
22.6
* Fixed bug 1199171 (Time change: a part does not completely fit into 4 bars), part
resize problem (ml)
21.6
* Added scrollwheel support for vertical scrolling in arranger, pianoroll and drumeditor (ml)
* Fixed bug 1056996: Multiple selection, but single paste. Possible to copy several parts in arranger (ml)
20.6
* Fixed bug 1092424: bug in reposition of instruments in drumeditor (ml)
19.6
* Added recall of last entered directory in filedialog for global and user mode + recall of
opening mode (global, user or project) (ml)
18.6
* Fix for drumtracks and part export/import
* Fix for opening Midi port/softsynth dialog when already open (now raised and set to active window) (ml)
13.6
* Added export/import of midi parts (.mpt-files), drag & drop also possible (ml)
05.6
* Fix for generating midi clock, needs field testing. (rj)
04.6
* Added fixes to AlsaTimer and DummyAudio from Jonathan Woithe (rj)
* Added fix so AudioPrefetch is initialized upon starting the sequencer,
which for instance happens when loading a song (rj)
24.5
* Added Roland E-28 idf file from Jonathan Woithe (js)
16.5
* Updated ladspa-gui for newer version of tap-reverb (rj)
15.5
* Allows for several midi devices with the same name, they are now renamed
internally so they have a unique name. This is a partial fix for synths
that do not correctly give each instance a new name. (rj)
12.5
* s1 softsynth added square wave with parameter (rj)
11.5
* Fix for bug 1198747, tests for fluidsynth and rtcap in configure.ac (rj)
* Fix for bug 1198744, added patch for reading browser setting from config
without crashing, from Philip Nelson (rj)
* Fix for bug 1188767, downmix won't stop playback until reaching the
right marker (rj)
08.5
* the instrument list in the drumeditor now has fixed width when resizing the window (finally, it made me nuts) (ml)
* added nudge event position left/right w keyboard (ctrl+left/rightarrow as default) to pianoroll and drumeditor (ml)
* added fixed length command to pianoroll, uses snap-to value (ml)
07.5
* added snap/quantize patch from Petr Mazanec (snap of notes in pianoroll+drumeditor is now controlled by
snap, not quantize) (ml)
* simpledrums: added save/load of setup to file, bugfixes.
simpledrums version is now 1.0 (go figure! ;) (ml)
06.5
* No longer crashed when enabling audio metronome when there's an aux (rj)
========================================
* 0.7.2pre1 tagged ! (rj)
========================================
04.5
* extern sync algorithm "reworked" (rj)
1.5
* simpledrums: backported fixes for channel number + memory deallocation,
fixed issue with clearing of sampledata, I hope (ml)
30.4
* fluidsynth: bankno is saved to project, switched to hbank from lbank (ml)
* Now really runs libtoolize in autogen.sh (rj)
29.4
* make sleep() in watchdog thread non interruptible to avoid
watchdog timeouts at startup (ws)
* added vst preallocation of memory "fix" (rj)
* More fixes to filenames containing dots (for instance wca files) (rj)
* Added Yamaha-PSR275 instrument file by Petr Mazanec (rj)
27.4
* fixed patch-info issue in Fluidsynth (bug 1191214) (ml)
25.4
* fixed bug w paste in drumeditor, 1189267, patch from P Mazanec
18.4
* removed file ltmain.sh; this file is now created by "libtoolize"
command in autogen.sh (ws)
16.4
* Fixed bug 1152441, filename can now have several dots (ml)
* Fixed bug 1183980: fluidsynth pitch controller wasn't given to MusE from the synth (ml)
15.4
* Added a redundant test that makes midi input work on PPC for some
reason. (will research a better fix for 0.8) (rj)
10.4
* Added an error popup when importing wave files fails. (rj)
30.3
* [DONE] midi -> edit instrument is not implemented -> remove it (js)
* [DONE] same for random rhythm gen -> is not implemented -> remove it (js)
* [DONE] BUG: pianoroll editor -> tools resize wrong, they should stay on max they need instead of width fit (js)
* have to go to the dentist on 7.3.2005, god help me, i fear this will kill me (js)
29.3
* README changed some links (js)
* README added some icons to arranger (js)
* added support for german localisation (30% translated, still quite bad) (js)
* help: changed muse homepage location (js)
* more to come (js)
28.3
* Fix for overflow when importing midi (rj + ml)
6.3
* Added some fixed on dialog handling, mainly "esc" will close the widget now. (js)
* As usual added the icons which i forgot to add in the last release
* Corrected the drums icon which was a wave icon (in the dropdown, arranger)
26.2
* Added Roland-SCD70.idf from Emiliano Grilli (rj)
09.2
* fixed bug with sending start play w/ midi-clock (rj)
01.20
* Added RT support and better working timing to DummyAudio backend (rj)
* New version of MC505.idf from Wim VW (rj)
01.18
* Added script to convert MusE 0.6 songs to 0.7 format (rj)
01.17
* Midi clock sync first test, unstable (ml)
01.14
* patch from Erwin Scheuch-Heilig to allow for libtool >= 1.4 (ws)
01.10
========================================
* 0.7.1 tagged ! (rj)
========================================
* ZynAdd instrument def file added (ml)
* Now the length is updated when importing a midi file to a project,
fixes bug: 1056994 (rj)
* Disabled freewheeling for bounce functions (song.cpp:_bounce) (rj)
01.09
* Fixed bug: 1094622, MidiTransform now uses new controller types (ml)
* Fixed bug with custom plugin guis that caused them to be
uninitialized (rj)
* fixed just introduced jack graphChanged problem (rj)
* Fixed a crash issue with Thread class (only did happen when you mess around) (rj)
* Synti tracks don't crash when being renamed (rj)
01.04
* Fixed a crash problem when using several fluidsynths (rj)
* Now fluidsynth restores most memory upon deletion
(but not all it seems) (rj)
* fluid disabled when fluidsynth disabled (we should probably
disable it all together) (rj)
* Fixed mixdown clash with auto-rec enable (rj)
* Fixed crash / hang when closing connected jack apps (rj)
2005.01.02
========================================
* 0.7.1pre3 tagged ! (rj)
========================================
31.12
* Mastertrack list editor updates (add sigevent + misc) (ml)
30.12
* Insertion of tempo events in list mastereditor added (ml)
29.12
* Added support for changing time signature in list master editor (ml)
27.12
* Added support for changing tempo + position of tempoevents in list mastereditor (ml)
* Backported auto rec-enable from HEAD branch (rj)
* Added visual feedback of marker addition in ruler as well as
possibility to remove markers with shift+rmb (rj)
* Made it easier to resize the last track (bug: 1041798) (rj)
* Fixed bug: 966005, new projects are now called "untitled" (rj)
* fixed bug: 1085791, no more crashes with delete + drag (rj)
26.12
* Listedit bugfixes. Consideration of part offset used for events (ml)
20.12
* Fix for bug #1085796 (when renaming channel by doubleclicking it
in tracklist and a part is selected, pressing return opens editor for part) (ml)
17.12
* -a (No Audio) flag added, improved Dummy audio backend (rj)
* alsa timer bugfix (rj)
* added deicsonze patch from Alex Marandon to fix QT<->STL
problems on affected platforms (rj)
14.12
* Disable of fluidsynth works (rj)
* Added test for libsamplerate (rj)
* Re-enabled --enable-suid-install (rj)
* Added <iostream> to simpledrums.h (rj)
* Added -no-rtti to simpledrums (ml)
13.12
========================================
* 0.7.1pre2 tagged ! (rj)
========================================
* SimpleDrums 0.2 softsynth added (ml)
12.12
* Removed -no-rtti from configuration (rj)
* Extern sync (codename: it_works_for_me__sometimes) is back! (rj)
* Changes to midi-input, events to softsynths vanished (rj)
* bounce to file now limits output to +/- 0.99 (rj)
* crash bug on missing event in sig.cpp fixed (rj)
* Changed default timer resolution to 1024 (rj)
* Applied fix from Levi D. Burton to allow midi thread to run
realtime although Jack is not (rj)
* New version (0.22) of DeicsOnze from Alin Weiller (rj)
9.12
* Now autogen.sh requires libtool = 1.4, 1.5 does not generate
softsynths correctly (rj)
4.12
* Added another IDF from Christoph Eckert for Alesis QSR,QS7 and QS8 (rj)
01.12
* fixed import of type 0 midi files (ws)
* Added updated DeicsOnze (0.21) from Alin Weiller (rj)
* added a branch of new icons, changed default colors of
wav/audio output track in arranger (js)
* changed changelog (js)
30.11
* Added IDF files from Christof Eckert for Access Virus,
Hammond XB and Waldorf Microwave (rj)
* backported fix from 0.8 so listing patches for synths
works again (rj)
29.11
* fix midi import: tick values of tempo/signature
and marker events are now properly converted to internal
resolution (backport from 0.8) (ws)
* some make system changes to better handle precompiled headers (ws)
========================================
* 0.7.1pre1 tagged ! (rj)
========================================
* LADCCA was incorrectly disabled in config, now fixed (rj)
* Changed URL of homepage to www.muse-sequencer.org (rj)
28.11
* Partial support for "input only" midi devices. (rj)
27.11
* Added Alsa Timer as a new timing device, RTC is still
available, though not easily selectable yet. (rj)
* Made some changes to how threads are created, for systems
where thread creation has been erratic, linux2.6 in various
configurations. Not yet verified if it makes any difference. (rj)
08.11
* Backported audio metronome (rj)
* Backported open/save dialog improvements (rj)
* Added -r parameter to allow MusE to start without RTC
not the right thing to do, but it seems necessary on PPC,
it's a start. (rj)
* Added patch from CK to allow getopt to work on PPC (rj)
02.11
* Added icon stuff to tlist.cpp (js)
01.11
* Added Alin Weiller's DeicsOnze synthesizer (ws)
* add dummy call to process() in Audio::start() to warm up caches
to avoid "JACK - zombified" during startup (ws)
23.08
* fix crash in list editor - create new controller (ws)
* increase required JACK version to 0.98.0 (ws)
20.07
* updated muse/muse.pro and share/locale files (ws)
18.07
========================================
* 0.7.0 tagged ! (rj)
========================================
* output fifo warning only if cmd line "-D" switch is set (ws)
17.07
* fixed separate handling of recorded events vs played events (ml)
15.07.
* do not start the disk helper thread in realtime mode (ws)
* check for JACK thread really running in SCHED_FIFO mode, if not
(as on my system with kernel 2.6.7 and nptl) try to set it. (ws)
* removed some exit() and abort() calls to react somewhat more gracefully to
to internal errors (ws)
14.07.
* fixed -V (no vst instruments) option (ws)
* do not save midi controller information in ~/.MusE file (ws)
* another try to fix midi loop handling: Loop len now should be
sample accurat. The loop is shifted left at most one audio
cycle to meet the requirement of loop end matching audio cycle
end. When JACK transport is in "JackTransportStarting" mode,
MusE internally continues rolling, so there are no repeated
cycles anymore (ws)
* Added message boxes when alsa and jack fails to initialize (rj)
* Disabled solobuttons in mixer (rj)
13.07.
* added new icons for the mixer solo/mute (js)
* added refresh for the solo/mute icons (rj)
* added icons for drum-/listeditor in the arranger on rightclick (js)
12.07.
* fixed typo in loop handling (ws)
* added patch from Daniel Schmidt to be able to configure
MusE without X being available (rj)
* Removed geometry data etc from templates (rj)
11.07.
* disabled midi mtc sync as its not implemented; disabled
midi sync slave modes as they are currently not working (ws)
* enabled sending midi clock (ws)
28.06.
* split removeTrack()/insertTrack() into three phases: pre realtime
actions - realtime actions - post realtime actions; this allows
to move memory allocations out of realtime task (ws)
* changed undo/redo of tracks: synti instances are now really deleted on
delete track (ws)
* jack connection changes with qjackctrl are now recognized by MusE (ws)
27.06.
* applied patch from John Check to add a panic button to pianoroll
editor (ws)
28.06.
========================================
* 0.7.0pre4 tagged - one more (rj)
========================================
26.06.
* Some packaging additions, icon, spec files.
(only mdk at the moment) (rj)
25.06.
* fixed midi timing bug (ws)
19.06.
* don't catch SIGCHLD, this interferes with vstInit() (ws)
* "givertcap" was not found when not in current directory (ws)
* impl. "all notes off" for organ synti (ws)
18.06.
* disabled buttons for not implemented functions (ws)
* added muse/wave/solo button in the trackinfo ;-) (js)
15.06.
* enabled some midi sync code (ws)
14.09.
* dialogs for change of drummap when converting miditrack to drumtrack
or changing port. redirection of keyevents from tlist to canvas (ml)
13.09.
* save/restore parameter for VST synthesizer (ws)
* automatic trackchange in tracklist when selecting parts in arranger (ml)
* added modify velocity to drumeditor + bugfix for modify velocity (ml)
* save/restore parameter for VST synthesizer (ws)
12.09.
* fixed backup command when filename contains spaces (ws)
* fixed midi step recording (ws)
* fixed bug in arranger: pressing enter after renaming part started
editor (ws)
09.06.
* added support for VST/windows software synthesizer (ws)
* delayed loading for software synthesizer: syntis are loaded, when
they are instantiated the first time (ws)
08.06.
* fixed --enable-rtcap configuration option (ws)
07.06.
* increased "dimension" in memory.h to make MusE work on 64 bit
architectures as requested from Simone Piunno (ws)
* added aux send for syntis (ws)
* added info box which explains why when MusE gets kicked by Jack (rj)
06.06
* added instrument definition for roland MC-505 from Wim VW (ws)
05.06
* Added backup creating save patch from Levi D.Burton (rj)
01.06
* transpose + grid patch added (alin weiller)
* fixed moving events in drum editor (ws)
* added new config option: disable splash screen (ws)
31.05
* fixed crash in pianoroll when using shortcuts for selecting
quant values when quant was set to 1 (no quant) (ws)
* fixed a crash when moving an event to tick positions < 0 (ws)
* fixed: selecting a note in pianoroll editor and changing a value
with note-info toolbar crashed MusE (ws)
* bugfix arranger: fix for selecting part -> ignore global accelerators (ml)
* bugfix for arranger selection of part above/below when using keyboard (ml)
* added pianoroll velocity variation patch (alin weiller)
30.05
* hopefully a fix for drum in & outmap-issues in midi.cpp (ml)
25.05.
* shortcuts for "arrowing around" in arranger added (ml)
* 0.7.0pre3 tagged - the last!!! I hope (rj)
24.05.
* fixed a crash on new -> load template (ws)
* FluidSynth: added support for drumpatches (equiv to midichan 10 patches) (ml)
23.05.
* exit if rtc open() fails (ws)
* changed default start behaviour to open default.med template (rj)
18.05.
* added many new/redone icons (js)
* changed aboutbox.ui for qt 3.2 compatibility
* changed app.cpp (added the icons)
17.07.
* added stereo/mono icons to mixer (ws)
* added a first version of an icon for muse and adapted aboutbox to the same.
(graphics by Joachim Schiele) (rj)
* Improved handling of browser for help system (rj)
16.07.
* Added FluidSynth fix for ignoring preset selection of soundfonts that don't exist (ml)
* fix midi import of pitch bend events (ws)
* fix pitch bend handling (ws)
* enlarge PitchLabel width so that 14 bit controller values can be
displayed without clipping (ws)
15.07.
* removed some debug messages (ws)
12.07.
* show one more measure in pianoroll and drum editor (ws)
* renamed controller name "Hold1" to "Sustain" in *idf files (ws)
11.07.
* New try at fixing help browser on all systems (rj)
10.07.
* updated muse.pro and translation sources (share/locacle/*.ts) (ws)
* list editor: implemented input mode for program change messages (ws)
09.07.
* fixed "edit - delete track" hangs MusE - bug (ws)
07.07.
* fixed routing for stereo LADSPA plugins used in mono strips (ws)
* midi import: first resolve note on/of then transform ticks to internal
resolution (ws)
06.06.
* set global automation default to "true", set midi track automation to
"read" (ws)
* enable auxSend chorusSend and reverbSend in midi mixer strip if
corresponding controllers are added (ws)
* init automationType for midi tracks (ws)
* fixed gm.idf instrument definition file (ws)
* implemented "Add New Controller" in list editor / edit controller (ws)
* save current midi controller values in *.med file (ws)
05.05.
* updated roland-XP30.idf instrument definition (Sverre H. Huseby)
04.05.
* 0.7.0pre2 tagged (rj)
03.05.
* fixed a cut/glue bug probably introduced at 24.04 (ws)
* fixed compilation of musewidgetsplugin.so (ws)
* changed splash screen handling, used QTimer instead of background thread (ws)
02.05.
* Added first version of splash screen (rj)
01.05.
* Updated LADCCA support to (almost) usable condition (rj)
30.04.
* Added zoom scaling in drum editor, same as piano roll (rj)
29.04.
* Disabled Random Rhythm Generator (rj)
* Took a stab at fixing up shortcuts (rj)
* Fixed crash bug when clicking Channel Info and there was no info (rj)
28.04.
* Added single key shortcuts for edit tools (rj)
* added shortcut for Marker editor (rj)
* and fixed some shortcut inconsistencies (rj)
27.04.
* update marker list on tempo change (ws)
* allow adding markers from the ruler with shift-click (rj)
26.04.
* added missing header file(s) (ws)
25.04.
* fixed aux processing: stereo -> mono aux (ws)
* metronom now sends proper note off events (ws)
24.04.
* deactivated clip list editor. (ws)
* after loading of template, treat current project as "untitled" (ws)
* removed data structure "Clip". All information are now in WaveEvent;
this simplifies the structure a lot and makes reference counting more
reliable. Unfortunately this also means a new incompatible *.med file
version. (ws)
* changed reference counting of Event class; simplified and more reliable (ws)
21.04.
* fixed some synchronisation issues between mixer and trackinfo window (ws)
* fix update of mixer after removal of aux strip (ws)
20.04.
* Added shortcuts to bug reporting tool, homepage,
and updated AboutBox (rj)
19.04.
* fixed QT version check in m4/qt.m4 (ws)
18.04.
* add samplerate initialization to fluidsynth (ws)
* compilation fix: added missing include in fluid.cpp (ws)
17.04.
* File->New crashed when current project had selected audio track (ws)
15.04.
* 0.7.0pre1 * tagged for prerelease (rj)
* arranger: fast repeated pastes now works more reliable (no more stacked
parts) (ws)
* Thread(): crashed, when poll() returned more than one ready file descriptor
and the corresponding callback routine manipulates the list
of file descriptors. This happened timing dependend and only in real time
mode. (ws)
* fixed Fifo() get() (ws)
* small extension in soft synth interface (Mess()): added return values
for processEvent()
14.4.
* fixed pan range for midi mixer strips
* renaming soft synth instances + save/restore should now work
* fixed fluid "gui"
* changed CTRL_VAL_UNKNONW as it conflicts with valid
values for CTRL_PROGRAM (ws)
13.4.
* don't crash on missing LADSPA plugin (ws)
* set metronome precount default to "false". Precount is not
implemented. (ws)
* fixed crash when toggling stereo or pre buttons in mixer (ws)
* synchronize channel number in mixer/arranger-tracklist (ws)
* changed all float printf("%f") to equivalent qt-string
routines; don't localize decimal point so that the
strings can be properly parsed; this should fix some
save/restore problems in localized MusE versions (ws)
12.4
- arranger/portinfo: fix update of instrument names (ws)
- fluid synth: enable drumsets (ws)
- fixed crash on inserting meta/ctrl/aftertouch in list
editor (ws)
- fixed crash in arranger when moving mouse+Alt after
removing a track (ws)
11.4 - fixed initialization of Pan after load of new song (ws)
- fixed graphical master track editor (ws)
- fixed Qt-Version check (ws)
- small qt3.2 compatibility changes (string->toInt() conversion) (ws)
10.4 - made plugin selector remember the previous selection type (rj)
4.4 - drag & drop import of wave files (rj)
- drag & drop import of mid files (rj)
3.4 - reactivated vam synthesizer
- fixed initialization bug in s1 synthesizer demo code (ws)
- added another vertical line in drum editor
2.4 - integrated new icons (ws)
- increased required QT-Version to 3.2 in configure.ac (ws)
1.4 - added vertical line in track list as suggested by Joachim Schiele
- fixed synchronisation issue between mixer and tracklist (changing midi channel can
add/remove mixer strip) (ws)
- Changed pan range to -1 +1 (rj)
- added new icons from Joachim Schiele (not integrated) (ws)
- Support for showing only selected plugins in plugin dialog (rj)
31.3 - Added various compile fixes needed by debian (rj)
29.3 - Updated mc303 instrument file from Conrad Berh�ster (rj)
25.3 - bugfix for pos increase/decrease shortcut (ml)
24.3 - bugfix for mtscale redraw area when window is scrolled left
- bugfix for arranger shortcuts (ml)
23.3 - added position seek to drumeditor + arranger.
- increase/decrease pitch of selected notes in drumeditor with ctrl+up/down
- added quantize shortcut keys (1-8) in drumeditor (ml)
21.3 - added shortcut for pitch increase and decrease of sel notes, in pianoroll (Ctrl+Up/Down)
- moved shortcut handling for pianoroll + drumeditor to EventCanvas
- leftmost note selected when opening proll/drumeditor (ml)
16.3 - added shortcut for iterative quantize in p-roll. added shortcuts for
selection of notes in p-roll and drumeditor: left/right arrows moves
selection, holding down shift adds to current selection (ml)
- bugfix, moved blocking of signals on startup to exclude loading of project since
a bunch of widgets didn't get updated (ml)
12.3 - bugfix for menu initialization of "add track"-menu shortcuts (ml)
- added some regular 7-bit controllers to Fluidsynth (ml)
6.3 - Fluidsynti chorus operational again, controlled by NRPNs and
automatic gui-update here too. (ml)
- Fluidsynti reverb restored. Reverb is now controlled by NRPNs.
Automatic updates of gui when controller-changes occur. Unloading
of soundfonts restored. (ml)
4.3 - Fluidsynti playback restored. Gain restored. (ml)
3.3 - Fluidsynti major rewrite, not fully functioning though (ml)
- fixed crash on reload song with open mixer
- fixed crash on saving *.med: don't save aux values for channels
which have no aux send (like aux strips)
- remove empty record wav files on MusE exit
- fixed crash on undo controller editing (ws)
28.2 - more icons from Joachim Schiele (ws)
- fixed crash with mouse wheel events in arranger track list
- fixed some routing related crashes
25.2 - show mixer strip in trackinfo window for audio tracks (ws)
24.2 - compatibility patch to read midi tracks from old 1.0 *.med
files (ws)
- implemented quick input routing from jack (ws)
- added some new icons form Joachim Schiele (ws)
23.2 - implemented quick output routing to jack; some routing
fixes (ws)
22.2 - added instrument map for yamaha PSR 530 keyboard from
Lalit Chhabra (ml)
- misc compilation fixes from Joost Yervante (ws)
21.2 - added drum map for Yamaha DX200 from Joost Yervante Damad (ws)
- "quick routing" buttons in mixer (ws)
17.2 - install musewidgetsplugin.so in PREFIX/lib/muse/qtplugins/designer
and add this path to qt library path in application (ws)
16.2 - trackinfo geometry management changes (ws)
14.2 - added volume controller to organ, so that the organ
synthesizer volume can be controlled in the mixer midi strip (ws)
13.2
- optimized "organ" software synthesizer: precomputed frequency
tables, integer envelope generator based on bresenham algorithm;
added "velocity" switch; (ws)
- changed VAM synthesizer for new interface (ws)
12.2 - controller movements in software synthesizer gui's are now
send as midi events to MusE and can be recorded/replayed/edited
(currently only working for "organ" synti) (ws)
- changed software synth interface (again) (ws)
11.2 - expanded trackInfo by default (rj)
- added some graphics to trackInfo :) (rj)
- changed "White" to "Default" (still white though) (rj)
- fixed trackInfo updating for tracks without their own trackInfo (rj)
- added lousy fix to update trackInfo when a track is deleted.
it's lousy because it's updating the trackInfo even though the
removed track wasn't highlighted, can place you in a tight spot
at times. I added it anyway because it removes a crash problem.
a better fix would be preferable. (rj)
- fixed mouse wheel functionality on knobs and sliders in mixer. (rj)
8.2 - propagate track name changes to mixer (ws)
- enforce unique track name when user renames tracks (ws)
- implement one to many audio routing (ws)
- fixed bug in route dialog refresh after inserting new strip (ws)
- fixed aux send volume (ws)
4.2 - added missing activate() to LADSPA plugin initialisation.
This fixes crashes with some plugins (plugins who use activate()
to allocate memory) (ws)
-fixed user definable LADSPA guis using QT-designer; added another
example *.ui file for "Toms'Audio Plugins" TAP-Reverberator (ws)
1.2
- logarithmic values were initially wrong for spin boxes in
LADSPA guis (ws)
- On-the-fly-change of shortcuts in Listeditor, Drumeditor. Added selection
shortcuts to Drumeditor (ML)
- Added on-the-fly-change for shortcuts in pianoroll (connected to
configChanged-signal) (ML)
30.1 save geometry of LADSPA plugin guis;
fixed missing mixer refresh after adding an auxSend strip (ws)
29.1 mixer strip automation types OFF, READ, WRITE and TOUCH
implemented; automated controller so far: volume, pan (ws)
27.1 more code for automation;
better reference counting for audio Clip; Clips with zero
reference are not saved in *.med file anymore (ws)
26.1 - removed obsolete driver/midirawin* (ws)
25.1 - removed obsolete raw midi devices & serial midi; all devices
are now handled by ALSA (ws)
24.1 - changed "Configure" to "Settings"; changed "Display" to "View"
for better standard compliance (ws)
23.1 - enabled controller editing in midi list editor (ws)
19.1 - added new dir/lib libsynti to collect common code
for all software synthesizer (ws)
18.1 - ported VAM software synthesizer to new MESS interface
(not complete) (ws)
- events send from synth gui are not echoed back anymore
17.1 - drumedit: changed "keyFilter" to "drumInstrument"; use
it to handle drum instrument specific NRPN controllers (as defined
in XG standard (ws)
- move drum instrument select status from drumMap to drum editor.
This allows for independent selections in different drum
editors. (ws)
- extend midi controller definitions in *.idf files for
drum instrument specific NRPN controllers (controller number
contains pitch value) (ws)
16.1 - Added small fix to editctrlbase.ui to make it compile (RJ)
- Updated various revision info in README (RJ)
15.1 - Corrected appearance of buttons in Metronome window (FN)
9.1
- "record" button in midi ChannelInfo; pressing this button
inserts changes in hbank/lbank/program/pan/volume as
controller events into song
- pianoroll editor: new "multi select mode": If more than one
event is selected, the event info spinboxes are set to zero.
Entered Values are interpreted as offsets and added to all
selected events.
- some fixes and performance enhancements to "MidiTransformator" (ws)
- fixed saving of drum tracks (ws)
8.1
- changed arranger shortcuts + shortcut-configurator to use configChanged; all arranger menu shortcuts
redefinable on-the-fly. most menu options configurable (ML)
- now possible to toggle mixer window (ML)
- changed Ctrl+A in arranger to be used for select all instead of "Save As" for the sake of uniformity (ML)
5.1
- new config (Config->GlobalSettings) option:
- start with empty song
- start with last song
- start with configured init song
2.1
- smf type 0 export (ws)
31.12
- midi export; fixes to midi controller handling (ws)
30.12
- added dynamic shortcuts for all menu options in the arranger (will hopefully
work fine when config is loaded before menus are built) (ML)
- added check and prevention of conflicting shortcut sequences inside
respective categories, global shortcuts and misc "reserved"
shortcuts (ML)
- capture dialog grabs/releases keyboard (ML)
26.12
- faster update of mixer (ws)
22.12
- added dummy audio driver; this permits running MusE
without suid root and without RT priority when started
with "-d" option; this is for debugging & to get
normal core dumps (ws)
20.12
- Reverb + chorus grayout-problem in fluidsynthgui removed. Some QT-designer files changed to 3.2 (ML)
- More shortcut updates: Added a dialog for capturing shortcuts (ML)
18.12 (ws)
- "declicked" s1 demo synthesizer
- make organ controller values persistent
- fixed integer overflow in organ synti controller values
17.12 (ws)
- new: mouse wheel events for track list values
- track colors in tracklist configurable in "appearance settings"
- more configuration options in "appearance settings"
part colors are now configurable
- ~/.MusE now contains only configuration data; this
settings are not replicated in *.med files any more
10.12
- more shortcut stuff in the dummy shortcut config window (ML)
- new "load song" option: load all/load song data only (omit config data) (ws)
- new "File" function: load template; this function initializes current
song with another song (template)
- new option while importing a midi file: replace/add to project
9.12
- More shurtcut stuff + dummy config dialog (ML)
2.12
- Bugfixes in pianoroll for insert at current location and seek before
beginning of song (ML)
- fixed crash on "New" or loading new project
(ws) - "bounce to track" now works "faster than realtime" with JACK
freewheel mode (JACK 0.91.0 cvs required)
- mixer automation for gain & pan; some basic functions
- preparation for adding imported midifile to current project
1.12
- More shortcut preparations (ML)
27.11
- Added mouse wheel handling for knobs and sliders
shift modifier available for extreme slow motion. (RJ)
25.11
- drummapping for recorded events (not heard on record playback echo yet) (ML)
- misc updates& fixes for track handling (ws)
- removed activity column in tracklist; will be replaced by
mixer meter display (ws)
- midi record flag can be set again, enabling midi recording
24.11
- Added first steps for uniform handling of shortcuts (ML)
23.11
- some mixer updates(ws)
22.11
- fixed software synth handling; looping is only possible
on segment boundaries (ws)
20.11
- Bugfix for drummaps and keyfilter in drumeditor (ML)
- apply drum map when importing midi (ws)
- retain track ordering across save/load (ws)
- wave files in the project directory are stored with
relative path, all others now with absolute path (ws)
16.11
- Map outputted drumnotes according to drumMap index (Mathias Lundgren)
14.11. (ws)
- JACK transport interface implemented
- finally removed ALSA driver; JACK now required;
- default to RT-mode on start (-R option is removed); -d (debug)
starts without RT
12.11. (ws):
- removed midi mixer; first code to integrate midi mixer
into audio mixer; mixer moved to pulldown menu "Display"
- mixer strips are handled like tracks in arranger (prepare
for automation)
- track type cannot changed anymore in arranger track list;
also removed double click creation of tracks which makes
no sense anymore
- integrated "atomic" patches from Daniel Kobras
09.11. - audio routing fixes; mono/stereo switching for input/output
strips should now work; audio recording to tracks (ws)
08.11. - aux send audio mixer strips (ws)
- Arrowing up and down update in arranger (Mathias Lundgren)
07.11. - Fluidsynth compile problem w. Debian/qt/stl/gcc fixed (Mathias Lundgren)
- "Double undo"-bug fixed in Pianoroll (Mathias Lundgren)
04.11. - many changes to audio mixer and audio routing; implement
framework for new audio features (ws)
31.10.
- museProject set correctly when loading song on startup (RJ)
- save dialog added when adding first wave track (RJ)
- load/save of wave files handled with relative paths (to project) (RJ)
- Updated swedish translation (Robert Jonsson)
- Merged softsynth and midiconfig dialogs as in old tree(Robert Jonsson)
- Some museProject issues(Robert Jonsson)
- updated new midi controller implementation (ws)
29.10. (ws)
- update soft synthesizer organ/fluid/fluidsynth; extent MESS
interface
- update from 0.6.2 (Mathias Lundgren):
- Various drumeditor-related updates including: Horizontal splitter
offset stored. Fixed length command added (Alt+L). Bugfix for selection
of events inside/outside locators. Initialization of drummap doesn't overwrite
entries loaded from project file.
- Alt+P sets locators to selected notes in PianoRoll and DrumEditor
- CTRL+Leftclick on an item in the Arranger, PianoRoll or DrumEditor selects all
parts/notes on the same track/same pitch
- Pressing Enter in the Arranger now opens the appropriate editor for the
part (Mathias Lundgren)
- The midithread now maps keys on a drumtrack according to the drummap.
- Cursor up/down (Mathias Lundgren)
- currently selected drum (Mathias Lundgren)
- fixed compilation error in givertcap.c (andrew)
- removed iiwu soft synth temporarily from compilation until
ported to new "mess" interface
- added missing file ltmain.sh
- create new cvs at sourceforge.net
-------------
- removed obsolete score editor
- changed midi controller handling
- new process structure
- redesign of "mess" software synthesizer; removed alsa
- new midifile import/export
- fork from cvs; new file structure
0.6.2(omuse):
- added first version of (incomplete) french translation from
- removed stk based soft synthesizer + share/rawwaves
- removed sound font
- fixed bug in midi recording when recording starts with a note off;
also the recorded part len was miscomputed when the recording ends with
a pressed key (missing note off event)
- added new allocator for SEventList and MPEventList (memory.cpp, memory.h)
to make sure the midi RT-thread does not call malloc/new/free/delete
- added misc build patches from Daniel Kobras
- make selection of alsa audio device an command line argument
(-A xxx default: hw:0)
- fixed "edit->select->allInLoop"
- fixed track height after renaming track
0.6.1:
- fixed "Cakewalk Style" display in arranger
- added russian translation from Alexandre Prokoudinek
- arranger: tracks are now independent vertical resizable
- arranger: implement part rename from popup menu
- arranger: show part name in parts in addition to events
- audio mixer: interpret min slider position as "off"
- audio mixer: added value entry for pan (Robert Jonsson)
- audio: some routing fixes
- audio mixer: enable data entry for slider label
- ladspa plugin gui: replaced value label with data entry
to allow numerical entry of parameter values
- pianoroll: added undo/redo to edit menu + accel. keys
- ctrl editor: implemented changing (painting) of pitch
events
- added macros for big endian machines in midi.h
- added spain translation (Albert Gonzales)
0.6.0:
- added swedish translations (Robert Jonsson)
- fixed editing of pitch events in list editor
- fixed crash in score editor
- check tempo entry values; don't allow invalid values which could
crash MusE
- fixed not functioning "Abort" button in MidiTransform dialog
- fixed Ctrl-editing in drum editor
- fixed "Group" audio routing
- fixed editing of pitch values in parts not beginning at tick zero
- fixed "unexpected EOF" after dragging of events in midieditor
- fixed cut&paste in midieditor
- implemented deleting multiple selected parts in arranger with Del key
- fixed audio pan pots in mono->stereo conversion
- changed iiwu to fluidsynth (thanks to Helio Chissini de Castro)
- new popupmenu: click with right button in empty tracklist
- LADSPA plugin guis are generated at runtime from qt-designer *.ui
(xml-)files; testfile is "freeverb.ui" for freeverb plugin;
- added "Slider"+"DoubleLabel" to musewidgetsplugin to make widgets
available in QT-Designer
- renamed poseditplugin.so to musewidgetsplugin.so
- fixed midi ctrl editor
- sparate sync device into txSyncDevice and rxSyncDevice. RxSyncDevice
can be configured to "all".
- use <asm/atomic.h> macros for atomically inc/dec count in lockfree
Fifo implementation
0.6.0pre8:
- prepared for internationalization:
- created muse.pro
- removed all implicit type conversions char* -> QString
- added several missing translations tr()
- Part text is now colored depending on background (FN)
- fixed "bounce to file" fifo handling
- disable transport buttons in slave mode
- calculate correct size for new part after midi recording
- fixed crash when reloading song while audio mixer is open
- implemented "bypass" function for LADSPA plugin gui's
- changed obsolete qt header file names
- implemented external midi instrument definition files (*.idf)
(examples are in */share/muse/instruments)
- implemented moving plugins up/down in effect rack
- fixed: renaming wave track switched track to mono
- implemented LADSPA "LOGARYTHMIC" and "INT" hints
- disable record button for tracks with no input routed to
- implemented LADSPA "TOGGLED" port as QCheckBox in plugin gui
- changed algorithm for zeroing denormalized floats in freeverb
plugin; now it works again for gcc3.x and optimization flags
turned on
0.6.0pre7:
- prevent creation of empty wave files when switching the
record button in audio mixer on/off; wave files are only
preserved when you actually record something into it
- made plugin guis persistent
- fixed scissor operation on wave parts
- added missing code for "bounce to file"
- fixed "bounce to track"
- removed/changed obsolete qt code
- update for current iiwu cvs
- fixed initialisation bug in wave editor
- don't link iiwu libs static
- (bh) added ladcca support
- fixed midifile export
- arranger, pianoroll editor, drum editor: tool popup menu
with right mouse button click
- update iiwu to current cvs version
- implement trackinfo patch names for iiwu
- fixed "appearance settings"
- added keyboard shortcut "Del" to delete events in pianoroll
and drum editor
- "Asterisk" key in keypad now toggles record mode
0.6.0pre6:
- fixed len of new created event in pianoroll editor
- extend font selection in "apearance settings"
- Added shortcuts for "Select All", "Unselect All" and "Invert
Selection" in PianoRoll editor (FN)
- Fixed Event coloring and shortcut ("e") key (FN)
0.6.0pre5:
- fixed midi seek & tempo map
- implemented global tempo change
0.6.0pre4:
- fixed tempo handling
- pianoroll editor/drum editor: fixed changing of note position
- transport: some geometry/font changes; time signature can now
be changed by mouse wheel
- fixed glue/scissor tool
- catch sigchld signal again so we know when a softsynth gui exits
0.6.0pre3
- fixed drawing of drum parts in drum editor
- on reading *.med files reject events which don't fit into part (more robust
handling of defective med files)
- remove also synth gui when removing synth
- implemented some of Frank Neumann's usability suggestions:
- a "Copy Part" sets the current location marker after the marked part
- "Del" removes part if a part is selected instead of whole track
- new Keyboard Accelerator "C" toggles metronome click
- removed channel info for selected notes in pianoroll editor and
drum editor
- navigate between parts with left/right buttons in arranger window
- implemented changing note position for selected note in "note info" toolbar
- fixed: changing "loop" flag in transport window does not change "loop" flag in
other windows
- call pcm_wait() in alsa driver with sane values
- fixed: after load song seq did not run with rtc
- filenames for audio recording to tracks are now generated
automatically; every recording goes into separate file
- (bh) updated build system to use automake 1.7
- fixe Midi->DefineController "Cancel"
- new function: Midi->DefineController load+replace and load+merge
- fixed MFile write: close() was missing; this fixes a.o. saving of
midi controller sets
- make organ synth aware of project directory for saving presets
- fixed load/restore presets for LADSPA plugins
- changed organ default values for envelope generator
- more fixes for alsa driver (less xrun errors)
- lokal allokator for soft syth midi events implemented
- enable sample rates != 44100 for iiwu (JACK has 48000 default)
- cleanup soft synth instantiation: call alsaScanMidiPorts only one time
- small audio buffer handling optimizations
- some thread cleanups
- fixed audio mixer geometry handling
- another fix for RT thread handling in iiwu
- fixed recording of pitch events (not tested)
- load iiwu sound fonts in a background helper thread to
avoid being thrown out by JACK
- fixed RT thread handling; now muse+iiwu+jack works
- honour LADSPA default hints for controller ports
- removed some restrictions for LADSPA plugins
- fixed tempo entry in transport window
- added high priority watchdog process to avoid system freezes
- updated "iiwu" synth to use peter hanappes libiiwusynth
iiwu now remembers last used sound font
- fixed cut&paste for midi parts
- fixed cut function for midi parts
0.6.0pre2:
- audio mixer: reset meter on mute
- changed input routing to allow monitoring while recording
- removed superfluous second init() call for soft syntis
- fixes for mono/stereo conversion
- ensure all wave files are properly closed on exit
- fixed segfault on second cliplist open
- fixed wave part split function
- fixed ALSA/JACK configuration bug
- event time positions are again stored as absolute time positions
to enhance compatibility with older "*.med" files
- changed panic button: instead of sending lots of note off
events only "all sound off" controller events are send for all
ports/channels
- fixed error on importing midi files when there are more
than one track assigned to a midi channel
- found another memory corruption bug in sysex handling
- fixed precount in metronome
- space key again stops play/record
- fixed stop/play in transport window
- prohibit change of mono/stereo for input strip
- convert mono/stereo on the fly for wave parts
- fixed crash when pressing play in empty song
- audio loop fixed
- _midiThruFlag not always initialized
0.6.0pre1:
- attached midi mixer again
- fixed metronome: loop mode, measure/beat configurable
- moved part colorisation into part popup menu
- added global midi pitch shifter in addition to track pitch shift; this
allows for simple pitch transforming the whole song. Drum tracks are not
pitch shifted.
- fixed fatal error in soft synth handling resulting in sporadic
core dumps
- removed sf directory (sound file stuff) and replaced
it with the real thing: libsndfile 1.0.0
- removed bogus kde stuff: kde.h onlyqt.h desk.h
- JACK Audio support
- AUDIO & ALSA now required
- fixed memory corruption with sysex events
- simplified organ soft synth parameter handling
- removed illegal controller message optimizations
- implementation of "panic" button
- first instantiated synti didn't show up in port list
- size of resized drum and pianoroll editor windows are now remembered
- fixed crash when configuring null audio device
- removing soft synth instance did not stop midi thread; alsa client
was not removed
- (bh) lots of build system changes and general cleanups
- (bh) removed the use of the UICBASES make variable; .ui files can
now be added straight into _SOURCES make variables with the new
SUFFIXES support in automake 1.6
- (bh) upped minimum automake version to 1.6
- (bh) removed the use of the MOCBASES make variable; header files that
need to be run through moc are now detected automatically
- (bh) new iiwusynth softsynth
- (bh) removed support for oss and alsa 0.5
- clone parts implemented (also called "alias parts" or "ghost parts")
(dragging part with Alt-Key pressed in opposit to Shift Key which
produces a normal copy);
needed many internal changes; hope not to much is broken
- mastertrack: new spin widget for changing midi signature
- fixed midi thread initialization after loading new file
- stopped sequencer before loading new file; this should fix occational
core dumps on New/Load/ImportMidi
- some cleanups with file load/save operations
- Config->MidiPorts->otherRaw (device name pulldown): enabled OpenFile
Button for DevicePath field: At least current Qt can now handle devices.
- implemented:
- structure pulldown menu:
- global split
- global cut (mastertrack cut not implem.)
- global insert (without m.t.)
- implemented part mute
- added pitch transposition to pianoroll widget keyboard (Tim Westbrock)
- Save(As) behavior patch from Tim Westbrock
0.5.3:
- updated stk library to version 4.0; adapted stk synthesizer
- added SECURITY advice from J�n Nettingsmeier
- several compilation & portability fixes from Takashi Iwai
- fixed keyboard entry in pianoroll editor
- midi now runs synchronous with audio
- midi record time stamps now again synchronous to play position
- fixed trackinfo geometry (hopefully)
- pianoroll: fixed endless loop if record was pressed
without any mididevices configured (reported by Ola Andersson)
- default to english help if help for $LANG not available
(Ola Andersson)
- detect misconfigured ALSA system (Ola Andersson)
- updated demo app "rasen.med" to current xml format
0.5.2:
- fixed: rtc clock resolution settings in Config->GlobalSettings
- fixed: crash on second start of Edit->Marker
- more consequent implementation of -a (no audio) command
line parameter: no softsynth and LADSPA plugin loading;
disable audio menu
- fixed sending spurious midi controller settings on startup
when track info is active
- first code for "random rhythm generator" port from JAZZ++
- fixed start offset of midi recording
- pianoroll editor: fixed selection update
- appearance setting "font size" now persistent
- does not crash anymore if no ALSA system found. (ALSA is still
needed to compile MusE)
- fixed: multiple recordings: clear events form first recording
in record buffer
- fixed: crash when removing last track with open
trackinfo
- (bh) added beginnings of alsa midi patchbay
- changed suid handling: now MusE runs with normal user uid
and switches only to root uid for some special operations
- fixed mixdown file output
- fixed lock on startup when wave file was missing
- arranger: open tracktype pulldown with left mouse click
(was opened on right click)
- arranger: don't scale pixmap symbols
- added share/rawwaves to cvs repository (needed by stk synthi)
- changed software synthesizer interface "mess": moved more
common synth functionality to "mess.c"; changed synti's to new
interface
- removed obsolete "short name" in controller type dialog
- CtrlCanvas: always draw location marker on top of grid
- fixed: TrackInfo: velocity
- fixed: alsa midi: "pitch change" interpreted as "channel aftertouch"
- fixed some midi controller bugs
- implemented new parameter save/restore interface for soft
synthesizer (applied to "organ")
- (ws) fixed lost controller events on midi import
- (ws) fixed crash when removing soft synth in use
- (ws) appearanceSettings: changing font size now works better
- (Bob) files now include "config.h" instead of relying on -DALSA,
-DALSACVS, -DINSTDIR and -DAUDIO
- (Bob) Added 'delete preset' button to vam's gui and made it
remember what preset file it loaded
- Mess: added new class MessMono() which implements some
monophone synthesizer features. This is used in the
simple demo synthi s1
- if you try to exit MusE and abort this process, MusE was
left in an unusable state
- loop end was not calculated correct; event at loop end
was played
- muse now again stops at end of song in play mode
0.5.1:
- fixed crash: SaveConfig after Config->SoftSynth->AddSoftSynth
- changed default audioSegmentSize from 256 to 512
- eliminated message: "input type 66 not handled"
- SoftSynth gui was startet with uid root
- save project: warn if file open fails
- removed trace message "unrecognized event 42" (Sensing Midi Event
from external keyboard). Anyway MusE does not handle midi sensing
events.
- changed geometry for trackInfo panel
- more code for 14 bit controller events
- install "rawwaves" for stk synti into right place preventing
crash on start
- fixed another crash when load soft synth configuration
- fixed Midi Position Label (was -1 beat/measure off)
- fixed problem with lost note off events
- generate "note on" events with velocity zero instead of
"note off" events
0.5.0:
- pianoroll editor: caption is changed when current part
changes
- new software synthesizer adapted from:
STK: A ToolKit of Audio Synthesis Classes and Instruments in C++
Version 3.2
By Perry R. Cook, 1995-2000
and Gary P. Scavone, 1997-2000.
http://www-ccrma.stanford.edu/software/stk/
- added presets to "Organ" software synthesizer
- changed midi routing for software synthesizer:
- controller changes from gui can be recorded
- new midi thread implementation
- speaker button in pianoroll editor implemented:
if on events are played if clicked
- new Menu: Midi->InputPlugins
- demo plugin "Transpose"
- moved Config->MidiRemote to Midi->InputPlugins
- moved Config->MidiInputFilter to Midi->InputPlugins
- moved Config->MidiInputTransform to Midi->InputPlugins
- as usual some bug fixes of old and new bugs
- master editor: fixed: locator bars sometimes invisible
- master editor: new tempo spin box to change tempo at current
position
0.4.16:
- new software synthesizer adapted:
"Organ - Additive Organ Synthesizer Voice" from David A. Bartold
- new simple demo Synthesizer S1
- remove the hardcoded qt path "/usr/qt3" (0.4.15)
- fixed many bugs
- new: implemented line draw tool in controller editor
0.4.15:
- qt3.0 now required
- many gui/widget changes
- fixed segfault when pasting wave parts
- changed (again) default magnification in wave-view
- implemented prefetch thread for playing audio files
- fixed: iiwu did not play with ALSA 0.6
- fixed: handle audio underruns for ALSA 0.6
0.4.14:
- some makefile and compilation changes
- audio play: noise between audioparts during playback
- don't stop at end of song when "loop" is active
- default magnification in wave-view set to 1
- fixed a audio route initialization bug
- new metronome configuration: precount configuration added
0.4.13:
- avoid "disconnect error" on startup
- wave view: y magnification now persistent
- small gui enhancements to reduce flicker
- make install: now creates gui dir
- implemented 8 bit wave input format
- fixed another source of audio crashes
0.4.12:
- audio play: mixing buffer was only partly cleared resulting
in random noise
- fixed: core after removing soft synth instance
- set default master volume to 1
- fixed some audio routing bugs
- drumedit: added missing display update after drum map loading
- drumedit: fixed: when loading external drum map, velocity values
got zero
- drumedit: fixed: core some time after loading external drum map
0.4.11:
- iiwu: in GM-mode dontt allow drum channel program changes;
also ignore bank select messages
- set GM-Mode resets synth
- some changes in drum channel handling
- substantial changes in audio implementation
- reimplemented audio configuration
- miditransform: val2 transforms fixed
0.4.10:
- iiwu: implemented sustain, ctrl:expression
- iiwu: changed sync audio/midi; this fixes some timing issues
- iiwu: fixed: core when loading new sound font while playing
- split RT thread into separate midi & audio thread
- fixed some bugs: crash on midi recording
- some new functions in pianoroll editor
- added/integrated Tommi Ilmonens "givertcap"
- iiwu: some fixes for ALSA 0.9beta
- arranger: voice name popup in channel info works again
0.4.9:
- fixed some memory leaks
- before loading a new song all synthesizer instances are
now removed
- reorganized installation:
- there is a toplevel installation directory
(default /usr/muse); the environment variable MUSE
points to this directory
- architecture dependent files go into
$(MUSE)/lib, architecture independent files
into $(MUSE)/share
- MidiSync: MC ticks are now also send in stop mode
(if configured)
- after "Start" is send, sequencer starts on next
midi clock tick
- iiwu: fixed core dump on save if no soundfont loaded
- iiwu: high resolution buffer size independent midi event
processing
0.4.8:
- faster display updates
- some changes for better compatibility with different
environments (compiler, lib)
- fixes for ALSA 0.5.11
- fixed core dump while removing soft synth instance
- fixed some bugs with iiwu+gui
- fixed: TransportWindow: tempochanges while masterflag is off
- fixed: all tempochanges are now saved in songfile
0.4.7:
- ALSA 0.5.11 compiles again
- MESSS gui interface, first try:
-every midi instrument can have an associated
GUI (currently only impl. for MESSS soft synths).
The GUI is startet as a separate process connected
to the midi instrument. The gui sends midi commands
(sysex) to stdout. This midi data stream is connected
to the midi instrument port.
- test implem. can load sound fonts into iiwu synthi
- fixed a bug in loading big sound fonts
- waveedit: waveform display works again
- some iiwu changes
0.4.6:
- completed midi input architecture: every midi track has now
assigned input port+channel. Channel can be 1-16 or "all".
This allows for routing of different midi channels to
different tracks while recording.
- changed max number of midi ports from 8 to 16
- fixed several bugs iiwu software synthesizer
- fixed compilation problems with some ALSA versions
- fixed: changing track name changed record flag
- fixed: remove midi editor if associated track is removed
- fixed: initial state of solo button in arranger
- fixed: hard to reproduce core while deleting track
- new command line option to set real time priority
- max number of midi ports is now 16
- audio recording from master to file now works:
- configure Audio->MixdownFile (only wave/16bit)
- switch on record button in audio mixer master strip
- play
- fixed: graphic master editor: missing display refresh
after signature change
- changed midiThruFlag: removed from Config->MidiPorts;
"midi thru" now is associated with a track, if set all input
to that track is echoet to track port/channel
0.4.5:
MESSS: (MusE Experimental Software Synthesizer interface Spec):
A software synthesizer is implemented as a dynamic
loadable library (*.so file) with two interfaces to the
outside world:
- a LADSPA interface for audio output
- a midi sequencer interface registered to ALSA
MusE searches all available synths and presents a list
in Config->SoftSynthesizer. To use a synthesizer you have
to create an instance. Several instances of an synt can be
created and used. Every instance creates
a) an alsa midi sequencer port (look at Config->MidiPorts)
b) a new strip in the audio mixer
As a demo i ported a stripped down version of the iiwu
software synthesizer (http://www.iiwu.org) to MusE.
Setup info is in README.softsynth
0.4.4:
- fixed cakewalk style event display in arranger
- track comments are handled as 0xf text meta events in
midi files
- fixed: follow song in pianoroll/drumedit (daniel mack)
- fixed: refresh in list editor
- implemented 14 Bit controller in list editor
- new patch form Takashi Iwai enables MusE to compile
with ALSA 0.9.0beta5 and current cvs version
0.4.3:
- new: Config->MidiInputTransform
- new: comments for tracks: click with right button on track
name in arrange window
- fixed: score editor sometimes eats up all memory on start;
machine was unusable for some minutes until muse crashes
- fixed some other smaller bugs
- patch from Takashi Iwai for latest (cvs-) ALSA
- fixed: score postscript generation (printer & preview output)
0.4.2:
- added few missing display updates (bugs introduced
with 0.4.1 drawing optimizations)
- pianoroll editor:
- fixed: edit->DeleteEvents
- drum editor:
- implemented: edit->DeleteEvents
- use different cursor shapes while using
Glue- Cut- and Rubber tools
0.4.1:
- some small Changes for compiling MusE with gcc 3.0
- track info values (transposition, velocity etc)
are now applied when exporting to midi file
- better geometry management for ctrl panel
- pianoroll editor / drum editor now allow for more than
one ctrl panel
- new: load/save midi controller sets
- automatic creation of midi controller sets on
midi import
- new: active(used) midi controllers for current
parts in editor window are now marked in controller list
- fixed: parts in open editors are not restored correctly
- many drawing optimizations; scrolling is now much
faster/smoother
0.4.0:
- input configurable for every track
(you can record from more than one midi input device
to different tracks)
- you have to switch on the "record enable" flag for
every track you want to record to
- Note "h" is now called "b" unless you set
the environment variable "LANGUAGE" to "de"
- Changes from Daniel Mack:
- bigtime window now shows hour:minute:sec:frame
- configurable snap grid for arranger
- configurable font size
- again "tick underflow"
0.3.20:
- "bigtime" widget from Daniel Mack
- fixed global accelerator keys f11/f12 (toggle transport &
bigtime window)
- fixed: score editor: try placing notes in the right margin of the
last row gave core dump
- score editor: different cursor shapes
- new try on missing midi sync ticks (producing "tick underflow"
trace messages)
- score editor: some small enhancements
0.3.19:
- several small bugfixes from Daniel Mack
- fixed "make install"
- if you have trouble compiling ALSA audio:
change "AUDIO = yes" to "AUDIO = no" in make.inc
- some fixes/enhancements from Brian K:
- fixed: score editor: no more "EVENT not found" during subsequent
edits of a selected note
- scrubbing with rubber tool in score editor
- new part appearance option
0.3.18:
- fixed: Export Midifile
0.3.17:
- simple audio recording
- midi sync slave: received "start" did not reset pos to tick 0
- fixed several bugs in screen update and synchronisation between
different midi editors
- new: Configure->Appearance dialog from Daniel Mack
0.3.16:
- "follow song" now works in both directions
- MidiTransformator: implemented missing "Copy" and "Extract" functions
- fixed: reset sustain at stop only for channels which really had sustain
set
- fixed several bugs in midi sync code; needs more testing
- received "set song position" from alsa midi driver now
handled in sync slave mode
- transport buttons are now disabled in "external midi
sync" mode
- fixed: do not send midi "start" "stop" "continue" etc. as sync slave
- fixed: several small bugs i cannot remember
0.3.15:
- fixed: some typos in "MidiTransformator"
- fixed: core at end of midi recording from external
sequencer as sync slave
- replaced midi "continue" message with "start"
when running as midi sync master
known bug: midi clock output only if seq plays,
should be send always even if seq stops
not implemented: cannot change tempo as sync slave
0.3.14:
- fixed: core: typo in "undo add track"
- fixed: core: "undo remove event"
- selection of events is now a global attribute: if you select
an event in an editor, the same event is selected in all
open editors
- new: Midi Transformator (look at edit->MidiTransform)
(not all operators and operations are implemented yet)
0.3.13:
- fixed: TimeScale was wrong when using signature changes
- fixed: enforce left marker <= right marker
- new: mono wave tracks
- more usable LADSPA plugins to play with
- several small changes/bug fixes
0.3.12:
- fixed: synchronisation of tempo/signature changes with sequencer rt-thread
- fixed: track parameter were added again and again in loop mode
- new: tempo/signature changes undo/redo
- new: midi "transpose" function from Daniel Mack
(Arranger: edit->midi->transpose)
0.3.11:
- fixed: fixed serious bug in wave file handling
- simple audio play with ALSA 0.9.x
- fixed: editing events -> core (introduced in 0.3.10)
0.3.10:
- fixed: core while deleting controller events
- new: extended configuration of raw (serial) midi interfaces
- fixed: some memory leaks
- changed for ALSA 0.9.0 beta2
0.3.9:
- some smaller fixes
- fixed: core: missing MidiController() Initialization
- fixed: pressing another mouse button while "drawing" an event
in a canvas with left mouse button pressed gives core
0.3.8:
- fixed: correct update of midi port table on song change
- CtrlEditor: controllers can(must) now be configured
- List Editor: corrected handling of meta/sysex strings
- changed: combined pitch high/low to single value ranging
from -8192 +8191; editable with controller editor
- ALSA 0.9.0beta1 works for midi; as far as i tested it, this
alsa version has no more problems with OSS raw midi emulation
- new: colored activity display in arranger (Daniel Mack)
- new: context sensitive extensions to "right mouse click
pulldown menus" for arranger parts (Daniel Mack)
- new: gui prototypes for extendend configuration of raw midi
devices and audio mixdown file selection
- fixed: quirks with OSS midi devices configuration
0.3.7:
- start porting to ALSA 0.6.0 cvs version
- fixed: option -M produces midi output trace for alsa midi
- fixed: pianoroll and drum editor now accept input focus
and then honour some keyboard shortcuts
- fixed: score editor: core when inserting small rests
- new: "ruler" for pianoroll, drum editor and part editor
- fixed: midi recording: event len always 1 tick (bug introduced
in 0.3.6)
- midi port config: show only available raw midi devices
- fixed: tempomap/tempo save/restore
- fixed: initialize master button to saved value
- some smaller changes:
- midi recording: new parts begin at record start instead
of first event
- missing note offs are insertet virtually at record end
- recording takes place on selected track - selected part
and not on selected part if on different track
0.3.6:
- fixed: markerList: click in list -> core
- fixed: stop at end of song only if not recording
- fixed: events of zero length crash the sequencer
- fixed: missing note off events for metronome
- fixed: gui: changing port/channel in trackinfo updates tracklist
- new: midi recording & loop
0.3.5:
- fixed: midi recording with alsa was broken
- fixed: mastertrack: -> core
- fixed: rename track -> rename part -> core
- fixed: help browser: back function
- fixed: score: entered lyrics are saved again
- fixed: score->staffSettings: tracklist
- fixed: score->enterNotes wrong snap position
0.3.4:
- fixed: some bugs & quirks
- new: implemented pianoroll->edit->deleteEvents
0.3.3:
- new: MusE now stops at end of song if in PLAY mode
- fixed: core if muse was started without song name and
there was no ".musePrj" file in current directory
- new: on popular request: "RewindToStart" button
- fixed: changing devices while playing
- fixed: arranger: could not scroll to the end of song
- fixed: song length on midi import
- fixed: fatal error in handling "note off" events
- new: "sustain" is reset on stop
0.3.2:
- fixed: part editing: endo delete, glue etc.
- fixed: option -m (trace midi input) works again
- fixed: midi input filter: could not toggle channel 1 button
- fixed: midi mixer
- fixed: midi recording into part: part length adjusted if events
recorded past end of part
- fixed: MusE initialisation failed if there is no ".musePrj"
file in current directory!
0.3.1:
- step 2 of internal reorganization
- fixed: score: lyrics are now saved again
- fixed: some quirks with lost track markers
- new: Option -L locks sequencer memory
- fixed: recording from serial midi (raw oss & korg tohost)
- fixed: several smaller bugs & quirks
0.3.0:
- fixed: pianoroll editor: entering new events -> core
- new: drum editor click on instrument name "plays"
instrument
- fixed: changing the channel of a track now changes also
the channel of all events in that track
- massive changes for audio/wave integration:
- start of audio mixer
- audio routing
0.2.12:
- fixed: wave files/tracks/parts: calculation of tick<->time;
it should be possible again to import/play simple waves
- fixed: funny things happened when muting all audio tracks
- fixed: core if no active record track
- new: Rob Naccarato started with documentation; press
<F1> in MusE and have a look
0.2.11:
- fixed: metronome
- fixed: initial state of "click" transport button
- fixed: midi thru:
if midi thru is switched on, all received events are
echoed to the port/channel associated to the currently
selected track, regardless of the input port/channel.
Track parameters as pitch shift, velocity compression etc.
are applied before echoing the event.
- _not_ fixed: alsa midi driver: strange sysex behaviour
0.2.10:
- fixed: parameter change in midi trackinfo
- fixed: some errors in *.med file handling
- fixed: midi export
- fixed: midi events are now played according to priority:
- channel priority: 10,1,2,3,4,5,6,7,8,9,11,12,13,14,15,16
- note off before note on
0.2.9:
- fixed: typo in seq.c destroyed timing of 0.2.8
- fixed: importing audio files
- fixed: writing *med files
- fixed: wave form display in arranger
- fixed: core on click in arranger "no track area " with pencil tool
0.2.8:
- fixed: oss midi devices now work again
- reorganized midi event dispatcher
- fixed: pitchbend for midialsa (Xavier)
0.2.7:
- midi driver reorganization in preparation
for better ALSA sequencer integration; soundcard synth
work again
- some fixes
0.2.6:
DrumEditor overhaul:
- fixed: reading drum maps
- changed: exporting drum maps now writes the whole map
- fixed: device popup: ...invalid menu item
- new: instruments can now be moved
- fixed: changing A-Note/E-Note did not show effect
- changed: small x-offset in event canvas allows better placement of
events at pos 1.1.0
- new: instrument names can be edited (double click instrument name)
- new: some drum maps
- fixed: update() missing after selection change in canvas
- fixed: len of new inserted drum events was quant-value, should be
default len from drum map
Alsa Midi Driver:
- changed (soundcard synth does not work :-( )
0.2.5:
- fixed: session management for list editor
- new: list editor: hex entry in meta event dialog
- fixed: Midi: "GS Reset" button aktually did a "GM Reset"
- fixed: Midi: "GS Reset" on Song Start was always combined with "GM Reset"
- fixed: Arranger: copy/paste produced core
- fixed: Arranger: removed some (not working) key accelerators
- new: Drag file from KDE fm and Drop on arranger partlist
- removed bogus midi archiv
- some major code reorganizations in preparation for audio integration
resulting in new errors and *.med file incompatibilities;
- fixed: "cannot delete busy part" even if part is not busy
- fixed: arranger/progname.c: bad instrument name table caused segfault
(Tim Mann)
- fixed: score/layout.c: could not enter A# (Gilles Fillipini)
0.2.4:
- fixed: removed silly warning: Cannot find translation...
(translations are not (yet) enabled)
- fixed: trackMarker->destroy TrackMarker->create track -> core
- new: integration of track markers in arranger
- export/import SMF-Marker as Meta Type 6
- changed: src/makefiles new arranged
- fixed: score editor: too many rests
- fixed: core if you try to insert note outside of staves
0.2.3:
- MidiSyncConfig: extSync synchronized with button in transport
window
- audio: try oss audio device /dev/dsp in addition to /dev/sound/dsp
- changed: column expand logic in arranger tracklist
- new: KDE2.2: define HAVE_KDE in make.inc to compile a
KDE version of MusE (experimental)
- new: realtime recording of Midi SysEx Events
- changed: better LADSPA plugin handling
- fixed: Pianoroll: Color Events: RGB parameter out of range
- changed: canvas: moving objects
- fixed: AudioMasterMixer produced core after second invocation
- new: track markers
0.2.2:
- switched to QT2.2
- fixed: Transport: "Master" button initialization
- fixed: session management for partlist in midi editors;
(new *.med xml files are probably incompatible
- fixed: cut&paste now works for parts on drum tracks
- fixed: cannot delete busy Parts any more
- fixed: honour LADSPA_PATH environment variable
- fixed: TransportWindow stays on top and is manageable
(testet with KDE2 beta4)
- fixed: arranger: column order is now recorded in
.med file
- fixed: sometimes under obscure circumstances MusE crashed
while opening an midi editor
- fixed: several typos/errors in *.med file reading/writing
- new: list editor: insert midi events (incl. sysex & meta)
double click on list entry to open editor to modify
values
- new: MTC/MMC Slave:
Configured as slave you can synchronize MusE
from external devices using Midi Time Code.
Midi Clock Master:
Configured as master MusE can control external
sequencers
Hooks for MTC/MMC Master and MidiClock slave.
- fixed: score: ScoreConfig::setTracklist() missing "clear"
- new: score: odd rest values implemented
0.2.1:
- new: Arranger: move (midi) parts between applications:
- cut/copy part(s) to global clipboard
- paste part(s) from global clipboard to arranger
- drag parts with middle mouse button (experimental)
- new: Pianoroll: move events between applications:
- cut/copy events to global clipboard
- paste events from global clipboard to arranger
- drag events with middle mouse button
- fixed: only write audio if there are audio tracks
- fixed: PianorollEditor: moving multiple selected events
(thanks to Chris Wakelin)
- fixed: commented out unused/missing "color.xpm"
- fixed: partlist changed to multimap<>
0.2.0:
- fixed: another error in OSS midi driver which results in
"bad file descriptor" aborts
- fixed: MidiFilter - RecordFilter/ThruFilter
- new: Master Part of Audio Mixer:
- Audio Level Meter
- LADSPA Host with
- automatic generated user interface
- presets store/load
- new: LADSPA "Freeverb" plugin for audio master
- new: Drum Editor
- load/save drum maps
- drawing reorganized
- new: Pianoroll Editor Functions:
- configurable event colors (none/pitch/velocity)
- configurable function ranges (apply functions to
all/loop/marked events)
- selection functions (all/none/loop/invert)
- switch between different parts in editor ("ghost events")
- PencilTool: Control+LeftMouseButton prevents
accidental creation of events
- PointerTool: Control+LeftMouseButton restricts
to horizontal or vertical move
0.1.10:
- new: MidiExport: some configurable Parameter for exported
Standard Midi File (SMF)
- new: configurable Midi Record/Thru Filter for midi
realtime recording
- fixed: time signature changes in score editor
- fixed: "midi bar scale" is updated on time signature
changes
- fixed: event sorting in "list mastertrack editor"
0.1.9:
- fixed: tempo changes during play
- fixed: "follow event" in graphical mastertrack editor
- fixed: mastertrack list: dynamic content update if song changed
- fixed: OSS midi serial output was broken
0.1.8:
- bug: scaling in graphical mastertrack editor
- bug: reduce value of MAX_TICK to prevent overflow in scaling
- bug: pianoroll editor: length quantization
- bug: midi import: timing broken; bug introduced in 0.1.6
- feature: editing of time signature in graphical mastertrack
0.1.7:
- bug: typo for 't'-kb accelerator in pianoroll-editor
- bug: quant values < 1/64 are not supported-> assertion bug
for keyboard accelerator >=8 in pianoroll editor
- pianoroll: new feature: step recording - midi input:
- press "shift"+ midiKey to enter chords
(if you enter same note again, it's deleted)
- press "ctrl" + midiKey to continue last note
- pianoroll: new menu function: quantize pos+len
- quantize configuration dialog: added flag for default len quantization
"whats this" help text
0.1.6:
- bug: exported midifiles had random "division" timing parameter
- bug: core dump on midi record start
- feature: keyboard accelerators in pianoroll editor:
'1'-'9' '.' and 't' set quant & snap values
0.1.5:
- MusE now works again without RTC (Real Time Clock) Device
(but much reduced timing accuracy)
- new Debug Options -m -M: MidiDump for input and output
- global keyboard accelerators:
spacebar: while play/record: STOP
while stop: Goto left mark
while on left mark: Goto Pos 0
Enter: start play
Insert: Stop
"/": Cycle on/off
"*": Record on
- Midi Step Recording: implemented external midi keyboard as
recording source (new "midi input" toggle button in pianoroll editor)
0.1.4:
Audio
==============
- simple audio play (ALSA & OSS)
- stubs for cliplist Editor, audio recording
- AudioMixer master volume
- bug fixes for wave viewer
Synthesizer
==============
- first part of framework for realtime software synthesizer
driver/synthis, s1/*;
0.1.3:
Score Editor:
==============
- print preview button (gv)
- postscript default resolution is 72dpi and not 75dpi
- configurable overall scale for printer output
- simple beams
Misc:
==============
- bug: path handling for project file: project files are now
saved in the correct directory
- bug: canvas initial scaling
- bug: core if configured device didn't exists
- bug: ctrl editor produced values > 127
- feature: Arranger: Parts are now displayed with a horizontal offset
- feature: Arranger: added save/restore for some configuration values
- feature: Midi Recording: track parameter like Transposition are now
applied before loop through
- feature: "Thru" flag in Configure->MidiDevices now implemented
- feature: Midi Remote Control: control sequencer stop/play/record/rewind
with configurable note events
- bug: typo in score/layout.c:split() caused core
0.1.2:
- Score:
- add lyrics entry
- changed note head for 4/4
- changed positioning of 2/4 and 4/4 notes
- ties can now span systems
- tie connected notes are selected as one note
- page settings, margins handling corrected
- configurable fonts for score editor page layout
0.1.1:
- master: scale changed
- no more core when selecting the score editor without a selected
part to edit
- time signature scale in master track
- master track: function tempo edit
- new popup menu in arranger / part canvas
- makefile: "make depend" target
- new: alsa raw midi interface
- improved score editor:
- split system (piano left&right hand)
- multi stave systems
- symbols
- lasso selection
- dynamics symbol palette
- window position of all toplevel windows is now remembered
correctly
- bug fixes & code cleanups
0.0.10:
- removed obsolete file.c file.h
- separated midi archive
- removed unused widgets/wtscale.*
- removed unused widgets/dial.*
- midis with Meta Event Type 6 produced core
- removed '\n' chars from windows caption
- new setBg(QColor) method for class View
- broken Ctrl-Editor fixed
- Pencil Cursor now shown for Pencil Tool in Ctrl-Editor
- Mute Indicator changed to red dot
- added CtrlEditor to DrumEditor
- process session info in xml songfile
- more work on mastertrack
- start ScoreEditor and moving the mouse on canvas (producing
mouseMoveEvents) before exposure of QLineEdit (time & pitch
in toolbar) produced core on QLineEdit->setText(xx)
- in continuous scroll mode position marker updated correctly
0.0.9:
- xml like configuration and song file
- new midi mixer, shows only active midi channels
- bug: metronom configuration: channel&port numbers
- bug fixes
0.0.8:
- new: quantize function
- new: wave tracks: new classes: WaveFile Clip;
load wave file; expand song file structure
first try on wave editor;
- logarithmic magnify
- rework of View & Canvas Classes, resulting in much
faster scrolling
0.0.7:
- fatal error: use of uninitialized device
0.0.6:
- more diagnostics in file functions
- new: can load and save *.gz and *.bz2 files
- new function: send local off to instruments
- bug fixes in pianoroll step recording
- bug fix: "follow song" save and restore
- bug fix: in importing midi files: calculating parts
- bug fix: metronome -> core
- new configuration options for parts
0.0.5:
- new: midi activity display in tracklist
- new: patch selector in channel info; shows midi instrument
categories
- new: insert & delete Controller Values in Ctrl-Editor
- some minor bugs corrected
- nasty bug in Song::nextEvents(), which prevents simple
midi songs played correctly
0.0.4:
- implemented: forward & rewind buttons
- implemented: drum edit: change values in info bar
- error: arranger->tracklist: resize failed if columns are swapped
- enhanced file selector for background image selection
- more WhatsThis and ToolTip Help
- Backport to QT202: Filedialog: Filterlists don't work
- Midi Config: changed signal click() to rightButtonClick()
- missing initialisation in song constructor
- new subdirectory for controller editor
- controller editor for some values
0.0.3:
- new transport design
- redesign of TrackInfo and ChannelInfo
- some changes reg. fonts and geometry management
- misc toolbars changed to read qt toolbars
0.0.2:
- changed color for cpos to red
- don't play metronome clicks with time < current
- doubleclick on arranger trackname: entrywidget now gets
input focus
- midi device configuration: reworked
- removed endless loop in Song::nextEvents()
- ported to qt-2.1.0-snapshot-20000113
- changed QPushButton to QToolButton
- some cosmetic changes in transport window
0.0.1
- first release
|