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
|
/***************************************************************************
* copyright : (C) 2003-2008 by Pascal Brachet *
* addons by Luis Silvestre *
* http://www.xm1math.net/texmaker/ *
* *
* This program is free software; you can redistribute it and/or modify *
* it under the terms of the GNU General Public License as published by *
* the Free Software Foundation either version 2 of the License, or *
* (at your option) any later version. *
* *
***************************************************************************/
//#include <stdlib.h>
#include "texmaker.h"
#include "latexeditorview.h"
#include "smallUsefulFunctions.h"
#include "structdialog.h"
#include "filechooser.h"
#include "tabdialog.h"
#include "arraydialog.h"
#include "bibtexdialog.h"
#include "tabbingdialog.h"
#include "letterdialog.h"
#include "quickdocumentdialog.h"
#include "usermenudialog.h"
#include "usertooldialog.h"
#include "aboutdialog.h"
#include "encodingdialog.h"
#include "randomtextgenerator.h"
#include "webpublishdialog.h"
#include "findGlobalDialog.h"
#include "thesaurusdialog.h"
#include "qsearchreplacepanel.h"
#include "latexcompleter_config.h"
#include "universalinputdialog.h"
#include "insertgraphics.h"
#include "latexeditorview_config.h"
#include "scriptengine.h"
#ifndef QT_NO_DEBUG
#include "tests/testmanager.h"
#endif
#include "qdocument.h"
#include "qdocumentcursor.h"
#include "qdocumentline.h"
#include "qdocumentline_p.h"
#include "qnfadefinition.h"
#include <QMessageBox>
Q_DECLARE_METATYPE(LatexParser);
Texmaker::Texmaker(QWidget *parent, Qt::WFlags flags)
: QMainWindow(parent, flags), textAnalysisDlg(0), spellDlg(0), PROCESSRUNNING(false), mDontScrollToItem(false) {
spellLanguageActions=0;
MapForSymbols=0;
currentLine=-1;
previewEquation=false;
svndlg=0;
userMacroDialog = 0;
mCompleterNeedsUpdate=false;
latexStyleParser=0;
ReadSettings();
setCorner(Qt::TopLeftCorner, Qt::LeftDockWidgetArea);
setCorner(Qt::TopRightCorner, Qt::RightDockWidgetArea);
setCorner(Qt::BottomLeftCorner, Qt::LeftDockWidgetArea);
setCorner(Qt::BottomRightCorner, Qt::RightDockWidgetArea);
setWindowIcon(QIcon(":/images/logo128.png"));
setIconSize(QSize(22,22));
leftPanel=0;
structureTreeView=0;
outputView=0;
templateSelectorDialog=0;
qRegisterMetaType<LatexParser>();
latexParser.importCwlAliases();
QDocument::setFormatFactory(m_formats);
SpellerUtility::spellcheckErrorFormat = m_formats->id("spellingMistake");
if (configManager.autodetectLoadedFile) QDocument::setDefaultCodec(0);
else QDocument::setDefaultCodec(configManager.newFileEncoding);
QString qxsPath=QFileInfo(findResourceFile("qxs/tex.qnfa")).path();
m_languages = new QLanguageFactory(m_formats, this);
m_languages->addDefinitionPath(qxsPath);
// custom evironments<
if(!configManager.customEnvironments.isEmpty()){
QLanguageFactory::LangData m_lang=m_languages->languageData("(La)TeX");
QFile f(findResourceFile("qxs/tex.qnfa"));
QDomDocument doc;
doc.setContent(&f);
QMap<QString, QVariant>::const_iterator i;
for (i = configManager.customEnvironments.constBegin(); i != configManager.customEnvironments.constEnd(); ++i){
QString mode=configManager.enviromentModes.value(i.value().toInt(),"verbatim");
addEnvironmentToDom(doc,i.key(),mode);
}
QNFADefinition::load(doc,&m_lang,m_formats);
m_languages->addLanguage(m_lang);
}
QLineMarksInfoCenter::instance()->loadMarkTypes(qxsPath+"/marks.qxm");
QList<QLineMarkType> &marks = QLineMarksInfoCenter::instance()->markTypes();
for (int i=0;i<marks.size();i++)
if (m_formats->format("line:"+marks[i].id).background.isValid())
marks[i].color = m_formats->format("line:"+marks[i].id).background;
// TAB WIDGET EDITEUR
documents.indentationInStructure=configManager.indentationInStructure;
documents.showLineNumbersInStructure=configManager.showLineNumbersInStructure;
connect(&documents,SIGNAL(masterDocumentChanged(LatexDocument *)), SLOT(masterDocumentChanged(LatexDocument *)));
QFrame *centralFrame=new QFrame(this);
centralFrame->setLineWidth(0);
centralFrame->setFrameShape(QFrame::NoFrame);
centralFrame->setFrameShadow(QFrame::Plain);
//edit
centralToolBar=new QToolBar(tr("Central"),this);
centralToolBar->setFloatable(false);
centralToolBar->setOrientation(Qt::Vertical);
centralToolBar->setMovable(false);
centralToolBar->setIconSize(QSize(16,16));
EditorView=new TmxTabWidget(centralFrame);
EditorView->setFocusPolicy(Qt::ClickFocus);
EditorView->setFocus();
connect(EditorView, SIGNAL(currentChanged(int)), SLOT(editorTabChanged(int)));
if (hasAtLeastQt(4,5)){
EditorView->setProperty("tabsClosable",true);
EditorView->setProperty("movable",true);
connect(EditorView, SIGNAL(tabCloseRequested(int)), this, SLOT(CloseEditorTab(int)));
connect(EditorView, SIGNAL(tabMoved(int,int)), this, SLOT(EditorTabMoved(int,int)));
}
QLayout* centralLayout= new QHBoxLayout(centralFrame);
centralLayout->setSpacing(0);
centralLayout->setMargin(0);
centralLayout->addWidget(centralToolBar);
centralLayout->addWidget(EditorView);
setCentralWidget(centralFrame);
setContextMenuPolicy(Qt::ActionsContextMenu);
symbolMostused.clear();
setupDockWidgets();
setupMenus();
setupToolBars();
connect(&configManager, SIGNAL(watchedMenuChanged(QString)), SLOT(updateToolBarMenu(QString)));
restoreState(windowstate, 0);
//workaround as toolbar central seems not be be handled by windowstate
centralToolBar->setVisible(configManager.centralVisible);
if(tobemaximized) showMaximized();
if(tobefullscreen) {
showFullScreen();
restoreState(stateFullScreen,1);
fullscreenModeAction->setChecked(true);
}
createStatusBar();
completer=0;
UpdateCaption();
show();
statusLabelMode->setText(QString(" %1 ").arg(tr("Normal Mode")));
statusLabelProcess->setText(QString(" %1 ").arg(tr("Ready")));
// adapt menu output view visible;
outputViewAction->setChecked(outputView->isVisible());
connect(outputView, SIGNAL(visibilityChanged(bool)), outputViewAction, SLOT(setChecked(bool))); //synchronize toggle action and menu action (todo: insert toggle action in menu, but not that easy with the managed menus)
setAcceptDrops(true);
installEventFilter(this);
completer=new LatexCompleter(latexParser, this);
completer->setConfig(configManager.completerConfig);
updateCompleter();
LatexEditorView::setCompleter(completer);
completer->updateAbbreviations();
if (configManager.sessionRestore) {
fileRestoreSession();
ToggleRememberAct->setChecked(true);
}
/* The encoding detection works as follow:
If QDocument detects the file is UTF16LE/BE, use that encoding
Else If QDocument detects UTF-8 {
If LatexParser::guessEncoding finds an encoding, use that
Else use UTF-8
} Else {
If LatexParser::guessEncoding finds an encoding use that
Else if QDocument detects ascii (only 7bit characters) {
if default encoding == utf16: use utf-8 as fallback (because utf16 can be reliable detected and the user seems to like unicode)
else use default encoding
}
Else {
if default encoding == utf16/8: use latin1 (because the file contains invalid unicode characters )
else use default encoding
}
}
*/
QDocument::addGuessEncodingCallback(&LatexParser::guessEncoding);
QDocument::addGuessEncodingCallback(&ConfigManager::getDefaultEncoding);
QStringList filters;
filters << tr("TeX files")+" (*.tex *.bib *.sty *.cls *.mp)";
filters << tr("Plaintext files")+" (*.txt)";
filters << tr("Sweave files")+" (*.Snw *.Rnw)";
filters << tr("Pdf files")+" (*.pdf)";
filters << tr("All files")+" (*)";
fileFilters = filters.join(";;");
//setup autosave timer
connect(&autosaveTimer,SIGNAL(timeout()),this,SLOT(fileSaveAll()));
if(configManager.autosaveEveryMinutes>0){
autosaveTimer.start(configManager.autosaveEveryMinutes*1000*60);
}
//script things
setProperty("applicationName",TEXSTUDIO);
}
Texmaker::~Texmaker(){
delete MapForSymbols;
if(latexStyleParser){
latexStyleParser->stop();
latexStyleParser->wait();
}
}
QMenu* Texmaker::newManagedMenu(QMenu* menu, const QString &id,const QString &text){
return configManager.newManagedMenu(menu,id,text);
}
QAction* Texmaker::newManagedAction(QWidget* menu, const QString &id,const QString &text, const char* slotName, const QKeySequence &shortCut, const QString & iconFile, const QList<QVariant>& args) {
QAction* tmp = configManager.newManagedAction(menu,id,text,args.isEmpty()?slotName:SLOT(relayToOwnSlot()),QList<QKeySequence>() << shortCut, iconFile);
if (!args.isEmpty()) {
QString slot = QString(slotName).left(QString(slotName).indexOf("("));
Q_ASSERT(staticMetaObject.indexOfSlot(createMethodSignature(qPrintable(slot), args)) != -1);
tmp->setProperty("slot", qPrintable(slot));
tmp->setProperty("args", QVariant::fromValue<QList<QVariant> >(args));
}
return tmp;
}
QAction* Texmaker::newManagedAction(QWidget* menu, const QString &id,const QString &text, const char* slotName, const QList<QKeySequence> &shortCuts, const QString & iconFile, const QList<QVariant>& args) {
QAction* tmp = configManager.newManagedAction(menu,id,text, args.isEmpty()?slotName:SLOT(relayToOwnSlot()),shortCuts, iconFile);
if (!args.isEmpty()) {
QString slot = QString(slotName).left(QString(slotName).indexOf("("));
Q_ASSERT(staticMetaObject.indexOfSlot(createMethodSignature(qPrintable(slot), args)) != -1);
tmp->setProperty("slot", qPrintable(slot));
tmp->setProperty("args", QVariant::fromValue<QList<QVariant> >(args));
}
return tmp;
}
QAction* Texmaker::newManagedEditorAction(QWidget* menu, const QString &id,const QString &text, const char* slotName, const QKeySequence &shortCut, const QString & iconFile, const QList<QVariant>& args) {
QAction* tmp = configManager.newManagedAction(menu,id,text,0,QList<QKeySequence>() << shortCut, iconFile);
linkToEditorSlot(tmp, slotName, args);
return tmp;
}
QAction* Texmaker::newManagedEditorAction(QWidget* menu, const QString &id,const QString &text, const char* slotName, const QList<QKeySequence> &shortCuts, const QString & iconFile, const QList<QVariant>& args) {
QAction* tmp = configManager.newManagedAction(menu,id,text,0,shortCuts, iconFile);
linkToEditorSlot(tmp, slotName, args);
return tmp;
}
QAction* Texmaker::newManagedAction(QWidget* menu, const QString &id, QAction* act){
return configManager.newManagedAction(menu,id,act);
}
QAction* Texmaker::getManagedAction(QString id) {
return configManager.getManagedAction(id);
}
QMenu* Texmaker::newManagedMenu(const QString &id,const QString &text){
return configManager.newManagedMenu(id,text);
}
QAction* Texmaker::insertManagedAction(QAction* before, const QString &id,const QString &text, const char* slotName, const QKeySequence &shortCut, const QString & iconFile){
QMenu* menu = before->menu();
REQUIRE_RET(menu, 0);
QAction* inserted = newManagedAction(menu, id, text, slotName, shortCut, iconFile);
menu->removeAction(inserted);
menu->insertAction(before, inserted);
return inserted;
}
SymbolGridWidget* Texmaker::addSymbolGrid(const QString& SymbolList, const QString& iconName, const QString& text){
SymbolGridWidget* list = qobject_cast<SymbolGridWidget*>(leftPanel->widget(SymbolList));
if (!list) {
list=new SymbolGridWidget(this,SymbolList,MapForSymbols);
list->setProperty("isSymbolGrid",true);
connect(list, SIGNAL(itemClicked(QTableWidgetItem*)), this, SLOT(InsertSymbol(QTableWidgetItem*)));
connect(list, SIGNAL(itemPressed(QTableWidgetItem*)), this, SLOT(InsertSymbolPressed(QTableWidgetItem*)));
leftPanel->addWidget(list, SymbolList, text, getRealIconFile(iconName));
} else {
leftPanel->setWidgetText(list,text);
leftPanel->setWidgetIcon(list,getRealIconFile(iconName));
}
return list;
}
void Texmaker::addTagList(const QString& id, const QString& iconName, const QString& text, const QString& tagFile){
XmlTagsListWidget* list=qobject_cast<XmlTagsListWidget*>(leftPanel->widget(id));
if (!list) {
list=new XmlTagsListWidget(this,":/tags/"+tagFile);
list->setObjectName("tags/"+tagFile.left(tagFile.indexOf("_tags.xml")));
connect(list, SIGNAL(itemClicked(QListWidgetItem*)), this, SLOT(InsertXmlTag(QListWidgetItem*)));
leftPanel->addWidget(list, id, text, iconName);
//(*list)->setProperty("mType",2);
} else leftPanel->setWidgetText(list,text);
}
void Texmaker::setupDockWidgets(){
//to allow retranslate this function must be able to be called multiple times
//Structure panel
if (!leftPanel) {
leftPanel = new CustomWidgetList(this);
leftPanel->setWindowTitle(tr("Structure"));
leftPanel->setObjectName("leftPanel");
leftPanel->setAllowedAreas(Qt::AllDockWidgetAreas);
leftPanel->setFeatures(QDockWidget::DockWidgetClosable);
addDockWidget(Qt::LeftDockWidgetArea, leftPanel);
connect(&configManager,SIGNAL(newLeftPanelLayoutChanged(bool)), leftPanel, SLOT(showWidgets(bool)));
if (hiddenLeftPanelWidgets!="") {
leftPanel->setHiddenWidgets(hiddenLeftPanelWidgets);
hiddenLeftPanelWidgets=""; //not needed anymore after the first call
}
connect(leftPanel,SIGNAL(widgetContextMenuRequested(QWidget*, QPoint)),this,SLOT(SymbolGridContextMenu(QWidget*, QPoint)));
addAction(leftPanel->toggleViewAction());
}
if (!structureTreeView) {
structureTreeView=new QTreeView(this);
structureTreeView->header()->hide();
if(configManager.indentationInStructure>0)
structureTreeView->setIndentation(configManager.indentationInStructure);
structureTreeView->setModel(documents.model);
//disabled because it also reacts to expand, connect(structureTreeView, SIGNAL(activated(const QModelIndex &)), SLOT(clickedOnStructureEntry(const QModelIndex &))); //enter or double click (+single click on some platforms)
connect(structureTreeView, SIGNAL(pressed(const QModelIndex &)), SLOT(clickedOnStructureEntry(const QModelIndex &))); //single click
// connect(structureTreeView, SIGNAL(expanded(const QModelIndex &)), SLOT(treeWidgetChanged()));
// connect(structureTreeView, SIGNAL(collapsed(const QModelIndex &)), SLOT(treeWidgetChanged()));
//-- connect( StructureTreeWidget, SIGNAL(itemDoubleClicked(QTreeWidgetItem *,int )), SLOT(DoubleClickedOnStructure(QTreeWidgetItem *,int))); // qt4 bugs - don't use it ?? also true for view??
leftPanel->addWidget(structureTreeView, "structureTreeView", tr("Structure"), ":/images/structure.png");
} else leftPanel->setWidgetText(structureTreeView,tr("Structure"));
addSymbolGrid("operators", "math1.png",tr("Operator symbols"));
addSymbolGrid("relation", "hi16-action-math1.png",tr("Relation symbols"));
addSymbolGrid("arrows", "math2.png",tr("Arrow symbols"));
addSymbolGrid("delimiters","math4.png",tr("Delimiters"));
addSymbolGrid("greek", "math5.png",tr("Greek letters"));
addSymbolGrid("cyrillic", "hi16-action-math10.png",tr("Cyrillic letters"));
addSymbolGrid("misc-math", "math3.png",tr("Miscellaneous math symbols"));
addSymbolGrid("misc-text", "hi16-action-math5.png",tr("Miscellaneous text symbols"));
addSymbolGrid("wasysym", "hi16-action-math5.png",tr("Miscellaneous text symbols (wasysym)"));
addSymbolGrid("special", "math-accent.png",tr("Accented letters"));
MostUsedSymbolWidget=addSymbolGrid("!mostused",":/images/math6.png",tr("Most used symbols"));
MostUsedSymbolWidget->loadSymbols(MapForSymbols->keys(),MapForSymbols);
FavoriteSymbolWidget=addSymbolGrid("!favorite",":/images/math7.png",tr("Favorites"));
FavoriteSymbolWidget->loadSymbols(symbolFavorites);
addTagList("brackets", ":/images/leftright.png", tr("Left/Right Brackets"),"brackets_tags.xml");
addTagList("pstricks", ":/images/pstricks.png", tr("Pstricks Commands"),"pstricks_tags.xml");
addTagList("metapost", ":/images/metapost.png", tr("MetaPost Commands"),"metapost_tags.xml");
addTagList("tikz", ":/images/tikz.png", tr("Tikz Commands"),"tikz_tags.xml");
addTagList("asymptote", ":/images/asymptote.png", tr("Asymptote Commands"),"asymptote_tags.xml");
leftPanel->showWidgets(configManager.newLeftPanelLayout);
// update MostOftenUsed
MostUsedSymbolsTriggered(true);
// OUTPUT WIDGETS
if (!outputView) {
outputView = new OutputViewWidget(this);
outputView->setObjectName("OutputView");
outputView->setAllowedAreas(Qt::AllDockWidgetAreas);
outputView->setFeatures(QDockWidget::DockWidgetClosable);
outputView->setTabbedLogView(configManager.tabbedLogView);
addDockWidget(Qt::BottomDockWidgetArea,outputView);
connect(outputView,SIGNAL(locationActivated(int,const QString&)),this,SLOT(gotoLocation(int,const QString&)));
connect(outputView,SIGNAL(logEntryActivated(int)),this,SLOT(gotoLogEntryEditorOnly(int)));
connect(outputView,SIGNAL(tabChanged(int)),this,SLOT(tabChanged(int)));
connect(outputView,SIGNAL(jumpToSearch(QString,int)),this,SLOT(jumpToSearch(QString,int)));
connect(&configManager,SIGNAL(tabbedLogViewChanged(bool)),outputView,SLOT(setTabbedLogView(bool)));
connect(&buildManager,SIGNAL(previewAvailable(const QString&, const QString&, int)),this,SLOT(previewAvailable (const QString&,const QString&, int)));
connect(&buildManager, SIGNAL(processNotification(QString)), SLOT(processNotification(QString)));
addAction(outputView->toggleViewAction());
QAction* temp = new QAction(this); temp->setSeparator(true);
addAction(temp);
}
outputView->setWindowTitle(tr("Messages / Log File"));
}
void Texmaker::updateToolBarMenu(const QString& menuName){
QMenu* menu = configManager.getManagedMenu(menuName);
if (!menu) return;
foreach (const ManagedToolBar& tb, configManager.managedToolBars)
if (tb.toolbar && tb.actualActions.contains(menuName))
foreach (QObject* w, tb.toolbar->children())
if (w->property("menuID").toString() == menuName) {
QToolButton* combo = qobject_cast<QToolButton*>(w);
REQUIRE(combo);
QFontMetrics fontMetrics(tb.toolbar->font());
QStringList list;
foreach (const QAction* act, menu->actions())
if (!act->isSeparator())
list.append(act->text());
createComboToolButton(tb.toolbar,list,-1,this,SLOT(callToolButtonAction()),"",combo);
if (menuName == "main/view/documents") {
//workaround to select the current document
int index = EditorView->currentIndex();
if (index >= 0 && index < combo->menu()->actions().size())
combo->setDefaultAction(combo->menu()->actions()[index]);
}
}
}
void Texmaker::setupMenus() {
//This function is called whenever the menu changes (= start and retranslation)
//This means if you call it repeatedly with the same language setting it should not change anything
//Currently this is not true, because it adds additional separator, which are invisible
//creates new action groups and new context menu, although all invisible, they are a memory leak
//But not a bad one, because no one is expected to change the language multiple times
//TODO: correct somewhen
configManager.menuParent=this;
configManager.menuParentsBar=menuBar();
//file
QMenu *menu=newManagedMenu("main/file",tr("&File"));
newManagedAction(menu, "new",tr("&New"), SLOT(fileNew()), Qt::CTRL+Qt::Key_N, "filenew");
newManagedAction(menu, "newfromtemplate",tr("New from &template..."), SLOT(fileNewFromTemplate()));
newManagedAction(menu, "open",tr("&Open..."), SLOT(fileOpen()), Qt::CTRL+Qt::Key_O, "fileopen");
QMenu *submenu=newManagedMenu(menu, "openrecent",tr("Open &Recent")); //only create the menu here, actions are created by config manager
newManagedAction(menu, "restoresession",tr("Restore previous session"), SLOT(fileRestoreSession()));
menu->addSeparator();
actSave = newManagedAction(menu,"save",tr("&Save"), SLOT(fileSave()), Qt::CTRL+Qt::Key_S, "filesave");
newManagedAction(menu,"saveas",tr("Save &As..."), SLOT(fileSaveAs()), Qt::CTRL+Qt::ALT+Qt::Key_S);
newManagedAction(menu,"saveall",tr("Save A&ll"), SLOT(fileSaveAll()), Qt::CTRL+Qt::SHIFT+Qt::ALT+Qt::Key_S);
newManagedAction(menu, "maketemplate",tr("&Make Template..."), SLOT(fileMakeTemplate()));
QMenu *svnSubmenu=newManagedMenu(menu, "svn",tr("S&VN..."));
newManagedAction(svnSubmenu, "checkin",tr("Check &in..."), SLOT(fileCheckin()));
newManagedAction(svnSubmenu, "svnupdate",tr("SVN &update..."), SLOT(fileUpdate()));
newManagedAction(svnSubmenu, "svnupdatecwd",tr("SVN update &work directory"), SLOT(fileUpdateCWD()));
newManagedAction(svnSubmenu, "showrevisions",tr("Sh&ow old Revisions"), SLOT(showOldRevisions()));
newManagedAction(svnSubmenu, "lockpdf",tr("Lock &PDF"), SLOT(fileLockPdf()));
newManagedAction(svnSubmenu, "checkinpdf",tr("Check in P&DF"), SLOT(fileCheckinPdf()));
newManagedAction(svnSubmenu, "difffiles",tr("Show difference between two files"), SLOT(fileDiff()));
newManagedAction(svnSubmenu, "diff3files",tr("Show difference between two files in relation to base file"), SLOT(fileDiff3()));
newManagedAction(svnSubmenu, "checksvnconflict",tr("Check SVN Conflict"), SLOT(checkSVNConflicted()));
newManagedAction(svnSubmenu, "mergediff",tr("Try to merge differences"), SLOT(fileDiffMerge()));
newManagedAction(svnSubmenu, "removediffmakers",tr("Remove Difference-Markers"), SLOT(removeDiffMarkers()));
newManagedAction(svnSubmenu, "declareresolved",tr("Declare Conflict Resolved"), SLOT(declareConflictResolved()));
newManagedAction(svnSubmenu, "nextdiff",tr("Jump to next difference"), SLOT(jumpNextDiff()),0,":/images/go-next.png");
newManagedAction(svnSubmenu, "prevdiff",tr("Jump to previous difference"), SLOT(jumpPrevDiff()),0,":/images/go-previous.png");
menu->addSeparator();
newManagedAction(menu,"close",tr("&Close"), SLOT(fileClose()), Qt::CTRL+Qt::Key_W, ":/images/fileclose.png");
newManagedAction(menu,"closeall",tr("Clos&e All"), SLOT(fileCloseAll()));
menu->addSeparator();
newManagedEditorAction(menu, "print",tr("Print..."), "print", Qt::CTRL+Qt::Key_P);
menu->addSeparator();
newManagedAction(menu,"exit",tr("Exit"), SLOT(fileExit()), Qt::CTRL+Qt::Key_Q);
//edit
QList<QAction*> latexEditorContextMenu;
menu=newManagedMenu("main/edit",tr("&Edit"));
actUndo = newManagedAction(menu, "undo",tr("&Undo"), SLOT(editUndo()), Qt::CTRL+Qt::Key_Z, "undo");
actRedo = newManagedAction(menu, "redo",tr("&Redo"), SLOT(editRedo()), Qt::CTRL+Qt::Key_Y, "redo");
#ifndef QT_NO_DEBUG
newManagedAction(menu, "debughistory",tr("Debug undo stack"), SLOT(editDebugUndoStack()));
#endif
menu->addSeparator();
newManagedAction(menu,"copy",tr("&Copy"), SLOT(editCopy()), (QList<QKeySequence>()<< Qt::CTRL+Qt::Key_C)<<Qt::CTRL+Qt::Key_Insert, "editcopy");
newManagedEditorAction(menu,"cut",tr("C&ut"), "cut", (QList<QKeySequence>()<< Qt::CTRL+Qt::Key_X)<<Qt::SHIFT+Qt::Key_Delete, "editcut");
newManagedAction(menu,"paste",tr("&Paste"), SLOT(editPaste()), (QList<QKeySequence>()<< Qt::CTRL+Qt::Key_V)<<Qt::AltModifier+Qt::Key_Insert, "editpaste");
//newManagedEditorAction(menu,"paste",tr("&Paste"), "paste", (QList<QKeySequence>()<< Qt::CTRL+Qt::Key_V)<<Qt::AltModifier+Qt::Key_Insert, "editpaste");
newManagedEditorAction(menu,"selectall",tr("Select &All"), "selectAll", Qt::CTRL+Qt::Key_A);
newManagedAction(menu,"eraseLine",tr("Erase &Line"), SLOT(editEraseLine()), (QList<QKeySequence>()<< Qt::CTRL+Qt::Key_K));
latexEditorContextMenu = menu->actions();
menu->addSeparator();
submenu = newManagedMenu(menu, "searching", tr("&Searching"));
newManagedEditorAction(submenu,"find", tr("&Find"), "find", Qt::CTRL+Qt::Key_F);
newManagedEditorAction(submenu,"findinsamedir",tr("Continue F&ind"), "findInSameDir", Qt::CTRL+Qt::Key_M);
newManagedEditorAction(submenu,"findnext",tr("Find &Next"), "findNext");
newManagedEditorAction(submenu,"findprev",tr("Find &Prev"), "findPrev");
newManagedEditorAction(submenu,"findcount",tr("&Count"), "findCount");
newManagedEditorAction(submenu,"select",tr("&Select all matches..."), "selectAllMatches");
newManagedAction(submenu,"findglobal",tr("Find &Dialog..."), SLOT(editFindGlobal()));
submenu->addSeparator();
newManagedEditorAction(submenu,"replace",tr("&Replace"), "replacePanel", Qt::CTRL+Qt::Key_R);
newManagedEditorAction(submenu,"replacenext",tr("Replace Next"), "replaceNext");
newManagedEditorAction(submenu,"replaceprev",tr("Replace Prev"), "replacePrev");
newManagedEditorAction(submenu,"replaceall",tr("Replace &All"), "replaceAll");
menu->addSeparator();
submenu=newManagedMenu(menu, "goto",tr("Go to"));
newManagedEditorAction(submenu,"line", tr("Line"), "gotoLine", Qt::CTRL+Qt::Key_G, ":/images/goto.png");
newManagedEditorAction(submenu,"lastchange",tr("last change"), "jumpChangePositionBackward", Qt::CTRL+Qt::Key_H);
newManagedEditorAction(submenu,"nextchange",tr("\"next\" change"), "jumpChangePositionForward", Qt::CTRL+Qt::SHIFT+Qt::Key_H);
submenu->addSeparator();
newManagedAction(submenu,"markprev",tr("Previous mark"),"gotoMark",Qt::CTRL+Qt::Key_Up,"",QList<QVariant>() << true << -1);//, ":/images/errorprev.png");
newManagedAction(submenu,"marknext",tr("Next mark"),"gotoMark",Qt::CTRL+Qt::Key_Down,"",QList<QVariant>() << false << -1);//, ":/images/errornext.png");
submenu=newManagedMenu(menu, "gotoBookmark",tr("Goto Bookmark"));
for (int i=0; i<=9; i++)
newManagedEditorAction(submenu,QString("bookmark%1").arg(i),tr("Bookmark %1").arg(i),"jumpToBookmark",Qt::CTRL+Qt::Key_0+i,"",QList<QVariant>() << i);
submenu=newManagedMenu(menu, "toggleBookmark",tr("Toggle Bookmark"));
newManagedEditorAction(submenu,QString("bookmark"),tr("unnamed bookmark"),"toggleBookmark",Qt::CTRL+Qt::SHIFT+Qt::Key_B, "", QList<QVariant>() << -1);
for (int i=0; i<=9; i++)
newManagedEditorAction(submenu,QString("bookmark%1").arg(i),tr("Bookmark %1").arg(i),"toggleBookmark",Qt::CTRL+Qt::SHIFT+Qt::Key_0+i,"",QList<QVariant>() << i);
menu->addSeparator();
submenu=newManagedMenu(menu,"lineend",tr("Line Ending"));
QActionGroup *lineEndingGroup=new QActionGroup(this);
QAction* act=newManagedAction(submenu, "crlf", tr("DOS/Windows (CR LF)"), SLOT(editChangeLineEnding()));
act->setData(QDocument::Windows);
act->setCheckable(true);
lineEndingGroup->addAction(act);
act=newManagedAction(submenu, "lf", tr("Unix (LF)"), SLOT(editChangeLineEnding()));
act->setData(QDocument::Unix);
act->setCheckable(true);
lineEndingGroup->addAction(act);
act=newManagedAction(submenu, "cr", tr("Old Mac (CR)"), SLOT(editChangeLineEnding()));
act->setData(QDocument::Mac);
act->setCheckable(true);
lineEndingGroup->addAction(act);
newManagedAction(menu,"encoding",tr("Setup Encoding..."),SLOT(editSetupEncoding()));
newManagedAction(menu,"unicodeChar",tr("Insert Unicode Character..."),SLOT(editInsertUnicode()), Qt::ALT + Qt::CTRL + Qt::Key_U);
//Edit 2 (for LaTeX related things)
menu=newManagedMenu("main/edit2",tr("&Idefix"));
latexEditorContextMenu << newManagedAction(menu,"eraseWord",tr("Erase &Word/Cmd/Env"), SLOT(editEraseWordCmdEnv()), Qt::ALT+Qt::Key_Delete);
latexEditorContextMenu << menu->addSeparator();
latexEditorContextMenu << newManagedAction(menu,"pasteAsLatex",tr("Pas&te as LaTeX"), SLOT(editPasteLatex()), Qt::CTRL+Qt::SHIFT+Qt::Key_V, "editpaste.png");
latexEditorContextMenu << newManagedAction(menu,"convertTo",tr("Co&nvert to LaTeX"), SLOT(convertToLatex()));
latexEditorContextMenu << newManagedAction(menu,"previewLatex",tr("Pre&view Selection/Parantheses"), SLOT(previewLatex()),Qt::ALT+Qt::Key_P);
latexEditorContextMenu << newManagedAction(menu,"removePreviewLatex",tr("C&lear Inline Preview"), SLOT(clearPreview()));
menu->addSeparator();
newManagedEditorAction(menu,"comment", tr("&Comment"), "commentSelection", Qt::CTRL+Qt::Key_T);
newManagedEditorAction(menu,"uncomment",tr("&Uncomment"), "uncommentSelection", Qt::CTRL+Qt::Key_U);
newManagedEditorAction(menu,"indent",tr("&Indent"), "indentSelection");
newManagedEditorAction(menu,"unindent",tr("Unin&dent"), "unindentSelection");
newManagedAction(menu,"hardbreak",tr("Hard Line &Break..."), SLOT(editHardLineBreak()));
newManagedAction(menu,"hardbreakrepeat",tr("R&epeat Hard Line Break"), SLOT(editHardLineBreakRepeat()));
menu->addSeparator();
submenu=newManagedMenu(menu, "goto",tr("&Go to"));
newManagedAction(submenu,"errorprev",tr("Previous error"),"gotoNearLogEntry",Qt::CTRL+Qt::SHIFT+Qt::Key_Up, ":/images/errorprev.png", QList<QVariant>() << LT_ERROR << true << tr("No LaTeX errors detected !"));
newManagedAction(submenu,"errornext",tr("Next error"),"gotoNearLogEntry",Qt::CTRL+Qt::SHIFT+Qt::Key_Down, ":/images/errornext.png", QList<QVariant>() << LT_ERROR << false << tr("No LaTeX errors detected !"));
newManagedAction(submenu,"warningprev",tr("Previous warning"),"gotoNearLogEntry",Qt::CTRL+Qt::ALT+Qt::Key_Up,"", QList<QVariant>() << LT_WARNING << true << tr("No LaTeX warnings detected !"));//, ":/images/errorprev.png");
newManagedAction(submenu,"warningnext",tr("Next warning"),"gotoNearLogEntry",Qt::CTRL+Qt::ALT+Qt::Key_Down, "", QList<QVariant>() << LT_WARNING << false << tr("No LaTeX warnings detected !"));//, ":/images/errornext.png");
newManagedAction(submenu,"badboxprev",tr("Previous bad box"),"gotoNearLogEntry",Qt::SHIFT+Qt::ALT+Qt::Key_Up, "", QList<QVariant>() << LT_BADBOX << true << tr("No bad boxes detected !"));//, ":/images/errorprev.png");
newManagedAction(submenu,"badboxnext",tr("Next bad box"),"gotoNearLogEntry",Qt::SHIFT+Qt::ALT+Qt::Key_Down, "", QList<QVariant>() << LT_BADBOX << true << tr("No bad boxes detected !"));//, ":/images/errornext.png");
submenu->addSeparator();
newManagedAction(submenu,"definition",tr("Definition"),SLOT(editGotoDefinition()),Qt::CTRL+Qt::ALT+Qt::Key_F);
menu->addSeparator();
newManagedAction(menu,"generateMirror",tr("Re&name Environment"), SLOT(generateMirror()));
submenu = newManagedMenu(menu, "parens", tr("Parenthesis"));
newManagedAction(submenu, "selectBracketInner", tr("Select (inner)"), SLOT(selectBracket()), QKeySequence(Qt::SHIFT+Qt::CTRL+Qt::Key_P, Qt::Key_I))->setProperty("maximal", false);
newManagedAction(submenu, "selectBracketOuter", tr("Select (outer)"), SLOT(selectBracket()), QKeySequence(Qt::SHIFT+Qt::CTRL+Qt::Key_P, Qt::Key_O))->setProperty("maximal", true);
newManagedAction(submenu, "generateInvertedBracketMirror", tr("Select (inverting)"), SLOT(generateBracketInverterMirror()), QKeySequence(Qt::SHIFT+Qt::CTRL+Qt::Key_P, Qt::Key_S));
submenu->addSeparator();
newManagedAction(submenu, "findMissingBracket", tr("Find mismatch"), SLOT(findMissingBracket()), QKeySequence(Qt::SHIFT+Qt::CTRL+Qt::Key_P, Qt::Key_M));
submenu=newManagedMenu(menu, "complete",tr("Complete"));
newManagedAction(submenu, "normal", tr("normal"), SLOT(NormalCompletion()),Qt::CTRL+Qt::Key_Space);
newManagedAction(submenu, "environment", tr("\\begin{ completion"), SLOT(InsertEnvironmentCompletion()),Qt::CTRL+Qt::ALT+Qt::Key_Space);
newManagedAction(submenu, "text", tr("normal text"), SLOT(InsertTextCompletion()),Qt::SHIFT+Qt::ALT+Qt::Key_Space);
menu->addSeparator();
newManagedAction(menu,"reparse",tr("Refresh Structure"),SLOT(updateStructure()));
newManagedAction(menu,"removePlaceHolders",tr("Remove Placeholders"),SLOT(editRemovePlaceHolders()),Qt::CTRL+Qt::SHIFT+Qt::Key_K);
//tools
menu=newManagedMenu("main/tools",tr("&Tools"));
newManagedAction(menu, "quickbuild",tr("Quick Build"), SLOT(QuickBuild()), Qt::Key_F1, ":/images/quick.png");
menu->addSeparator();
newManagedAction(menu, "latex",tr("&LaTeX"), SLOT(commandFromAction()), Qt::Key_F2, ":/images/latex.png")->setData(BuildManager::CMD_LATEX);
newManagedAction(menu, "viewdvi",tr("&View Dvi"), SLOT(commandFromAction()), Qt::Key_F3, ":/images/viewdvi.png")->setData(BuildManager::CMD_VIEWDVI);
newManagedAction(menu, "dvi2ps",tr("&Dvi->PS"), SLOT(commandFromAction()), Qt::Key_F4, ":/images/dvips.png")->setData(BuildManager::CMD_DVIPS);
newManagedAction(menu, "viewps",tr("Vie&w PS"), SLOT(commandFromAction()), Qt::Key_F5, ":/images/viewps.png")->setData(BuildManager::CMD_VIEWPS);
newManagedAction(menu, "pdflatex",tr("&PDFLaTeX"), SLOT(commandFromAction()), Qt::Key_F6, ":/images/pdflatex.png")->setData(BuildManager::CMD_PDFLATEX);
newManagedAction(menu, "viewpdf",tr("View PD&F"), SLOT(commandFromAction()), Qt::Key_F7, ":/images/viewpdf.png")->setData(BuildManager::CMD_VIEWPDF);
newManagedAction(menu, "ps2pdf",tr("P&S->PDF"), SLOT(commandFromAction()), Qt::Key_F8, ":/images/ps2pdf.png")->setData(BuildManager::CMD_PS2PDF);
newManagedAction(menu, "dvipdf",tr("DV&I->PDF"), SLOT(commandFromAction()), Qt::Key_F9, ":/images/dvipdf.png")->setData(BuildManager::CMD_DVIPDF);
newManagedAction(menu, "viewlog",tr("View &Log"), SLOT(RealViewLog()), Qt::Key_F10, ":/images/viewlog.png");
newManagedAction(menu, "bibtex",tr("&BibTeX"), SLOT(commandFromAction()), Qt::Key_F11)->setData(BuildManager::CMD_BIBTEX);
newManagedAction(menu, "makeindex",tr("&MakeIndex"), SLOT(commandFromAction()), Qt::Key_F12)->setData(BuildManager::CMD_MAKEINDEX);
newManagedAction(menu, "clearmarkers",tr("&Clear Markers"), SLOT(ClearMarkers()));
menu->addSeparator();
newManagedAction(menu, "metapost",tr("&MetaPost"), SLOT(commandFromAction()))->setData(BuildManager::CMD_METAPOST);
newManagedAction(menu, "asymptote",tr("&Asymptote"), SLOT(commandFromAction()))->setData(BuildManager::CMD_ASY);
menu->addSeparator();
newManagedAction(menu, "clean",tr("Cle&an"), SLOT(CleanAll()));
menu->addSeparator();
newManagedAction(menu, "htmlexport",tr("C&onvert to Html..."), SLOT(WebPublish()));
newManagedAction(menu, "htmlsourceexport",tr("C&onvert Source to Html..."), SLOT(WebPublishSource()));
menu->addSeparator();
newManagedAction(menu, "analysetext",tr("A&nalyse Text..."), SLOT(AnalyseText()));
newManagedAction(menu, "generaterandomtext",tr("Generate &Random Text..."), SLOT(GenerateRandomText()));
menu->addSeparator();
newManagedAction(menu,"spelling",tr("Check Spelling..."),SLOT(editSpell()),Qt::CTRL+Qt::SHIFT+Qt::Key_F7);
newManagedAction(menu,"thesaurus",tr("Thesaurus..."),SLOT(editThesaurus()),Qt::CTRL+Qt::SHIFT+Qt::Key_F8);
newManagedAction(menu,"wordrepetions",tr("Find word repetitions..."),SLOT(findWordRepetions()));
// Latex/Math external
configManager.loadManagedMenus(":/uiconfig.xml");
// add some additional items
menu=newManagedMenu("main/latex",tr("&LaTeX"));
newManagedAction(menu, "insertrefnextlabel",tr("Insert \\ref to next label"), SLOT(editInsertRefToNextLabel()), Qt::ALT+Qt::CTRL+Qt::Key_R);
newManagedAction(menu, "insertrefprevlabel",tr("Insert \\ref to previous label"), SLOT(editInsertRefToPrevLabel()));
submenu=newManagedMenu(menu, "tabularmanipulation",tr("Manipulate tables","table"));
newManagedAction(submenu, "addRow",tr("add row","table"), SLOT(addRowCB()),QKeySequence(),":/images/addRow.png");
newManagedAction(submenu, "addColumn",tr("add column","table"), SLOT(addColumnCB()),QKeySequence(),":/images/addCol.png");
newManagedAction(submenu, "removeRow",tr("remove row","table"), SLOT(removeRowCB()),QKeySequence(),":/images/remRow.png");
newManagedAction(submenu, "removeColumn",tr("remove column","table"), SLOT(removeColumnCB()),QKeySequence(),":/images/remCol.png");
newManagedAction(submenu, "cutColumn",tr("cut column","table"), SLOT(cutColumnCB()),QKeySequence(),":/images/cutCol.png");
newManagedAction(submenu, "pasteColumn",tr("paste column","table"), SLOT(pasteColumnCB()),QKeySequence(),":/images/pasteCol.png");
newManagedAction(submenu, "addHLine",tr("add \\hline","table"), SLOT(addHLineCB()));
newManagedAction(submenu, "remHLine",tr("remove \\hline","table"), SLOT(remHLineCB()));
newManagedAction(submenu, "insertTableTemplate",tr("remodel table after template","table"), SLOT(insertTableTemplate()));
//wizards
menu=newManagedMenu("main/wizards",tr("&Wizards"));
newManagedAction(menu, "start",tr("Quick &Start..."), SLOT(QuickDocument()));
newManagedAction(menu, "letter",tr("Quick &Letter..."), SLOT(QuickLetter()));
menu->addSeparator();
newManagedAction(menu, "tabular",tr("Quick &Tabular..."), SLOT(QuickTabular()));
newManagedAction(menu, "tabbing",tr("Quick T&abbing..."), SLOT(QuickTabbing()));
newManagedAction(menu, "array",tr("Quick &Array..."), SLOT(QuickArray()));
newManagedAction(menu, "graphic",tr("Insert &Graphic..."), SLOT(QuickGraphics()));
menu=newManagedMenu("main/bibtex",tr("&Bibliography"));
foreach (const BibTeXType& bt, BibTeXDialog::getPossibleBibTeXTypes())
newManagedAction(menu,bt.name.mid(1), bt.description, SLOT(InsertBibEntryFromAction()))->setData(bt.name);
menu->addSeparator();
newManagedEditorAction(menu, "clean", tr("&Clean"), "cleanBib");
menu->addSeparator();
newManagedAction(menu, "dialog", tr("BibTeX &insert dialog..."), SLOT(InsertBibEntry()));
// User
menu=newManagedMenu("main/user",tr("&User"));
submenu=newManagedMenu(menu,"tags",tr("User &Tags"));
configManager.updateUserMacroMenu();
submenu=newManagedMenu(menu,"commands",tr("User &Commands"));
configManager.updateUserToolMenu();
//---view---
menu=newManagedMenu("main/view",tr("&View"));
newManagedAction(menu, "nextdocument",tr("Next Document"), SLOT(gotoNextDocument()), Qt::ALT+Qt::Key_PageUp);
newManagedAction(menu, "prevdocument",tr("Previous Document"), SLOT(gotoPrevDocument()), Qt::ALT+Qt::Key_PageDown);
newManagedMenu(menu, "documents",tr("Open Documents"));
menu->addSeparator();
newManagedAction(menu, "structureview",leftPanel->toggleViewAction());
outputViewAction=newManagedAction(menu, "outputview",tr("Messages / Log File"), SLOT(viewToggleOutputView()), 0, ":/images/logpanel.png");
outputViewAction->setCheckable(true);
newManagedAction(menu, "closesomething",tr("Close Something"), SLOT(viewCloseSomething()), Qt::Key_Escape);
menu->addSeparator();
submenu=newManagedMenu(menu, "collapse", tr("Collapse"));
newManagedEditorAction(submenu, "all", tr("Everything"), "foldEverything", 0, "", QList<QVariant>() << false);
newManagedAction(submenu, "block", tr("Nearest block"), SLOT(viewCollapseBlock()));
for (int i=1; i<=4; i++)
newManagedEditorAction(submenu, QString::number(i), tr("Level %1").arg(i), "foldLevel", 0, "", QList<QVariant>() << false << i);
submenu=newManagedMenu(menu, "expand", tr("Expand"));
newManagedEditorAction(submenu, "all", tr("Everything"), "foldEverything", 0, "", QList<QVariant>() << true);
newManagedAction(submenu, "block", tr("Nearest block"), SLOT(viewExpandBlock()));
for (int i=1; i<=4; i++)
newManagedEditorAction(submenu, QString::number(i), tr("Level %1").arg(i), "foldLevel", 0, "", QList<QVariant>() << true << i);
menu->addSeparator();
fullscreenModeAction=newManagedAction(menu, "fullscreenmode",tr("Fullscreen Mode"), SLOT(setFullScreenMode()));
fullscreenModeAction->setCheckable(true);
menu->addSeparator();
newManagedAction(menu,"sethighlighting",tr("Set High&lighting..."),SLOT(viewSetHighlighting()));
//---options---
menu=newManagedMenu("main/options",tr("&Options"));
newManagedAction(menu, "config",tr("&Configure TeXstudio..."), SLOT(GeneralOptions()), 0,":/images/configure.png");
menu->addSeparator();
newManagedAction(menu, "loadProfile",tr("Load &Profile..."), SLOT(loadProfile()));
newManagedAction(menu, "saveProfile",tr("S&ave Profile..."), SLOT(saveProfile()));
newManagedAction(menu, "saveSettings",tr("Save all current settings","menu"), SLOT(SaveSettings()));
menu->addSeparator();
ToggleAct=newManagedAction(menu, "masterdocument",tr("Define Current Document as '&Master Document'"), SLOT(ToggleMode()));
ToggleRememberAct=newManagedAction(menu, "remembersession",tr("Automatically Restore &Session at Next Start"));
ToggleRememberAct->setCheckable(true);
//---help---
menu=newManagedMenu("main/help",tr("&Help"));
newManagedAction(menu, "latexreference",tr("LaTeX Reference..."), SLOT(LatexHelp()), 0,":/images/help.png");
newManagedAction(menu, "usermanual",tr("User Manual..."), SLOT(UserManualHelp()), 0,":/images/help.png");
menu->addSeparator();
newManagedAction(menu, "appinfo",tr("About TeXstudio..."), SLOT(HelpAbout()), 0,":/images/appicon.png");
//additional elements for development
//-----context menus-----
if (LatexEditorView::getBaseActions().empty()) //only called at first menu created
LatexEditorView::setBaseActions(latexEditorContextMenu);
structureTreeView->setObjectName("StructureTree");
structureTreeView->setContextMenuPolicy(Qt::CustomContextMenu);
newManagedAction(structureTreeView,"CopySection",tr("Copy"), SLOT(editSectionCopy()));
newManagedAction(structureTreeView,"CutSection",tr("Cut"), SLOT(editSectionCut()));
newManagedAction(structureTreeView,"PasteBefore",tr("Paste before"), SLOT(editSectionPasteBefore()));
newManagedAction(structureTreeView,"PasteAfter",tr("Paste after"), SLOT(editSectionPasteAfter()));
QAction* sep = new QAction(structureTreeView);
sep->setSeparator(true);
structureTreeView->addAction(sep);
newManagedAction(structureTreeView,"IndentSection",tr("Indent Section"), SLOT(editIndentSection()));
newManagedAction(structureTreeView,"UnIndentSection",tr("Unindent Section"), SLOT(editUnIndentSection()));
connect(structureTreeView,SIGNAL(customContextMenuRequested(QPoint)),this,SLOT(StructureContextMenu(QPoint)));
configManager.updateRecentFiles(true);
configManager.modifyManagedShortcuts();
}
void Texmaker::setupToolBars() {
//This method will be called multiple times and must not create something if this something already exists
configManager.watchedMenus.clear();
//customizable toolbars
//first apply custom icons
QMap<QString, QVariant>::const_iterator i = configManager.replacedIconsOnMenus.constBegin();
while (i != configManager.replacedIconsOnMenus.constEnd()) {
QString id=i.key();
QVariant zw=i.value();
QObject *obj=configManager.menuParent->findChild<QObject*>(id);
QAction *act=qobject_cast<QAction*>(obj);
if (act && zw.canConvert<QString>()) act->setIcon(QIcon(zw.toString()));
++i;
}
//setup customizable toolbars
for (int i=0;i<configManager.managedToolBars.size();i++){
ManagedToolBar &mtb = configManager.managedToolBars[i];
if (!mtb.toolbar) { //create actual toolbar on first call
if (mtb.name == "Central") mtb.toolbar = centralToolBar;
else mtb.toolbar = addToolBar(tr(qPrintable(mtb.name)));
mtb.toolbar->setObjectName(mtb.name);
addAction(mtb.toolbar->toggleViewAction());
if(mtb.name=="Spelling") addToolBarBreak();
} else mtb.toolbar->clear();
foreach (const QString& actionName, mtb.actualActions){
if (actionName == "separator") mtb.toolbar->addSeparator(); //Case 1: Separator
else if (actionName.startsWith("tags/")) {
//Case 2: One of the xml tag widgets mapped on a toolbutton
int tagCategorySep=actionName.indexOf("/",5);
XmlTagsListWidget* tagsWidget = findChild<XmlTagsListWidget*>(actionName.left(tagCategorySep));
if (!tagsWidget) continue;
if(!tagsWidget->isPopulated())
tagsWidget->populate();
QStringList list=tagsWidget->tagsTxtFromCategory(actionName.mid(tagCategorySep+1));
if (list.isEmpty()) continue;
QToolButton* combo=createComboToolButton(mtb.toolbar,list,0,this,SLOT(insertXmlTagFromToolButtonAction()));
combo->setProperty("tagsID", actionName);
mtb.toolbar->addWidget(combo);
} else {
QObject *obj=configManager.menuParent->findChild<QObject*>(actionName);
QAction *act=qobject_cast<QAction*>(obj);
if (act) {
//Case 3: A normal QAction
if(act->icon().isNull())
act->setIcon(QIcon(":/images/appicon.png"));
mtb.toolbar->addAction(act);
} else {
QMenu* menu=qobject_cast<QMenu*>(obj);
if (!menu) {
qWarning("Unkown toolbar command %s", qPrintable(actionName));
continue;
}
//Case 4: A submenu mapped on a toolbutton
configManager.watchedMenus << actionName;
QStringList list;
foreach (const QAction* act, menu->actions())
if (!act->isSeparator())
list.append(act->text());
//TODO: Is the callToolButtonAction()-slot really needed? Can't we just add the menu itself as the menu of the qtoolbutton, without creating a copy? (should be much faster)
QToolButton* combo=createComboToolButton(mtb.toolbar,list,0,this,SLOT(callToolButtonAction()));
combo->setProperty("menuID", actionName);
mtb.toolbar->addWidget(combo);
}
}
}
if(mtb.actualActions.empty()) mtb.toolbar->setVisible(false);
}
}
void Texmaker::UpdateAvailableLanguages() {
if (spellLanguageActions) delete spellLanguageActions;
spellLanguageActions = new QActionGroup(statusTbLanguage);
spellLanguageActions->setExclusive(true);
foreach (const QString& s, spellerManager.availableDicts()) {
QAction *act = new QAction(spellLanguageActions);
act->setText(spellerManager.prettyName(s));
act->setData(QVariant(s));
act->setCheckable(true);
connect(act, SIGNAL(triggered()), this, SLOT(ChangeEditorSpeller()));
}
QAction *act = new QAction(spellLanguageActions);
act->setSeparator(true);
act = new QAction(spellLanguageActions);
act->setText(tr("Default")+QString(": %1").arg(spellerManager.prettyName(spellerManager.defaultSpellerName())));
act->setData(QVariant("<default>"));
connect(act, SIGNAL(triggered()), this, SLOT(ChangeEditorSpeller()));
act->setCheckable(true);
act->setChecked(true);
act = new QAction(spellLanguageActions);
act->setSeparator(true);
act = new QAction(spellLanguageActions);
act->setText(tr("Insert language as TeX comment"));
connect(act, SIGNAL(triggered()), this, SLOT(InsertSpellcheckMagicComment()));
statusTbLanguage->addActions(spellLanguageActions->actions());
if (currentEditorView()) {
EditorSpellerChanged(currentEditorView()->getSpeller());
} else {
EditorSpellerChanged("<default>");
}
}
void Texmaker::createStatusBar() {
QStatusBar * status=statusBar();
status->setContextMenuPolicy(Qt::PreventContextMenu);
QAction *act;
QToolButton *tb;
act = getManagedAction("main/view/structureview");
if (act) {
tb = new QToolButton(status);
tb->setCheckable(true);
tb->setChecked(act->isChecked());
tb->setAutoRaise(true);
tb->setIcon(act->icon());
tb->setToolTip(act->toolTip());
connect(tb, SIGNAL(clicked()), act, SLOT(trigger()));
connect(act, SIGNAL(toggled(bool)), tb, SLOT(setChecked(bool)));
status->addPermanentWidget(tb, 0);
}
act = getManagedAction("main/view/outputview");
if (act) {
tb = new QToolButton(status);
tb->setCheckable(true);
tb->setChecked(act->isChecked());
tb->setAutoRaise(true);
tb->setIcon(act->icon());
tb->setToolTip(act->toolTip());
connect(tb, SIGNAL(clicked()), act, SLOT(trigger()));
connect(act, SIGNAL(toggled(bool)), tb, SLOT(setChecked(bool)));
status->addPermanentWidget(tb, 0);
}
// spacer eating up all the space between "left" and "right" permanent widgets.
QLabel* messageArea = new QLabel(status);
connect(status, SIGNAL(messageChanged(QString)), messageArea, SLOT(setText(QString)));
status->addPermanentWidget(messageArea, 1);
statusTbLanguage = new QToolButton(status);
statusTbLanguage->setToolTip(tr("Language"));
statusTbLanguage->setPopupMode(QToolButton::InstantPopup);
statusTbLanguage->setAutoRaise(true);
statusTbLanguage->setMinimumWidth(status->fontMetrics().width("OOOOOO"));
connect(&spellerManager, SIGNAL(dictPathChanged()), this, SLOT(UpdateAvailableLanguages()));
connect(&spellerManager, SIGNAL(defaultSpellerChanged()), this, SLOT(UpdateAvailableLanguages()));
UpdateAvailableLanguages();
statusTbLanguage->setText(spellerManager.defaultSpellerName());
status->addPermanentWidget(statusTbLanguage,0);
statusLabelMode=new QLabel(status);
statusLabelProcess=new QLabel(status);
statusLabelEncoding=new QLabel(status);
status->addPermanentWidget(statusLabelEncoding,0);
status->addPermanentWidget(statusLabelProcess,0);
status->addPermanentWidget(statusLabelMode,0);
for (int i=1; i<=3; i++) {
QPushButton* pb=new QPushButton(QIcon(QString(":/images/bookmark%1.png").arg(i)),"",status);
pb->setToolTip(tr("Click to jump to the bookmark"));
connect(pb,SIGNAL(clicked()),getManagedAction(QString("main/edit/gotoBookmark/bookmark%1").arg(i)),SIGNAL(triggered()));
pb->setMaximumSize(20,20);
pb->setFlat(true);
status->addPermanentWidget(pb,0);
}
}
void Texmaker::UpdateCaption() {
if (!currentEditorView()) documents.currentDocument=0;
else {
documents.currentDocument=currentEditorView()->document;
documents.updateStructure();
structureTreeView->setExpanded(documents.model->index(documents.currentDocument->baseStructure),true);
}
if(completer && completer->isVisible()) completer->close();
QString title;
if (!currentEditorView()) {
title=TEXSTUDIO;
} else {
title="Document : "+getCurrentFileName();
if (currentEditorView()->editor) {
NewDocumentStatus();
NewDocumentLineEnding();
currentEditorView()->editor->setFocus();
}
}
setWindowTitle(title);
//updateStructure();
updateUndoRedoStatus();
cursorPositionChanged();
if (documents.singleMode()) {
//outputView->resetMessagesAndLog();
if(currentEditorView()) completerNeedsUpdate();
}
QString finame=getCurrentFileName();
if (finame!="") configManager.lastDocument=finame;
}
void Texmaker::updateMasterDocumentCaption(){
if (documents.singleMode()){
ToggleAct->setText(tr("Define Current Document as 'Master Document'"));
statusLabelMode->setText(QString(" %1 ").arg(tr("Normal Mode")));
} else {
QString shortName = documents.masterDocument->getFileInfo().fileName();
ToggleAct->setText(tr("Normal Mode (current master document :")+shortName+")");
statusLabelMode->setText(QString(" %1 ").arg(tr("Master Document")+ ": "+shortName));
}
}
void Texmaker::editorTabChanged(int index){
UpdateCaption();
if (index < 0) return; //happens if no tab is open
if (configManager.watchedMenus.contains("main/view/documents"))
updateToolBarMenu("main/view/documents");
if (currentEditorView()) {
EditorSpellerChanged(currentEditorView()->getSpeller());
}
}
void Texmaker::EditorTabMoved(int from,int to){
documents.documents.move(from,to);
documents.updateLayout();
updateOpenDocumentMenu(false);
}
void Texmaker::CloseEditorTab(int tab) {
int cur=EditorView->currentIndex();
int total=EditorView->count();
EditorView->setCurrentIndex(tab);
fileClose();
if (cur>tab) cur--;//removing moves to left
if (total!=EditorView->count() && cur!=tab)//if user clicks cancel stay in clicked editor
EditorView->setCurrentIndex(cur);
}
void Texmaker::showMarkTooltipForLogMessage(int error){
if (!currentEditorView()) return;
REQUIRE(outputView->getLogModel());
if (error<0 || error >= outputView->getLogModel()->count()) return;
currentEditorView()->setLineMarkToolTip(outputView->getLogModel()->at(error).niceMessage());
}
void Texmaker::NewDocumentStatus() {
LatexEditorView* edView = currentEditorView();
if (!edView) return;
int index=EditorView->currentIndex();
if (qobject_cast<QEditor*>(sender()) && edView->editor!=sender()){
edView=0;
for (int i=0;i<EditorView->count();i++)
if (qobject_cast<LatexEditorView*>(EditorView->widget(i))->editor==sender()){
edView= qobject_cast<LatexEditorView*>(EditorView->widget(i));
index=i;
break;
}
if (!edView) return;
}
QEditor * ed = edView->editor;
if (ed->isContentModified()) {
actSave->setEnabled(true);
EditorView->setTabIcon(index,getRealIcon("modified"));
} else {
actSave->setEnabled(false);
EditorView->setTabIcon(index,QIcon(":/images/empty.png"));
}
QString tabText = ed->fileName().isEmpty() ? tr("untitled") : ed->name();
tabText.replace("&", "&&");
if (EditorView->tabText(index) != tabText) {
EditorView->setTabText(index, tabText);
updateOpenDocumentMenu(true);
}
if (currentEditorView()->editor->getFileCodec()) statusLabelEncoding->setText(currentEditorView()->editor->getFileCodec()->name());
else statusLabelEncoding->setText("unknown");
}
void Texmaker::NewDocumentLineEnding(){
if (!currentEditorView()) return;
QDocument::LineEnding le = currentEditorView()->editor->document()->lineEnding();
if (le==QDocument::Conservative) le= currentEditorView()->editor->document()->originalLineEnding();
switch (le) {
#ifdef Q_WS_WIN
case QDocument::Local:
#endif
case QDocument::Windows:
getManagedAction("main/edit/lineend/crlf")->setChecked(true);
break;
case QDocument::Mac:
getManagedAction("main/edit/lineend/cr")->setChecked(true);
break;
default:
getManagedAction("main/edit/lineend/lf")->setChecked(true);
}
}
void Texmaker::updateUndoRedoStatus() {
if (currentEditor()) {
actSave->setEnabled(!currentEditor()->document()->isClean());
actUndo->setEnabled(currentEditor()->document()->canUndo());
actRedo->setEnabled(currentEditor()->document()->canRedo());
} else {
actSave->setEnabled(false);
actUndo->setEnabled(false);
actRedo->setEnabled(false);
}
}
LatexEditorView *Texmaker::currentEditorView() const {
return qobject_cast<LatexEditorView *>(EditorView->currentWidget());
}
QEditor* Texmaker::currentEditor() const{
LatexEditorView* edView = currentEditorView();
if (!edView) return 0;
return edView->editor;
}
void Texmaker::configureNewEditorView(LatexEditorView *edit) {
REQUIRE(m_languages);REQUIRE(edit->codeeditor);
m_languages->setLanguage(edit->codeeditor->editor(), ".tex");
//EditorView->setCurrentWidget(edit);
//edit->setFormats(m_formats->id("environment"),m_formats->id("referenceMultiple"),m_formats->id("referencePresent"),m_formats->id("referenceMissing"));
connect(edit->editor, SIGNAL(undoAvailable(bool)), this, SLOT(updateUndoRedoStatus()));
connect(edit->editor, SIGNAL(redoAvailable(bool)), this, SLOT(updateUndoRedoStatus()));
connect(edit->editor, SIGNAL(contentModified(bool)), this, SLOT(NewDocumentStatus()));
connect(edit->editor->document(), SIGNAL(lineEndingChanged(int)), this, SLOT(NewDocumentLineEnding()));
connect(edit->editor, SIGNAL(cursorPositionChanged()), this, SLOT(cursorPositionChanged()));
connect(edit->editor, SIGNAL(cursorHovered()), this, SLOT(cursorHovered()));
connect(edit->editor, SIGNAL(emitWordDoubleClicked()), this, SLOT(cursorHovered()));
connect(edit, SIGNAL(showMarkTooltipForLogMessage(int)),this,SLOT(showMarkTooltipForLogMessage(int)));
connect(edit, SIGNAL(needCitation(const QString&)),this,SLOT(InsertBibEntry(const QString&)));
connect(edit, SIGNAL(showPreview(QString)),this,SLOT(showPreview(QString)));
connect(edit, SIGNAL(showPreview(QDocumentCursor)),this,SLOT(showPreview(QDocumentCursor)));
connect(edit, SIGNAL(openFile(QString)),this,SLOT(openExternalFile(QString)));
connect(edit->editor,SIGNAL(fileReloaded()),this,SLOT(fileReloaded()));
connect(edit->editor,SIGNAL(fileInConflict()),this,SLOT(fileInConflict()));
connect(edit->editor,SIGNAL(fileAutoReloading(QString)),this,SLOT(fileAutoReloading(QString)));
connect(edit, SIGNAL(spellerChanged(QString)), this, SLOT(EditorSpellerChanged(QString)));
edit->setSpellerManager(&spellerManager);
edit->setSpeller("<default>");
edit->setBibTeXIds(&documents.allBibTeXIds);
}
//complete the new editor view configuration (edit->document is set)
void Texmaker::configureNewEditorViewEnd(LatexEditorView *edit,bool reloadFromDoc){
REQUIRE(edit->document);
//patch Structure
//disconnect(edit->editor->document(),SIGNAL(contentsChange(int, int))); // force order of contentsChange update
connect(edit->editor->document(),SIGNAL(contentsChange(int, int)),edit->document,SLOT(patchStructure(int,int)));
//connect(edit->editor->document(),SIGNAL(contentsChange(int, int)),edit,SLOT(documentContentChanged(int,int))); now directly called by patchStructure
connect(edit->editor->document(),SIGNAL(lineRemoved(QDocumentLineHandle*)),edit->document,SLOT(patchStructureRemoval(QDocumentLineHandle*)));
connect(edit->editor->document(),SIGNAL(lineDeleted(QDocumentLineHandle*)),edit->document,SLOT(patchStructureRemoval(QDocumentLineHandle*)));
connect(edit->document,SIGNAL(updateCompleter()),this,SLOT(completerNeedsUpdate()));
connect(edit->editor,SIGNAL(needUpdatedCompleter()), this, SLOT(needUpdatedCompleter()));
connect(edit->document,SIGNAL(importPackage(QString)),this,SLOT(importPackage(QString)));
connect(edit,SIGNAL(thesaurus(int,int)),this,SLOT(editThesaurus(int,int)));
connect(edit,SIGNAL(changeDiff(QPoint)),this,SLOT(editChangeDiff(QPoint)));
EditorView->insertTab(reloadFromDoc ? documents.documents.indexOf(edit->document,0) : -1,edit, "?bug?");
updateOpenDocumentMenu(false);
EditorView->setCurrentWidget(edit);
edit->editor->setFocus();
UpdateCaption();
NewDocumentStatus();
}
LatexEditorView* Texmaker::getEditorViewFromFileName(const QString &fileName, bool checkTemporaryNames){
LatexDocument* document=documents.findDocument(fileName, checkTemporaryNames);
if (!document) return 0;
return document->getEditorView();
}
QString Texmaker::getCurrentFileName() {
return documents.getCurrentFileName();
}
QString Texmaker::getAbsoluteFilePath(const QString & relName, const QString &extension){
return documents.getAbsoluteFilePath(relName, extension);
}
bool Texmaker::FileAlreadyOpen(QString f, bool checkTemporaryNames) {
LatexEditorView* edView = getEditorViewFromFileName(f, checkTemporaryNames);
if (!edView) return false;
EditorView->setCurrentWidget(edView);
edView->editor->setFocus();
return true;
}
///////////////////FILE//////////////////////////////////////
LatexEditorView* Texmaker::load(const QString &f , bool asProject) {
QString f_real=f;
#ifdef Q_WS_WIN
QRegExp regcheck("/([a-zA-Z]:[/\\\\].*)");
if (regcheck.exactMatch(f)) f_real=regcheck.cap(1);
#endif
#ifndef NO_POPPLER_PREVIEW
if (f_real.endsWith(".pdf",Qt::CaseInsensitive)) {
if (PDFDocument::documentList().isEmpty())
newPdfPreviewer();
PDFDocument::documentList().first()->loadFile(f_real,"");
PDFDocument::documentList().first()->show();
PDFDocument::documentList().first()->setFocus();
return 0;
}
#endif
if (f_real.endsWith(".log",Qt::CaseInsensitive) &&
txsConfirm(QString("Do you want to load file %1 as LaTeX log file?").arg(QFileInfo(f).completeBaseName()))) {
outputView->loadLogFile(f,documents.getTemporaryCompileFileName());
DisplayLatexError();
return 0;
}
raise();
//test is already opened
LatexEditorView* existingView = getEditorViewFromFileName(f_real);
if (existingView) {
if (asProject) documents.setMasterDocument(existingView->document);
EditorView->setCurrentWidget(existingView);
return existingView;
} else {
// find closed master doc
LatexDocument *doc=documents.findDocumentFromName(f_real);
if(doc){
LatexEditorView *edit = new LatexEditorView(0,configManager.editorConfig,doc);
edit->document=doc;
edit->editor->setFileName(doc->getFileName());
disconnect(edit->editor->document(),SIGNAL(contentsChange(int, int)),edit->document,SLOT(patchStructure(int,int)));
configureNewEditorView(edit);
doc->setLineEnding(edit->editor->document()->originalLineEnding());
doc->setEditorView(edit); //update file name (if document didn't exist)
configureNewEditorViewEnd(edit,true);
//edit->document->initStructure();
//updateStructure(true);
ShowStructure();
return edit;
}
}
//load it otherwise
if (!QFile::exists(f_real)) return 0;
bool bibTeXmodified=documents.bibTeXFilesModified;
LatexDocument *doc=new LatexDocument(this);
LatexEditorView *edit = new LatexEditorView(0,configManager.editorConfig,doc);
configureNewEditorView(edit);
edit->document=documents.findDocument(f_real);
if (!edit->document) {
edit->document=doc;
edit->document->setEditorView(edit);
documents.addDocument(edit->document);
} else edit->document->setEditorView(edit);
QFile file(f_real);
if (!file.open(QIODevice::ReadOnly)) {
QMessageBox::warning(this,tr("Error"), tr("You do not have read permission to this file."));
return 0;
}
file.close();
if (edit->editor->fileInfo().suffix()!="tex")
m_languages->setLanguage(edit->editor, f_real);
//QTime time;
//time.start();
edit->editor->load(f_real,QDocument::defaultCodec());
//qDebug() << "Load time: " << time.elapsed();
edit->editor->document()->setLineEndingDirect(edit->editor->document()->originalLineEnding());
edit->document->setEditorView(edit); //update file name (if document didn't exist)
configureNewEditorViewEnd(edit,asProject);
//check for svn conflict
checkSVNConflicted();
MarkCurrentFileAsRecent();
documents.updateMasterSlaveRelations(doc);
edit->updateLtxCommands();
updateStructure(true);
ShowStructure();
if (asProject) documents.setMasterDocument(edit->document);
if (outputView->logPresent()) DisplayLatexError(); //show marks
if (!bibTeXmodified)
documents.bibTeXFilesModified=false; //loading a file can change the list of included bib files, but we won't consider that as a modification of them, because then they don't have to be recompiled
LatexDocument* master = edit->document->getTopMasterDocument();
if (master) foreach (const FileNamePair& fnp, edit->document->mentionedBibTeXFiles().values()) {
Q_ASSERT(!fnp.absolute.isEmpty());
master->lastCompiledBibTeXFiles.insert(fnp.absolute);
}
#ifndef Q_WS_MACX
if (windowState() == Qt::WindowMinimized || !isVisible() || !QApplication::activeWindow()) {
show();
if (windowState()==Qt::WindowMinimized)
setWindowState((windowState() & ~Qt::WindowMinimized) | Qt::WindowActive);
show();
raise();
QApplication::setActiveWindow(this);
activateWindow();
setFocus();
edit->editor->setFocus();
}
//raise();
//#ifdef Q_WS_WIN
// if (IsIconic (this->winId())) ShowWindow(this->winId(), SW_RESTORE);
//#endif
#endif
return edit;
}
void Texmaker::completerNeedsUpdate(){
mCompleterNeedsUpdate=true;
}
void Texmaker::needUpdatedCompleter(){
if (mCompleterNeedsUpdate)
updateCompleter();
}
#include "QMetaMethod"
void Texmaker::linkToEditorSlot(QAction* act, const char* methodName, const QList<QVariant>& args){
REQUIRE(act);
#if QT_VERSION >= 0x040600
connect(act, SIGNAL(triggered()), SLOT(relayToEditorSlot()),Qt::UniqueConnection);
#else
disconnect(act, SIGNAL(triggered()), this, SLOT(relayToEditorSlot()));
connect(act, SIGNAL(triggered()), SLOT(relayToEditorSlot()));
#endif
QByteArray signature = createMethodSignature(methodName, args);
if (!args.isEmpty())
act->setProperty("args", QVariant::fromValue<QList<QVariant> >(args));
for (int i=0;i<LatexEditorView::staticMetaObject.methodCount();i++)
if (signature == LatexEditorView::staticMetaObject.method(i).signature()) {
act->setProperty("editorViewSlot", methodName);
return;
} //else qDebug() << LatexEditorView::staticMetaObject.method(i).signature();
for (int i=0;i<QEditor::staticMetaObject.methodCount();i++)
if (signature == QEditor::staticMetaObject.method(i).signature()) {
act->setProperty("editorSlot", methodName);
return;
}
qDebug() << methodName << signature;
Q_ASSERT(false);
}
void Texmaker::relayToEditorSlot(){
if (!currentEditorView()) return;
QAction* act = qobject_cast<QAction*>(sender());
REQUIRE(act);
if (act->property("editorViewSlot").isValid()) QMetaObjectInvokeMethod(currentEditorView(), qPrintable(act->property("editorViewSlot").toString()), act->property("args").value<QList<QVariant> >());
else if (act->property("editorSlot").isValid()) QMetaObjectInvokeMethod(currentEditor(), qPrintable(act->property("editorSlot").toString()), act->property("args").value<QList<QVariant> >());
}
void Texmaker::relayToOwnSlot(){
QAction* act = qobject_cast<QAction*>(sender());
REQUIRE(act && act->property("slot").isValid());
QMetaObjectInvokeMethod(this, qPrintable(act->property("slot").toString()), act->property("args").value<QList<QVariant> >());
}
void Texmaker::fileNew(QString fileName) {
LatexDocument *doc=new LatexDocument();
LatexEditorView *edit = new LatexEditorView(0,configManager.editorConfig,doc);
if (configManager.newFileEncoding)
edit->editor->setFileCodec(configManager.newFileEncoding);
else
edit->editor->setFileCodec(QTextCodec::codecForName("utf-8"));
edit->editor->setFileName(fileName);
configureNewEditorView(edit);
edit->document=doc;
edit->document->setEditorView(edit);
documents.addDocument(edit->document);
configureNewEditorViewEnd(edit);
edit->updateLtxCommands();
}
void Texmaker::fileAutoReloading(QString fname){
LatexDocument* document=documents.findDocument(fname);
if (!document) return;
document->clearStructure();
}
void Texmaker::fileReloaded(){
QEditor *mEditor = qobject_cast<QEditor *>(sender());
if(mEditor==currentEditor()){
currentEditorView()->document->initStructure();
updateStructure(true);
}else{
LatexDocument* document=documents.findDocument(mEditor->fileName());
if (!document) return;
int len=document->lineCount();
document->initStructure();
document->patchStructure(0,len);
}
}
void Texmaker::fileMakeTemplate() {
if (!currentEditorView())
return;
// select a directory/filepath
QString currentDir=configManager.configBaseDir;
// get a file name
QString fn = QFileDialog::getSaveFileName(this,tr("Save As"),currentDir,tr("TeX files")+" (*.tex)");
if (!fn.isEmpty()) {
int lastsep=qMax(fn.lastIndexOf("/"),fn.lastIndexOf("\\"));
int lastpoint=fn.lastIndexOf(".");
if (lastpoint <= lastsep) //if both aren't found or point is in directory name
fn.append(".tex");
// save file
QString old_name=currentEditor()->fileName();
QTextCodec *mCodec=currentEditor()->getFileCodec();
currentEditor()->setFileCodec(QTextCodec::codecForName("utf-8"));
currentEditor()->save(fn);
currentEditor()->setFileName(old_name);
currentEditor()->setFileCodec(mCodec);
if(!userTemplatesList.contains(fn)) userTemplatesList.append(fn);
}
}
void Texmaker::templateRemove(){
QStringList templates=findResourceFiles("templates/","template_*.tex");
int len=templates.size();
if(templateSelectorDialog->ui.listWidget->currentRow()>=len){
if(QMessageBox::question(this,tr("Please Confirm"), tr("Are you sure to remove that template permanently ?"),QMessageBox::Yes|QMessageBox::No,QMessageBox::No)==QMessageBox::Yes){
QString f_real=userTemplatesList.at(templateSelectorDialog->ui.listWidget->currentRow()-len);
userTemplatesList.removeAt(templateSelectorDialog->ui.listWidget->currentRow()-len);
templateSelectorDialog->ui.listWidget->takeItem(templateSelectorDialog->ui.listWidget->currentRow());
QFile file(f_real);
if(!file.remove()) QMessageBox::warning(this,tr("Error"), tr("You do not have permission to remove this file."));
}
} else QMessageBox::warning(this,tr("Error"), tr("You can not remove built-in templates."));
}
void Texmaker::templateEdit(){
QStringList templates=findResourceFiles("templates/","template_*.tex");
int len=templates.size();
if(templateSelectorDialog->ui.listWidget->currentRow()>=len){
load(userTemplatesList.at(templateSelectorDialog->ui.listWidget->currentRow()-len),false);
templateSelectorDialog->close();
} else QMessageBox::warning(this,tr("Error"), tr("You can not edit built-in templates."));
}
void Texmaker::fileNewFromTemplate() {
// select Template
QString f_real;
if(!templateSelectorDialog) {
templateSelectorDialog=new templateselector(this,tr("Templates"));
QAction *act=new QAction(tr("Edit"),this);
connect(act,SIGNAL(triggered()),this,SLOT(templateEdit()));
templateSelectorDialog->ui.listWidget->addAction(act);
act=new QAction(tr("Remove"),this);
connect(act,SIGNAL(triggered()),this,SLOT(templateRemove()));
templateSelectorDialog->ui.listWidget->addAction(act);
}
QStringList templates=findResourceFiles("templates/","template_*.tex");
int len=templates.size();
templates << userTemplatesList;
templates.replaceInStrings(QRegExp("(^|^.*/)(template_)?"),"");
templates.replaceInStrings(QRegExp(".tex$"),"");
templateSelectorDialog->ui.listWidget->clear();
templateSelectorDialog->ui.listWidget->insertItems(0,templates);
if(templateSelectorDialog->exec()){
if(templateSelectorDialog->ui.listWidget->currentRow()<len){
f_real="templates/template_"+templateSelectorDialog->ui.listWidget->currentItem()->text()+".tex";
f_real=findResourceFile(f_real);
}else {
f_real=userTemplatesList.at(templateSelectorDialog->ui.listWidget->currentRow()-len);
}
QFile file(f_real);
if (!file.open(QIODevice::ReadOnly)) {
QMessageBox::warning(this,tr("Error"), tr("You do not have read permission to this file."));
return;
}
//set up new editor with template
LatexDocument *doc=new LatexDocument(this);
LatexEditorView *edit = new LatexEditorView(0,configManager.editorConfig,doc);
if (configManager.newFileEncoding)
edit->editor->setFileCodec(configManager.newFileEncoding);
else
edit->editor->setFileCodec(QTextCodec::codecForName("utf-8"));
configureNewEditorView(edit);
edit->document=doc;
edit->document->setEditorView(edit);
documents.addDocument(edit->document);
configureNewEditorViewEnd(edit);
edit->updateLtxCommands();
QString mTemplate;
QTextStream in(&file);
in.setCodec(QTextCodec::codecForMib(MIB_UTF8));
while (!in.atEnd()) {
QString line = in.readLine();
mTemplate+=line+"\n";
}
CodeSnippet toInsert(mTemplate);
bool flag=edit->editor->flag(QEditor::AutoIndent);
edit->editor->setFlag(QEditor::AutoIndent,false);
toInsert.insert(edit->editor);
edit->editor->setFlag(QEditor::AutoIndent,flag);
edit->editor->setCursorPosition(0,0);
edit->editor->nextPlaceHolder();
edit->editor->ensureCursorVisibleSurrounding();
}
}
void Texmaker::insertTableTemplate() {
QEditor *m_edit=currentEditor();
if(!m_edit)
return;
QDocumentCursor c=m_edit->cursor();
if(!LatexTables::inTableEnv(c))
return;
// select Template
QString f_real;
if(!templateSelectorDialog) {
templateSelectorDialog=new templateselector(this,tr("Templates"));
QAction *act=new QAction(tr("Edit"),this);
connect(act,SIGNAL(triggered()),this,SLOT(templateEdit()));
templateSelectorDialog->ui.listWidget->addAction(act);
act=new QAction(tr("Remove"),this);
connect(act,SIGNAL(triggered()),this,SLOT(templateRemove()));
templateSelectorDialog->ui.listWidget->addAction(act);
}
QStringList templates=findResourceFiles("templates/","tabletemplate_*.js");
int len=templates.size();
templates.replaceInStrings(QRegExp("(^|^.*/)(tabletemplate_)?"),"");
templates.replaceInStrings(QRegExp(".js$"),"");
templateSelectorDialog->ui.listWidget->clear();
templateSelectorDialog->ui.listWidget->insertItems(0,templates);
if(templateSelectorDialog->exec()){
if(templateSelectorDialog->ui.listWidget->currentRow()<len){
f_real="templates/tabletemplate_"+templateSelectorDialog->ui.listWidget->currentItem()->text()+".js";
f_real=findResourceFile(f_real);
}
QFile file(f_real);
if (!file.open(QIODevice::ReadOnly)) {
QMessageBox::warning(this,tr("Error"), tr("You do not have read permission to this file."));
return;
}
QString tableDef=LatexTables::getSimplifiedDef(c);
QString tableText=LatexTables::getTableText(c);
//remove table
c.removeSelectedText();
m_edit->setCursor(c);
// split table text into line/column list
QStringList values;
QList<int> starts;
QString env;
tableText.remove("\n");
tableText.remove("\\hline");
if(tableText.startsWith("\\begin")){
LatexParser::resolveCommandOptions(tableText,0,values,&starts);
env=values.takeFirst();
env.remove(0,1);
env.remove(env.length()-1,1);
if(LatexTables::tabularNames.contains(env)){
if(!values.isEmpty()){
int i=starts.at(1);
i+=values.first().length();
tableText.remove(0,i);
}
}
if(LatexTables::tabularNamesWithOneOption.contains(env)){
if(values.size()>1){
int i=starts.at(2);
i+=values.at(1).length();
tableText.remove(0,i);
}
}
tableText.remove(QRegExp("\\\\end\\{"+env+"\\}$"));
}
tableText.replace("\\endhead","\\\\");
QStringList lines=tableText.split("\\\\");
QList<QStringList> tableContent;
foreach(QString line,lines){
line=line.simplified();
if(line.isEmpty())
continue;
QStringList elems=line.split(QRegExp("&"));
QList<QString>::iterator i;
for(i=elems.begin();i!=elems.end();i++){
QString elem=*i;
*i=elem.simplified();
}
// handle \& correctly
for(int i=elems.size()-1;i>=0;i--){
if(elems.at(i).endsWith("\\")){
QString add=elems.at(i)+elems.at(i+1);
elems.replace(i,add);
elems.removeAt(i+1);
}
}
tableContent<<elems;
}
LatexTables::generateTableFromTemplate(m_edit,f_real,tableDef,tableContent,env);
}
}
void Texmaker::fileOpen() {
QString currentDir=QDir::homePath();
if (!configManager.lastDocument.isEmpty()) {
QFileInfo fi(configManager.lastDocument);
if (fi.exists() && fi.isReadable()) {
currentDir=fi.absolutePath();
}
}
QStringList files = QFileDialog::getOpenFileNames(this,tr("Open Files"),currentDir,fileFilters, &selectedFileFilter);
foreach (const QString& fn, files)
load(fn);
}
void Texmaker::fileRestoreSession(){
fileCloseAll();
for (int i=0; i<configManager.sessionFilesToRestore.size(); i++){
LatexEditorView* edView=load(configManager.sessionFilesToRestore[i], configManager.sessionFilesToRestore[i]==configManager.sessionMaster);
if(edView){
int row=configManager.sessionCurRowsToRestore.value(i,QVariant(0)).toInt();
int col=configManager.sessionCurColsToRestore.value(i,0).toInt();
if(row>=edView->document->lineCount()){
row=0;
col=0;
}else{
if(edView->document->line(row).length()<col){
col=0;
}
}
edView->editor->setCursorPosition(row,col);
edView->editor->scrollToFirstLine(configManager.sessionFirstLinesToRestore.value(i,0).toInt());
}
}
FileAlreadyOpen(configManager.sessionCurrent);
}
void Texmaker::fileSave() {
if (!currentEditor())
return;
if (currentEditor()->fileName()=="" || !currentEditor()->fileInfo().exists())
fileSaveAs();
else {
/*QFile file( *filenames.find( currentEditorView() ) );
if ( !file.open( QIODevice::WriteOnly ) )
{
QMessageBox::warning( this,tr("Error"),tr("The file could not be saved. Please check if you have write permission."));
return;
}*/
currentEditor()->save();
//currentEditorView()->editor->setModified(false);
MarkCurrentFileAsRecent();
if(configManager.autoCheckinAfterSave) {
checkin(currentEditor()->fileName());
if(configManager.svnUndo) currentEditor()->document()->clearUndo();
}
}
UpdateCaption();
//updateStructure(); (not needed anymore for autoupdate)
}
void Texmaker::fileSaveAs(const QString& fileName) {
if (!currentEditorView())
return;
// select a directory/filepath
QString currentDir=QDir::homePath();
if (fileName.isEmpty()) {
if (currentEditor()->fileInfo().isFile()) {
currentDir = currentEditor()->fileInfo().absolutePath();
} else if (!configManager.lastDocument.isEmpty()) {
QFileInfo fi(configManager.lastDocument);
if (fi.exists() && fi.isReadable())
currentDir=fi.absolutePath();
}
} else {
QFileInfo currentFile(fileName);
if (currentFile.absoluteDir().exists())
currentDir = fileName;
}
// get a file name
QString fn = QFileDialog::getSaveFileName(this,tr("Save As"),currentDir,fileFilters, &selectedFileFilter);
if (!fn.isEmpty()) {
static QRegExp fileExt("\\*(\\.[^ )]+)");
if (fileExt.indexIn(selectedFileFilter) > -1) {
//add
int lastsep=qMax(fn.lastIndexOf("/"),fn.lastIndexOf("\\"));
int lastpoint=fn.lastIndexOf(".");
if (lastpoint <= lastsep) //if both aren't found or point is in directory name
fn.append(fileExt.cap(1));
}
if (getEditorViewFromFileName(fn) && getEditorViewFromFileName(fn) != currentEditorView())
if (!txsConfirmWarning(tr("You are trying to save the file under the name %1, but a file with this name is already open.\n TeXstudio does not support multiple instances of the same file.\nAre you sure you want to continue?").arg(fn)))
return;
// save file
currentEditor()->save(fn);
currentEditorView()->document->setEditorView(currentEditorView()); //update file name
MarkCurrentFileAsRecent();
//update Master/Child relations
LatexDocument *doc=currentEditorView()->document;
documents.updateMasterSlaveRelations(doc);
if(configManager.autoCheckinAfterSave){
if(svnadd(currentEditor()->fileName())){
checkin(currentEditor()->fileName(),"txs auto checkin",configManager.svnKeywordSubstitution);
} else {
//create simple repository
svncreateRep(currentEditor()->fileName());
svnadd(currentEditor()->fileName());
checkin(currentEditor()->fileName(),"txs auto checkin",configManager.svnKeywordSubstitution);
}
// set SVN Properties if desired
if(configManager.svnKeywordSubstitution){
QString cmd=buildManager.getLatexCommand(BuildManager::CMD_SVN);
cmd+=" propset svn:keywords \"Date Author HeadURL Revision\" \""+currentEditor()->fileName()+"\"";
statusLabelProcess->setText(QString(" svn propset svn:keywords "));
runCommand(cmd, 0);
}
}
EditorView->setTabText(EditorView->currentIndex(),currentEditor()->name().replace("&","&&"));
updateOpenDocumentMenu(true);
if (currentEditor()->fileInfo().suffix()!="tex")
m_languages->setLanguage(currentEditor(), fn);
}
UpdateCaption();
}
void Texmaker::fileSaveAll() {
fileSaveAll(true,true);
}
void Texmaker::fileSaveAll(bool alsoUnnamedFiles, bool alwaysCurrentFile) {
//LatexEditorView *temp = new LatexEditorView(EditorView,colorMath,colorCommand,colorKeyword);
//temp=currentEditorView();
REQUIRE(EditorView);
int currentIndex=EditorView->indexOf(currentEditorView());
for (int i=0;i<EditorView->count(); i++){
LatexEditorView *edView = qobject_cast<LatexEditorView*>(EditorView->widget(i));
REQUIRE(edView);REQUIRE(edView->editor);
if (edView->editor->fileName().isEmpty()){
if ((alsoUnnamedFiles || (alwaysCurrentFile && i==currentIndex) ) ) {
EditorView->setCurrentIndex(i);
fileSaveAs();
} else if (!edView->document->getTemporaryFileName().isEmpty())
edView->editor->saveCopy(edView->document->getTemporaryFileName());
//else if (edView->editor->isInConflict()) {
//edView->editor->save();
//}
} else if (edView->editor->isContentModified() || edView->editor->isInConflict()){
edView->editor->save(); //only save modified documents
if (edView->editor->fileName().endsWith(".bib")) {
QString temp=edView->editor->fileName();
temp=temp.replace(QDir::separator(),"/");
documents.bibTeXFilesModified = documents.bibTeXFilesModified || documents.mentionedBibTeXFiles.contains(temp);//call bibtex on next compilation (this would also set as soon as the user switch to a tex file, but he could compile before switching)
}
}
//currentEditor()->save();
//UpdateCaption();
}
if (EditorView->currentIndex()!=currentIndex)
EditorView->setCurrentIndex(currentIndex);
//UpdateCaption();
}
void Texmaker::fileClose() {
if (!currentEditorView()) return;
repeatAfterFileSavingFailed:
if (currentEditorView()->editor->isContentModified()) {
switch (QMessageBox::warning(this, TEXSTUDIO,
tr("The document contains unsaved work. "
"Do you want to save it before closing?"),
tr("Save and Close"), tr("Don't Save and Close"), tr("Cancel"),
0,
2)) {
case 0:
fileSave();
if (currentEditorView()->editor->isContentModified())
goto repeatAfterFileSavingFailed;
documents.deleteDocument(currentEditorView()->document);
break;
case 1:
documents.deleteDocument(currentEditorView()->document);
break;
case 2:
default:
return;
break;
}
} else documents.deleteDocument(currentEditorView()->document);
updateOpenDocumentMenu();
//UpdateCaption(); unnecessary as called by tabChanged (signal)
}
void Texmaker::fileCloseAll() {
closeAllFilesAsking();
documents.setMasterDocument(0);
UpdateCaption();
}
void Texmaker::fileExit() {
if (canCloseNow())
qApp->quit();
}
bool Texmaker::closeAllFilesAsking(){
while (currentEditorView()) {
repeatAfterFileSavingFailed:
if (currentEditorView()->editor->isContentModified()) {
switch (QMessageBox::warning(this, TEXSTUDIO,
tr("The document contains unsaved work. "
"Do you want to save it before closing?"),
tr("Save and Close"), tr("Don't Save and Close"), tr("Cancel"),
0,
2)) {
case 0:
fileSave();
if (currentEditorView()->editor->isContentModified())
goto repeatAfterFileSavingFailed;
documents.deleteDocument(currentEditorView()->document);
break;
case 1:
documents.deleteDocument(currentEditorView()->document);
break;
case 2:
default:
updateOpenDocumentMenu();
return false;
}
} else
documents.deleteDocument(currentEditorView()->document);
}
#ifndef NO_POPPLER_PREVIEW
foreach (PDFDocument* viewer, PDFDocument::documentList())
viewer->close();
#endif
updateOpenDocumentMenu();
return true;
}
bool Texmaker::canCloseNow(){
SaveSettings();
bool accept = closeAllFilesAsking();
if (accept){
if (userMacroDialog) delete userMacroDialog;
spellerManager.unloadAll(); //this saves the ignore list
}
return accept;
}
void Texmaker::closeEvent(QCloseEvent *e) {
if (canCloseNow()) e->accept();
else e->ignore();
}
void Texmaker::fileOpenRecent() {
QAction *action = qobject_cast<QAction *>(sender());
if (action) load(action->data().toString());
}
void Texmaker::fileOpenAllRecent() {
foreach (const QString& s, configManager.recentFilesList)
load(s);
}
void Texmaker::fileOpenFirstNonOpen(){
foreach (const QString& f, configManager.recentFilesList)
if (!getEditorViewFromFileName(f)){
load(f);
break;
}
}
void Texmaker::fileOpenRecentProject() {
QAction *action = qobject_cast<QAction *>(sender());
if (action) load(action->data().toString(),true);
}
void Texmaker::MarkCurrentFileAsRecent(){
configManager.addRecentFile(getCurrentFileName(),documents.masterDocument == currentEditorView()->document);
}
//////////////////////////// EDIT ///////////////////////
void Texmaker::editUndo() {
if (!currentEditorView()) return;
QVariant zw=currentEditor()->property("undoRevision");
int undoRevision=zw.canConvert<int>()?zw.toInt():0;
if(currentEditor()->document()->canUndo()){
currentEditor()->undo();
if(undoRevision>0) {
undoRevision=-1;
currentEditor()->setProperty("undoRevision",undoRevision);
}
}else{
if(configManager.svnUndo && (undoRevision>=0)){
svnUndo();
}
}
}
void Texmaker::editRedo() {
if (!currentEditorView()) return;
QVariant zw=currentEditor()->property("undoRevision");
int undoRevision=zw.canConvert<int>()?zw.toInt():0;
if(currentEditor()->document()->canRedo()){
currentEditorView()->editor->redo();
} else {
if(configManager.svnUndo && (undoRevision>0)){
svnUndo(true);
}
}
}
void Texmaker::editDebugUndoStack(){
if (!currentEditor()) return;
QString history = currentEditor()->document()->debugUndoStack();
fileNew();
currentEditor()->document()->setText(history);
}
void Texmaker::editCopy() {
if ((!currentEditor() || !currentEditor()->hasFocus()) &&
outputView->childHasFocus() ) {
outputView->copy();
}
if (!currentEditorView()) return;
currentEditorView()->editor->copy();
}
void Texmaker::editPaste() {
if (!currentEditorView()) return;
const QMimeData *d = QApplication::clipboard()->mimeData();
if (d->hasUrls()) {
QList<QUrl> uris=d->urls();
for (int i=0; i<uris.length(); i++) {
QFileInfo fi = QFileInfo(uris.at(i).toLocalFile());
if (InsertGraphics::imageFormats().contains(fi.suffix())) {
QuickGraphics(uris.at(i).toLocalFile());
} else {
currentEditor()->insertText(uris.at(i).toLocalFile()+"\n");
}
}
} else {
currentEditorView()->paste();
}
}
void Texmaker::editPasteLatex() {
if (!currentEditorView()) return;
// manipulate clipboard text
QClipboard *clipboard = QApplication::clipboard();
QString originalText = clipboard->text();
QString newText=textToLatex(originalText);
//clipboard->setText(newText);
// insert
//currentEditorView()->editor->paste();
QMimeData md;
md.setText(newText);
currentEditorView()->editor->insertFromMimeData(&md);
}
void Texmaker::convertToLatex() {
if (!currentEditorView()) return;
// get selection and change it
QString originalText = currentEditor()->cursor().selectedText();
QString newText=textToLatex(originalText);
// insert
currentEditor()->insertText(newText);
}
void Texmaker::editEraseLine() {
if (!currentEditorView()) return;
QDocumentCursor c = currentEditorView()->editor->cursor();
c.eraseLine();
}
void Texmaker::editEraseWordCmdEnv(){
if (!currentEditorView()) return;
QDocumentCursor cursor = currentEditorView()->editor->cursor();
QString line=cursor.line().text();
QString command, value;
switch (latexParser.findContext(line, cursor.columnNumber(), command, value)){
case LatexParser::Command:
if (command=="\\begin" || command=="\\end"){
//remove environment (surrounding)
currentEditorView()->editor->document()->beginMacro();
cursor.movePosition(1,QDocumentCursor::EndOfWord);
cursor.movePosition(1,QDocumentCursor::StartOfWord,QDocumentCursor::KeepAnchor);
cursor.movePosition(1,QDocumentCursor::Left,QDocumentCursor::KeepAnchor);
cursor.removeSelectedText();
// remove curly brakets as well
if(cursor.nextChar()==QChar('{')){
cursor.deleteChar();
line=cursor.line().text();
int col=cursor.columnNumber();
int i=findClosingBracket(line,col);
if(i>-1) {
cursor.movePosition(i-col+1,QDocumentCursor::Right,QDocumentCursor::KeepAnchor);
cursor.removeSelectedText();
QDocument* doc=currentEditorView()->editor->document();
QString searchWord="\\end{"+value+"}";
QString inhibitor="\\begin{"+value+"}";
bool backward=(command=="\\end");
int step=1;
if(backward) {
qSwap(searchWord,inhibitor);
step=-1;
}
int startLine=cursor.lineNumber();
int startCol=cursor.columnNumber();
int endLine=doc->findLineContaining(searchWord,startLine,Qt::CaseSensitive,backward);
int inhibitLine=doc->findLineContaining(inhibitor,startLine,Qt::CaseSensitive,backward); // not perfect (same line end/start ...)
while (inhibitLine>0 && endLine>0 && inhibitLine*step<endLine*step) {
endLine=doc->findLineContaining(searchWord,endLine+step,Qt::CaseSensitive,backward); // not perfect (same line end/start ...)
inhibitLine=doc->findLineContaining(inhibitor,inhibitLine+step,Qt::CaseSensitive,backward);
}
if(endLine>-1){
line=doc->line(endLine).text();
int start=line.indexOf(searchWord);
cursor.moveTo(endLine,start);
cursor.movePosition(searchWord.length(),QDocumentCursor::Right,QDocumentCursor::KeepAnchor);
cursor.removeSelectedText();
cursor.moveTo(startLine,startCol); // move cursor back to text edit pos
}
}
}
currentEditorView()->editor->document()->endMacro();
}else{
currentEditorView()->editor->document()->beginMacro();
cursor.movePosition(1,QDocumentCursor::EndOfWord);
cursor.movePosition(1,QDocumentCursor::StartOfWord,QDocumentCursor::KeepAnchor);
cursor.movePosition(1,QDocumentCursor::Left,QDocumentCursor::KeepAnchor);
cursor.removeSelectedText();
// remove curly brakets as well
if(cursor.nextChar()==QChar('{')){
cursor.deleteChar();
line=cursor.line().text();
int col=cursor.columnNumber();
int i=findClosingBracket(line,col);
if(i>-1) {
cursor.moveTo(cursor.lineNumber(),i);
cursor.deleteChar();
cursor.moveTo(cursor.lineNumber(),col);
}
}
currentEditorView()->editor->document()->endMacro();
}
break;
default:
//cursor.movePosition(1,QDocumentCursor::StartOfWord);
cursor.select(QDocumentCursor::WordUnderCursor);
cursor.removeSelectedText();
break;
}
currentEditorView()->editor->setCursor(cursor);
}
void Texmaker::editGotoDefinition(){
if (!currentEditorView()) return;
QDocumentCursor c=currentEditor()->cursor();
QString command, value;
switch (latexParser.findContext(c.line().text(), c.columnNumber(), command, value)) {
case LatexParser::Reference:
currentEditorView()->gotoToLabel(value);
break;
default:; //TODO: Jump to command definition and in bib files
}
}
void Texmaker::editHardLineBreak(){
if (!currentEditorView()) return;
UniversalInputDialog dialog;
dialog.addVariable(&configManager.lastHardWrapColumn, tr("Insert hard line breaks after so many characters:"));
dialog.addVariable(&configManager.lastHardWrapSmartScopeSelection, tr("Smart scope selecting"));
dialog.addVariable(&configManager.lastHardWrapJoinLines, tr("Join lines before wrapping"));
if (dialog.exec()==QDialog::Accepted)
currentEditorView()->insertHardLineBreaks(configManager.lastHardWrapColumn, configManager.lastHardWrapSmartScopeSelection, configManager.lastHardWrapJoinLines);
}
void Texmaker::editHardLineBreakRepeat() {
if (!currentEditorView()) return;
currentEditorView()->insertHardLineBreaks(configManager.lastHardWrapColumn, configManager.lastHardWrapSmartScopeSelection, configManager.lastHardWrapJoinLines);
}
void Texmaker::editSpell() {
if (!currentEditorView()) {
txsWarning(tr("No document open"));
return;
}
if (!spellDlg) spellDlg=new SpellerDialog(this, spellerManager.getSpeller(currentEditorView()->getSpeller()));
spellDlg->setEditorView(currentEditorView());
spellDlg->startSpelling();
}
void Texmaker::editThesaurus(int line,int col) {
if (!ThesaurusDialog::retrieveDatabase()) {
QMessageBox::warning(this,tr("Error"), tr("Can't load Thesaurus Database"));
return;
}
ThesaurusDialog *thesaurusDialog=new ThesaurusDialog(this);
QString word;
if (currentEditorView()) {
QDocumentCursor m_cursor=currentEditorView()->editor->cursor();
if(line>-1 && col>-1){
m_cursor.moveTo(line,col);
}
if(m_cursor.hasSelection()) word=m_cursor.selectedText();
else {
m_cursor.select(QDocumentCursor::WordUnderCursor);
word=m_cursor.selectedText();
}
word=latexToPlainWord(word);
thesaurusDialog->setSearchWord(word);
if (thesaurusDialog->exec()){
QString replace=thesaurusDialog->getReplaceWord();
m_cursor.insertText(replace);
}
}
delete thesaurusDialog;
}
void Texmaker::editChangeLineEnding() {
if (!currentEditorView()) return;
QAction *action = qobject_cast<QAction *>(sender());
if (!action) return;
currentEditorView()->editor->document()->setLineEnding(QDocument::LineEnding(action->data().toInt()));
UpdateCaption();
}
void Texmaker::editSetupEncoding() {
if (!currentEditorView()) return;
EncodingDialog enc(this,currentEditorView()->editor);
enc.exec();
UpdateCaption();
}
void Texmaker::editInsertUnicode(){
if (!currentEditorView()) return;
QDocumentCursor c=currentEditor()->cursor();
if (!c.isValid()) return;
if (c.hasSelection()) {
c.removeSelectedText();
currentEditor()->setCursor(c);
}
QPoint offset;
UnicodeInsertion * uid = new UnicodeInsertion (currentEditorView());
if (!currentEditor()->getPositionBelowCursor(offset, uid->width(), uid->height())){
delete uid;
return;
}
connect(uid, SIGNAL(insertCharacter(QString)), currentEditor(), SLOT(insertText(QString)));
connect(uid, SIGNAL(destroyed()), currentEditor(), SLOT(setFocus()));
connect(currentEditor(), SIGNAL(cursorPositionChanged()), uid, SLOT(close()));
connect(currentEditor(), SIGNAL(visibleLinesChanged()), uid, SLOT(close()));
connect(currentEditor()->document(), SIGNAL(()), uid, SLOT(close()));
uid->move(currentEditor()->mapTo(uid->parentWidget(), offset));
this->unicodeInsertionDialog = uid;
uid->show();
uid->setFocus();
}
void Texmaker::editIndentSection() {
StructureEntry *entry=LatexDocumentsModel::indexToStructureEntry(structureTreeView->currentIndex());
if (!entry || !entry->document->getEditorView()) return;
EditorView->setCurrentWidget(entry->document->getEditorView());
QDocumentSelection sel = entry->document->sectionSelection(entry);
// replace list
QStringList m_replace;
m_replace << "\\subparagraph" << "\\paragraph" << "\\subsubsection" << "\\subsection" << "\\section" << "\\chapter";
// replace sections
QString m_line;
QDocumentCursor m_cursor=currentEditorView()->editor->cursor();
for (int l=sel.startLine; l<sel.endLine; l++) {
currentEditorView()->editor->setCursorPosition(l,0);
m_cursor=currentEditorView()->editor->cursor();
m_line=currentEditorView()->editor->cursor().line().text();
QString m_old="";
foreach(const QString& elem,m_replace) {
if (m_old!="") m_line.replace(elem,m_old);
m_old=elem;
}
m_cursor.movePosition(1,QDocumentCursor::EndOfLine, QDocumentCursor::KeepAnchor);
currentEditor()->setCursor(m_cursor);
currentEditor()->insertText(m_line);
}
}
void Texmaker::editUnIndentSection() {
StructureEntry *entry=LatexDocumentsModel::indexToStructureEntry(structureTreeView->currentIndex());
if (!entry || !entry->document->getEditorView()) return;
EditorView->setCurrentWidget(entry->document->getEditorView());
QDocumentSelection sel = entry->document->sectionSelection(entry);
QStringList m_replace;
m_replace << "\\chapter" << "\\section" << "\\subsection" << "\\subsubsection" << "\\paragraph" << "\\subparagraph" ;
// replace sections
QString m_line;
QDocumentCursor m_cursor=currentEditorView()->editor->cursor();
for (int l=sel.startLine; l<sel.endLine; l++) {
currentEditorView()->editor->setCursorPosition(l,0);
m_cursor=currentEditorView()->editor->cursor();
m_line=currentEditorView()->editor->cursor().line().text();
QString m_old="";
foreach(const QString& elem,m_replace) {
if (m_old!="") m_line.replace(elem,m_old);
m_old=elem;
}
m_cursor.movePosition(1,QDocumentCursor::EndOfLine, QDocumentCursor::KeepAnchor);
currentEditor()->setCursor(m_cursor);
currentEditor()->insertText(m_line);
}
}
void Texmaker::editSectionCopy() {
// called by action
StructureEntry *entry=LatexDocumentsModel::indexToStructureEntry(structureTreeView->currentIndex());
if (!entry || !entry->document->getEditorView()) return;
EditorView->setCurrentWidget(entry->document->getEditorView());
QDocumentSelection sel = entry->document->sectionSelection(entry);
editSectionCopy(sel.startLine+1,sel.endLine);
}
void Texmaker::editSectionCut() {
// called by action
StructureEntry *entry=LatexDocumentsModel::indexToStructureEntry(structureTreeView->currentIndex());
if (!entry || !entry->document->getEditorView()) return;
EditorView->setCurrentWidget(entry->document->getEditorView());
QDocumentSelection sel = entry->document->sectionSelection(entry);
editSectionCut(sel.startLine+1,sel.endLine);
//UpdateStructure();
}
void Texmaker::editSectionCopy(int startingLine, int endLine) {
if (!currentEditorView()) return;
currentEditorView()->editor->setCursorPosition(startingLine-1,0);
QDocumentCursor m_cursor=currentEditorView()->editor->cursor();
//m_cursor.movePosition(1, QDocumentCursor::NextLine, QDocumentCursor::KeepAnchor);
m_cursor.setSilent(true);
m_cursor.movePosition(endLine-startingLine, QDocumentCursor::NextLine, QDocumentCursor::KeepAnchor);
m_cursor.movePosition(0,QDocumentCursor::EndOfLine,QDocumentCursor::KeepAnchor);
currentEditorView()->editor->setCursor(m_cursor);
currentEditorView()->editor->copy();
}
void Texmaker::editSectionCut(int startingLine, int endLine) {
if (!currentEditorView()) return;
currentEditorView()->editor->setCursorPosition(startingLine-1,0);
QDocumentCursor m_cursor=currentEditorView()->editor->cursor();
m_cursor.setSilent(true);
m_cursor.movePosition(endLine-startingLine, QDocumentCursor::NextLine, QDocumentCursor::KeepAnchor);
m_cursor.movePosition(0,QDocumentCursor::EndOfLine,QDocumentCursor::KeepAnchor);
currentEditorView()->editor->setCursor(m_cursor);
currentEditorView()->editor->cut();
}
void Texmaker::editSectionPasteBefore() {
StructureEntry *entry=LatexDocumentsModel::indexToStructureEntry(structureTreeView->currentIndex());
if (!entry || !entry->document->getEditorView()) return;
EditorView->setCurrentWidget(entry->document->getEditorView());
editSectionPasteBefore(entry->getRealLineNumber());
//UpdateStructure();
}
void Texmaker::editSectionPasteAfter() {
StructureEntry *entry=LatexDocumentsModel::indexToStructureEntry(structureTreeView->currentIndex());
if (!entry || !entry->document->getEditorView()) return;
EditorView->setCurrentWidget(entry->document->getEditorView());
QDocumentSelection sel=entry->document->sectionSelection(entry);
editSectionPasteAfter(sel.endLine);
//UpdateStructure();
}
void Texmaker::editSectionPasteAfter(int line) {
REQUIRE(currentEditorView());
if (line>=currentEditorView()->editor->document()->lines()) {
currentEditorView()->editor->setCursorPosition(line-1,0);
QDocumentCursor c=currentEditorView()->editor->cursor();
c.movePosition(1,QDocumentCursor::End,QDocumentCursor::MoveAnchor);
currentEditor()->setCursor(c);
currentEditor()->insertText("\n");
} else {
currentEditor()->setCursorPosition(line,0);
currentEditor()->insertText("\n");
currentEditor()->setCursorPosition(line,0);
}
currentEditorView()->paste();
}
void Texmaker::editSectionPasteBefore(int line) {
REQUIRE(currentEditor());
currentEditor()->setCursorPosition(line,0);
currentEditor()->insertText("\n");
currentEditor()->setCursorPosition(line,0);
currentEditorView()->paste();
}
/////////////// CONFIG ////////////////////
void Texmaker::ReadSettings() {
QuickDocumentDialog::registerOptions(configManager);
buildManager.registerOptions(configManager);
configManager.registerOption("Files/Default File Filter", &selectedFileFilter);
configManager.registerOption("User/Templates",&userTemplatesList);
configManager.buildManager=&buildManager;
scriptengine::buildManager=&buildManager;
scriptengine::app=this;
QSettings *config=configManager.readSettings();
completionBaseCommandsUpdated=true;
config->beginGroup("texmaker");
QRect screen = QApplication::desktop()->screenGeometry();
int w= config->value("Geometries/MainwindowWidth",screen.width()-100).toInt();
int h= config->value("Geometries/MainwindowHeight",screen.height()-100).toInt() ;
int x= config->value("Geometries/MainwindowX",10).toInt();
int y= config->value("Geometries/MainwindowY",10).toInt() ;
resize(w,h);
// in case desktop has changed since last run
while (x>screen.width() && screen.width() > 0) x-=screen.width();
while (y>screen.height() && screen.height() > 0) y-=screen.height();
move(x,y);
windowstate=config->value("MainWindowState").toByteArray();
stateFullScreen=config->value("MainWindowFullssscreenState").toByteArray();
tobemaximized=config->value("MainWindow/Maximized",false).toBool();
tobefullscreen=config->value("MainWindow/FullScreen",false).toBool();
documents.model->setSingleDocMode(config->value("StructureView/SingleDocMode",false).toBool());
//import old
for (int i=1; i<=5; i++) {
QString temp = config->value(QString("User/Tool%1").arg(i),"").toString();
if (!temp.isEmpty()) {
configManager.userToolCommand << temp;
configManager.userToolMenuName << config->value(QString("User/ToolName%1").arg(i),"").toString();
config->remove(QString("User/Tool%1").arg(i));
config->remove(QString("User/ToolName%1").arg(i));
}
}
latexParser.structureCommands.clear();
if(config->value("Structure/Structure Level 1","").toString()==""){
latexParser.structureCommands << "\\part" << "\\chapter" << "\\section" << "\\subsection" << "\\subsubsection";
}else{
int i=0;
QString elem;
while((elem=config->value("Structure/Structure Level "+QString::number(i+1),"").toString())!=""){
if (!elem.startsWith("\\")) elem=elem.prepend("\\");
latexParser.structureCommands << elem;
i++;
}
}
spellerManager.setIgnoreFilePrefix(configManager.configFileNameBase);
spellerManager.setDictPath(configManager.spellDictDir);
spellerManager.setDefaultSpeller(configManager.spellLanguage);
ThesaurusDialog::prepareDatabase(configManager.thesaurus_database);
MapForSymbols= new QVariantMap;
*MapForSymbols=config->value("Symbols/Quantity").toMap();
hiddenLeftPanelWidgets=config->value("Symbols/hiddenlists","").toString();
symbolFavorites=config->value("Symbols/Favorite IDs",QStringList()).toStringList();
configManager.editorKeys = QEditor::getEditOperations(false); //this will also initialize the default keys
configManager.editorAvailableOperations=QEditor::getAvailableOperations();
if (config->value("Editor/Use Tab for Move to Placeholder",false).toBool()) {
//import deprecated option
QEditor::addEditOperation(QEditor::NextPlaceHolder, Qt::ControlModifier, Qt::Key_Tab);
QEditor::addEditOperation(QEditor::PreviousPlaceHolder, Qt::ShiftModifier | Qt::ControlModifier, Qt::Key_Backtab);
QEditor::addEditOperation(QEditor::CursorWordLeft, Qt::ControlModifier, Qt::Key_Left);
QEditor::addEditOperation(QEditor::CursorWordRight, Qt::ControlModifier, Qt::Key_Right);
};
config->beginGroup("Editor Key Mapping");
QStringList sl = config->childKeys();
if (!sl.empty()) {
foreach (const QString& key, sl)
configManager.editorKeys.insert(key.toInt(), config->value(key).toInt());
QEditor::setEditOperations(configManager.editorKeys);
}
config->endGroup();
config->endGroup();
config->beginGroup("formats");
m_formats = new QFormatFactory(":/qxs/defaultFormats.qxf", this); //load default formats from resource file
m_formats->load(*config,true); //load customized formats
config->endGroup();
// read usageCount from file of its own.
LatexCompleterConfig *conf=configManager.completerConfig;
QFile file(configManager.configBaseDir+"wordCount.usage");
if(file.open(QIODevice::ReadOnly)){
QDataStream in(&file);
quint32 magicNumer,version;
in >> magicNumer >> version;
if (magicNumer==(quint32)0xA0B0C0D0 && version==1){
in.setVersion(QDataStream::Qt_4_0);
uint key;
int length,usage;
while (!in.atEnd()) {
in >> key >> length >> usage;
if(usage>0){
conf->usage.insert(key,qMakePair(length,usage));
}
}
}
}
documents.settingsRead();
configManager.editorConfig->settingsChanged();
}
void Texmaker::SaveSettings(const QString& configName) {
bool asProfile=!configName.isEmpty();
configManager.centralVisible=centralToolBar->isVisible();
// update completion usage
LatexCompleterConfig *conf=configManager.completerConfig;
QSettings *config=configManager.saveSettings(configName);
config->beginGroup("texmaker");
QList<int> sizes;
QList<int>::Iterator it;
if(!asProfile){
if(isFullScreen()){
config->setValue("MainWindowState",windowstate);
config->setValue("MainWindowFullssscreenState",saveState(1));
}else {
config->setValue("MainWindowState",saveState(0));
config->setValue("MainWindowFullssscreenState",stateFullScreen);
}
config->setValue("MainWindow/Maximized", isMaximized());
config->setValue("MainWindow/FullScreen", isFullScreen());
config->setValue("Geometries/MainwindowWidth", width());
config->setValue("Geometries/MainwindowHeight", height());
config->setValue("Geometries/MainwindowX", x());
config->setValue("Geometries/MainwindowY", y());
config->setValue("Files/RestoreSession",ToggleRememberAct->isChecked());
//always store session for manual reload
QStringList curFiles;//store in order
QList<QVariant> firstLines,curCols,curRows;
for (int i=0; i<EditorView->count(); i++) {
LatexEditorView *ed=qobject_cast<LatexEditorView *>(EditorView->widget(i));
if (ed) {
curFiles.append(ed->editor->fileName());
curCols.append(ed->editor->cursor().columnNumber());
curRows.append(ed->editor->cursor().lineNumber());
firstLines.append(ed->editor->getFirstVisibleLine());
}
}
config->setValue("Files/Session/Files",curFiles);
config->setValue("Files/Session/curCols",curCols);
config->setValue("Files/Session/curRows",curRows);
config->setValue("Files/Session/firstLines",firstLines);
config->setValue("Files/Session/CurrentFile",currentEditorView()?currentEditor()->fileName():"");
config->setValue("Files/Session/MasterFile",documents.singleMode()?"":documents.masterDocument->getFileName());
}
for(int i=0;i<struct_level.count();i++)
config->setValue("Structure/Structure Level "+QString::number(i+1),struct_level[i]);
MapForSymbols->clear();
foreach(QTableWidgetItem *elem,symbolMostused){
int cnt=elem->data(Qt::UserRole).toInt();
if (cnt<1) continue;
QString text=elem->data(Qt::UserRole+2).toString();
if(MapForSymbols->value(text).toInt()>cnt) cnt=MapForSymbols->value(text).toInt();
MapForSymbols->insert(text,cnt);
}
config->setValue("Symbols/Quantity",*MapForSymbols);
config->setValue("Symbols/Favorite IDs",symbolFavorites);
config->setValue("Symbols/hiddenlists",leftPanel->hiddenWidgets());
config->setValue("StructureView/SingleDocMode",documents.model->getSingleDocMode());
QHash<int, int> keys = QEditor::getEditOperations(true);
config->remove("Editor/Use Tab for Move to Placeholder");
config->beginGroup("Editor Key Mapping");
if (!keys.empty() || !config->childKeys().empty()) {
config->remove("");
QHash<int, int>::const_iterator i = keys.begin();
while (i != keys.constEnd()) {
config->setValue(QString::number(i.key()), i.value());
++i;
}
}
config->endGroup();
config->endGroup();
config->beginGroup("formats");
QFormatFactory defaultFormats(":/qxs/defaultFormats.qxf", this); //load default formats from resource file
m_formats->save(*config,&defaultFormats);
config->endGroup();
// save usageCount in file of its own.
if(!asProfile){
QFile file(configManager.configBaseDir+"wordCount.usage");
if(file.open(QIODevice::WriteOnly)){
QDataStream out(&file);
out << (quint32)0xA0B0C0D0; //magic number
out << (qint32)1; //version
out.setVersion(QDataStream::Qt_4_0);
QMap<uint, QPair<int,int> >::const_iterator i = conf->usage.constBegin();
while (i != conf->usage.constEnd()) {
QPair<int,int> elem=i.value();
if(elem.second>0){
out << i.key();
out << elem.first;
out << elem.second;
}
++i;
}
}
}
if (asProfile)
delete config;
}
////////////////// STRUCTURE ///////////////////
void Texmaker::ShowStructure() {
leftPanel->setCurrentWidget(structureTreeView);
}
void Texmaker::updateStructure(bool initial) {
// collect user define tex commands for completer
// initialize List
if (!currentEditorView() || !currentEditorView()->document) return;
if(initial){
int len=currentEditorView()->document->lineCount();
currentEditorView()->document->patchStructure(0,len);
}
else {
currentEditorView()->document->updateStructure();
}
updateCompleter();
cursorPositionChanged();
//structureTreeView->reset();
}
void Texmaker::clickedOnStructureEntry(const QModelIndex & index){
const StructureEntry* entry = LatexDocumentsModel::indexToStructureEntry(index);
if (!entry) return;
if (!entry->document) return;
if (QApplication::mouseButtons()==Qt::RightButton) return; // avoid jumping to line if contextmenu is called
switch (entry->type){
case StructureEntry::SE_DOCUMENT_ROOT:
if (entry->document->getEditorView())
EditorView->setCurrentWidget(entry->document->getEditorView());
else
load(entry->document->getFileName());
break;
case StructureEntry::SE_OVERVIEW:
break;
case StructureEntry::SE_SECTION:
case StructureEntry::SE_MAGICCOMMENT:
case StructureEntry::SE_TODO:
case StructureEntry::SE_LABEL:{
int lineNr=-1;
mDontScrollToItem = entry->type!=StructureEntry::SE_SECTION;
LatexEditorView* edView=entry->document->getEditorView();
if (!entry->document->getEditorView()){
lineNr=entry->getRealLineNumber();
edView=load(entry->document->getFileName());
if (!edView) return;
//entry is now invalid
} else lineNr=LatexDocumentsModel::indexToStructureEntry(index)->getRealLineNumber();
EditorView->setCurrentWidget(edView);
edView->editor->setFocus();
edView->editor->setCursorPosition(lineNr,1);
break;
}
case StructureEntry::SE_INCLUDE:
case StructureEntry::SE_BIBTEX:{
QString defaultExt=entry->type==StructureEntry::SE_BIBTEX?".bib":".tex";
openExternalFile(entry->title,defaultExt,entry->document);
break;
}
}
}
void Texmaker::editRemovePlaceHolders(){
if (!currentEditor()) return;
for (int i=currentEditor()->placeHolderCount();i>=0;i--)
currentEditor()->removePlaceHolder(i);
currentEditor()->viewport()->update();
}
//////////TAGS////////////////
void Texmaker::NormalCompletion() {
if (!currentEditorView()) return;
if(mCompleterNeedsUpdate) updateCompleter();
// complete text if no command is present
QDocumentCursor c = currentEditorView()->editor->cursor();
QString eow=getCommonEOW();
int i=0;
int col=c.columnNumber();
QString word=c.line().text();
while (c.columnNumber()>0 && !eow.contains(c.previousChar())) {
c.movePosition(1,QDocumentCursor::PreviousCharacter);
i++;
}
QString command,value;
LatexParser::ContextType ctx=latexParser.findContext(word, c.columnNumber(), command, value);
switch(ctx){
case LatexParser::Command:
currentEditorView()->complete(LatexCompleter::CF_FORCE_VISIBLE_LIST);
break;
case LatexParser::Environment:
currentEditorView()->complete(LatexCompleter::CF_FORCE_VISIBLE_LIST);
break;
case LatexParser::Reference:
currentEditorView()->complete(LatexCompleter::CF_FORCE_VISIBLE_LIST | LatexCompleter::CF_FORCE_REF);
break;
case LatexParser::Option:
if(latexParser.graphicsIncludeCommands.contains(command)){
QString fn=documents.getCompileFileName();
QFileInfo fi(fn);
completer->setWorkPath(fi.absolutePath());
currentEditorView()->complete(LatexCompleter::CF_FORCE_VISIBLE_LIST | LatexCompleter::CF_FORCE_GRAPHIC);
break;
} else {}; //fall through
default:
if (i>1) {
QString my_text=currentEditorView()->editor->text();
int end=0;
int k=0; // number of occurences of search word.
word=word.mid(col-i,i);
//TODO: Boundary needs to specified more exactly
//TODO: type in text needs to be excluded, if not already present
QSet<QString> words;
while ((i=my_text.indexOf(QRegExp("\\b"+word),end))>0) {
end=my_text.indexOf(QRegExp("\\b"),i+1);
if (end>i) {
if (word==my_text.mid(i,end-i)) {
k=k+1;
if (k==2) words << my_text.mid(i,end-i);
} else {
if (!words.contains(my_text.mid(i,end-i)))
words << my_text.mid(i,end-i);
}
} else {
if (word==my_text.mid(i,end-i)) {
k=k+1;
if (k==2) words << my_text.mid(i,end-i);
} else {
if (!words.contains(my_text.mid(i,end-i)))
words << my_text.mid(i,my_text.length()-i);
}
}
}
completer->setAdditionalWords(words, true);
currentEditorView()->complete(LatexCompleter::CF_FORCE_VISIBLE_LIST | LatexCompleter::CF_NORMAL_TEXT);
}
}
}
void Texmaker::InsertEnvironmentCompletion() {
if (!currentEditorView()) return;
if(mCompleterNeedsUpdate) updateCompleter();
QDocumentCursor c = currentEditorView()->editor->cursor();
if(c.hasSelection()){
currentEditor()->cutBuffer=c.selectedText();
c.removeSelectedText();
}
QString eow=getCommonEOW();
while (c.columnNumber()>0 && !eow.contains(c.previousChar())) c.movePosition(1,QDocumentCursor::PreviousCharacter);
static const QString environmentStart = "\\begin{";
if (!c.line().text().left(c.columnNumber()).endsWith(environmentStart)){
c.insertText(environmentStart);//remaining part is up to the completion engine
}
currentEditorView()->complete(LatexCompleter::CF_FORCE_VISIBLE_LIST);
}
// tries to complete normal text
// only starts up if already 2 characters have been typed in
void Texmaker::InsertTextCompletion() {
if (!currentEditorView()) return;
QDocumentCursor c = currentEditorView()->editor->cursor();
QString eow=getCommonEOW();
int i=0;
int col=c.columnNumber();
QString word=c.line().text();
while (c.columnNumber()>0 && !eow.contains(c.previousChar())) {
c.movePosition(1,QDocumentCursor::PreviousCharacter);
i++;
}
if (i>1) {
QString my_text=currentEditorView()->editor->text();
int end=0;
int k=0; // number of occurences of search word.
word=word.mid(col-i,i);
//TODO: Boundary needs to specified more exactly
//TODO: type in text needs to be excluded, if not already present
QSet<QString> words;
while ((i=my_text.indexOf(QRegExp("\\b"+word),end))>0) {
end=my_text.indexOf(QRegExp("\\b"),i+1);
if (end>i) {
if (word==my_text.mid(i,end-i)) {
k=k+1;
if (k==2) words << my_text.mid(i,end-i);
} else {
if (!words.contains(my_text.mid(i,end-i)))
words << my_text.mid(i,end-i);
}
} else {
if (word==my_text.mid(i,end-i)) {
k=k+1;
if (k==2) words << my_text.mid(i,end-i);
} else {
if (!words.contains(my_text.mid(i,end-i)))
words << my_text.mid(i,my_text.length()-i);
}
}
}
completer->setAdditionalWords(words, true);
currentEditorView()->complete(LatexCompleter::CF_FORCE_VISIBLE_LIST | LatexCompleter::CF_NORMAL_TEXT);
}
}
void Texmaker::InsertTag(QString Entity, int dx, int dy) {
if (!currentEditorView()) return;
int curline,curindex;
currentEditor()->getCursorPosition(curline,curindex);
currentEditor()->insertText(Entity);
if (dy==0) currentEditor()->setCursorPosition(curline,curindex+dx);
else if (dx==0) currentEditor()->setCursorPosition(curline+dy,0);
else currentEditor()->setCursorPosition(curline+dy,curindex+dx);
currentEditor()->setFocus();
// outputView->setMessage("");
//logViewerTabBar->setCurrentIndex(0);
//OutputTable->hide();
//logpresent=false;
}
void Texmaker::InsertSymbolPressed(QTableWidgetItem *) {
mb=QApplication::mouseButtons();
}
void Texmaker::InsertSymbol(QTableWidgetItem *item) {
if (mb==Qt::RightButton) return; // avoid jumping to line if contextmenu is called
QString code_symbol;
if (item) {
int cnt=item->data(Qt::UserRole).toInt();
if(item->data(Qt::UserRole+1).isValid()) {
item=item->data(Qt::UserRole+1).value<QTableWidgetItem*>();
cnt=item->data(Qt::UserRole).toInt();
}
item->setData(Qt::UserRole,cnt+1);
code_symbol=item->text();
InsertTag(code_symbol,code_symbol.length(),0);
SetMostUsedSymbols(item);
}
}
void Texmaker::InsertXmlTag(QListWidgetItem *item)
{
if (!currentEditorView()) return;
if (item && !item->font().bold()){
QString code=item->data(Qt::UserRole).toString();
QDocumentCursor c = currentEditorView()->editor->cursor();
CodeSnippet(code).insertAt(currentEditorView()->editor,&c);
currentEditorView()->editor->setFocus();
}
}
void Texmaker::insertXmlTagFromToolButtonAction(){
if (!currentEditorView()) return;
QAction *action = qobject_cast<QAction *>(sender());
if (!action) return;
QToolButton *button = comboToolButtonFromAction(action);
if (!button) return;
button->setDefaultAction(action);
QString tagsID = button->property("tagsID").toString();
int tagCategorySep=tagsID.indexOf("/",5);
XmlTagsListWidget* tagsWidget = findChild<XmlTagsListWidget*>(tagsID.left(tagCategorySep));
if (!tagsWidget) return;
QString code=tagsWidget->tagsFromTagTxt(action->text());
CodeSnippet(code).insert(currentEditorView()->editor);
currentEditorView()->editor->setFocus();
}
void Texmaker::callToolButtonAction(){
QAction *action = qobject_cast<QAction *>(sender());
QToolButton *button = comboToolButtonFromAction(action);
REQUIRE(button && button->defaultAction() && button->menu());
button->setDefaultAction(action);
QString menuID = button->property("menuID").toString();
QMenu* menu=configManager.getManagedMenu(menuID);
if (!menu) return;
int index = button->menu()->actions().indexOf(action);
REQUIRE(index >= 0);
REQUIRE(index < menu->actions().size());
menu->actions()[index]->trigger();
}
void Texmaker::InsertFromAction() {
if (!currentEditorView()) return;
QAction *action = qobject_cast<QAction *>(sender());
if (action) {
if(completer->isVisible())
completer->close();
QDocumentCursor c = currentEditorView()->editor->cursor();
CodeSnippet cs=CodeSnippet(action->data().toString());
cs.insertAt(currentEditorView()->editor,&c);
outputView->setMessage(CodeSnippet(action->whatsThis()).lines.join("\n"));
}
}
void Texmaker::InsertBib() {
if (!currentEditorView()) return;
//currentEditorView()->editor->viewport()->setFocus();
QString tag;
tag=QString("\\bibliography{");
tag +=currentEditor()->fileInfo().completeBaseName();
tag +=QString("}\n");
InsertTag(tag,0,1);
outputView->setMessage(QString("The argument to \\bibliography refers to the bib file (without extension)\n")+
"which should contain your database in BibTeX format.\n"+
"TeXstudio inserts automatically the base name of the TeX file");
}
void Texmaker::InsertStruct() {
QString actData, tag;
if (!currentEditorView()) return;
//currentEditorView()->editor->viewport()->setFocus();
QAction *action = qobject_cast<QAction *>(sender());
if (action) {
actData=action->data().toString();
StructDialog *stDlg = new StructDialog(this,actData);
if (stDlg->exec()) {
if (stDlg->ui.checkBox->isChecked()) {
tag=actData+"{";
} else {
tag=actData+"*{";
}
tag +=stDlg->ui.TitlelineEdit->text();
tag +=QString("}\n");
InsertTag(tag,0,1);
//updateStructure(); automatically done
}
}
}
void Texmaker::QuickTabular() {
if (!currentEditorView()) return;
QString al="";
QString vs="";
QString hs="";
QString tag;
TabDialog *quickDlg = new TabDialog(this,"Tabular");
//TODO: move this in tabdialog.h
QTableWidgetItem *item=new QTableWidgetItem();
if (quickDlg->exec()) {
int y = quickDlg->ui.spinBoxRows->value();
int x = quickDlg->ui.spinBoxColumns->value();
if ((quickDlg->ui.comboSeparator->currentIndex())==0) vs=QString("|");
if ((quickDlg->ui.comboSeparator->currentIndex())==1) vs=QString("||");
if ((quickDlg->ui.comboSeparator->currentIndex())==2) vs=QString("");
if ((quickDlg->ui.comboSeparator->currentIndex())==3) vs=QString("@{}");
tag = QString("\\begin{tabular}{")+vs;
if ((quickDlg->ui.comboAlignment->currentIndex())==0) al=QString("c")+vs;
if ((quickDlg->ui.comboAlignment->currentIndex())==1) al=QString("l")+vs;
if ((quickDlg->ui.comboAlignment->currentIndex())==2) al=QString("r")+vs;
if ((quickDlg->ui.comboAlignment->currentIndex())==3) al=QString("p{}")+vs;
if ((quickDlg->ui.comboAlignment->currentIndex())==4) al=QString(">{\\centering\\arraybackslash}p{}")+vs;
if ((quickDlg->ui.comboAlignment->currentIndex())==5) al=QString(">{\\raggedleft\\arraybackslash}p{}")+vs;
if (quickDlg->ui.checkBox->isChecked()) {
hs=QString("\\hline ");
if (quickDlg->ui.checkBoxMargin->isChecked()) hs+="\\rule[-2ex]{0pt}{5.5ex} ";
}
for (int j=0; j<x; j++) {
tag +=al;
}
tag +=QString("}\n");
for (int i=0; i<y; i++) {
tag +=hs;
for (int j=0; j<x-1; j++) {
item =quickDlg->ui.tableWidget->item(i,j);
if (item) tag +=item->text()+ QString(" & ");
else tag +=QString(" & ");
}
item =quickDlg->ui.tableWidget->item(i,x-1);
if (item) tag +=item->text()+ QString(" \\\\ \n");
else tag +=QString(" \\\\ \n");
}
if (quickDlg->ui.checkBox->isChecked()) tag +=QString("\\hline \n\\end{tabular} ");
else tag +=QString("\\end{tabular} ");
InsertTag(tag,0,0);
}
}
void Texmaker::QuickArray() {
if (!currentEditorView()) return;
//TODO: move this in arraydialog class
QString al;
ArrayDialog *arrayDlg = new ArrayDialog(this,"Array");
QTableWidgetItem *item=new QTableWidgetItem();
if (arrayDlg->exec()) {
int y = arrayDlg->ui.spinBoxRows->value();
int x = arrayDlg->ui.spinBoxColumns->value();
QString env=arrayDlg->ui.comboEnvironment->currentText();
QString tag = QString("\\begin{")+env+"}";
if (env=="array") {
tag+="{";
if ((arrayDlg->ui.comboAlignment->currentIndex())==0) al=QString("c");
if ((arrayDlg->ui.comboAlignment->currentIndex())==1) al=QString("l");
if ((arrayDlg->ui.comboAlignment->currentIndex())==2) al=QString("r");
for (int j=0; j<x; j++) {
tag +=al;
}
tag+="}";
}
tag +=QString("\n");
for (int i=0; i<y-1; i++) {
for (int j=0; j<x-1; j++) {
item =arrayDlg->ui.tableWidget->item(i,j);
if (item) tag +=item->text()+ QString(" & ");
else tag +=QString(" & ");
}
item =arrayDlg->ui.tableWidget->item(i,x-1);
if (item) tag +=item->text()+ QString(" \\\\ \n");
else tag +=QString(" \\\\ \n");
}
for (int j=0; j<x-1; j++) {
item =arrayDlg->ui.tableWidget->item(y-1,j);
if (item) tag +=item->text()+ QString(" & ");
else tag +=QString(" & ");
}
item =arrayDlg->ui.tableWidget->item(y-1,x-1);
if (item) tag +=item->text()+ QString("\n\\end{")+env+"} ";
else tag +=QString("\n\\end{")+env+"} ";
InsertTag(tag,0,0);
}
}
void Texmaker::QuickGraphics(const QString &graphicsFile) {
if (!currentEditorView()) return;
InsertGraphics *graphicsDlg = new InsertGraphics(this, configManager.insertGraphicsConfig);
QEditor *editor = currentEditor();
int startLine, endLine, cursorLine, cursorCol;
editor->getCursorPosition(cursorLine, cursorCol);
QDocument* doc=editor->document();
QDocumentCursor cur = currentEditor()->cursor();
QDocumentCursor origCur = cur;
origCur.setAutoUpdated(true);
cur.beginEditBlock();
bool hasCode = false;
if (findEnvironmentLines(doc, "figure", cursorLine, startLine, endLine, 20)) {
cur.moveTo(startLine, 0, QDocumentCursor::MoveAnchor);
cur.moveTo(endLine+1, 0, QDocumentCursor::KeepAnchor);
hasCode = true;
} else if (findEnvironmentLines(doc, "figure*", cursorLine, startLine, endLine, 20)) {
cur.moveTo(startLine, 0, QDocumentCursor::MoveAnchor);
cur.moveTo(endLine+1, 0, QDocumentCursor::KeepAnchor);
hasCode = true;
} else if (findEnvironmentLines(doc, "center", cursorLine, startLine, endLine, 3)) {
cur.moveTo(startLine, 0, QDocumentCursor::MoveAnchor);
cur.moveTo(endLine+1, 0, QDocumentCursor::KeepAnchor);
hasCode = true;
} else if (currentEditor()->text(cursorLine).contains("\\includegraphics")) {
cur.moveTo(cursorLine, 0, QDocumentCursor::MoveAnchor);
cur.moveTo(cursorLine+1, 0, QDocumentCursor::KeepAnchor);
hasCode = true;
}
if (hasCode) {
editor->setCursor(cur);
graphicsDlg->setCode(cur.selectedText());
}
QFileInfo docInfo=currentEditorView()->document->getFileInfo();
graphicsDlg->setTexFile(docInfo);
if (documents.masterDocument) graphicsDlg->setMasterTexFile(documents.masterDocument->getFileInfo());
if (!graphicsFile.isNull()) graphicsDlg->setGraphicsFile(graphicsFile);
if (graphicsDlg->exec()) {
QString code = graphicsDlg->getCode();
editor->cursor().replaceSelectedText(code);
if (editor->cursor().hasSelection()) {
editor->setCursor(cur.selectionEnd());
}
} else {
editor->setCursor(origCur);
}
cur.endEditBlock();
delete graphicsDlg;
}
void Texmaker::QuickTabbing() {
if (!currentEditorView()) return;
TabbingDialog *tabDlg = new TabbingDialog(this,"Tabbing");
if (tabDlg->exec()) {
int x = tabDlg->ui.spinBoxColumns->value();
int y = tabDlg->ui.spinBoxRows->value();
QString s=tabDlg->ui.lineEdit->text();
QString tag = QString("\\begin{tabbing}\n");
for (int j=1; j<x; j++) {
tag +="\\hspace{"+s+"}\\=";
}
tag+="\\kill\n";
for (int i=0; i<y-1; i++) {
for (int j=1; j<x; j++) {
tag +=" \\> ";
}
tag+="\\\\ \n";
}
for (int j=1; j<x; j++) {
tag +=" \\> ";
}
tag += QString("\n\\end{tabbing} ");
InsertTag(tag,0,2);
}
}
void Texmaker::QuickLetter() {
if (!currentEditorView()) {
fileNew();
if (!currentEditorView()) return;
}
QString tag=QString("\\documentclass[");
LetterDialog *ltDlg = new LetterDialog(this,"Letter");
if (ltDlg->exec()) {
tag+=ltDlg->ui.comboBoxPt->currentText()+QString(",");
tag+=ltDlg->ui.comboBoxPaper->currentText()+QString("]{letter}");
tag+=QString("\n");
if (ltDlg->ui.comboBoxEncoding->currentText()!="NONE") tag+=QString("\\usepackage[")+ltDlg->ui.comboBoxEncoding->currentText()+QString("]{inputenc}");
if (ltDlg->ui.comboBoxEncoding->currentText().startsWith("utf8x")) tag+=QString(" \\usepackage{ucs}");
tag+=QString("\n");
if (ltDlg->ui.checkBox->isChecked()) tag+=QString("\\usepackage{amsmath}\n\\usepackage{amsfonts}\n\\usepackage{amssymb}\n");
tag+="\\address{your name and address} \n";
tag+="\\signature{your signature} \n";
tag+="\\begin{document} \n";
tag+="\\begin{letter}{name and address of the recipient} \n";
tag+="\\opening{saying hello} \n \n";
tag+="write your letter here \n \n";
tag+="\\closing{saying goodbye} \n";
tag+="%\\cc{Cclist} \n";
tag+="%\\ps{adding a postscript} \n";
tag+="%\\encl{list of enclosed material} \n";
tag+="\\end{letter} \n";
tag+="\\end{document}";
if (ltDlg->ui.checkBox->isChecked()) {
InsertTag(tag,9,5);
} else {
InsertTag(tag,9,2);
}
}
}
void Texmaker::QuickDocument() {
if (!currentEditorView()) {
fileNew();
Q_ASSERT(currentEditorView());
}
QuickDocumentDialog *startDlg = new QuickDocumentDialog(this,tr("Quick Start"));
startDlg->Init();
if (startDlg->exec()) {
Q_ASSERT(currentEditor());
currentEditor()->insertText(startDlg->getNewDocumentText());
QTextCodec* codec = LatexParser::QTextCodecForLatexName(startDlg->document_encoding);
if (codec && codec != currentEditor()->document()->codec()){
currentEditor()->document()->setCodec(codec);
UpdateCaption();
}
}
delete startDlg;
}
void Texmaker::InsertBibEntryFromAction(){
if (!currentEditorView()) return;
QAction* action=qobject_cast<QAction*>(sender());
if (!action) return;
QString insertText=BibTeXDialog::textToInsert(action->data().toString());
if (!insertText.isEmpty())
CodeSnippet(insertText).insert(currentEditor());
}
void Texmaker::InsertBibEntry(const QString& id){
QStringList possibleBibFiles;
int usedFile=0;
if (currentEditor()){
if (currentEditor()->fileName().isEmpty())
possibleBibFiles.prepend(tr("<current file>"));
else {
usedFile=documents.mentionedBibTeXFiles.indexOf(currentEditor()->fileName());
if (usedFile<0 && !documents.mentionedBibTeXFiles.empty()) usedFile=0;
}
}
foreach (const QString &s, documents.mentionedBibTeXFiles)
possibleBibFiles << QFileInfo(s).fileName();
BibTeXDialog* bd=new BibTeXDialog(0,possibleBibFiles,usedFile,id);
if (bd->exec()){
usedFile=bd->resultFileId;
if (usedFile<0 || usedFile>=possibleBibFiles.count()) fileNew();
else if (currentEditor()->fileName().isEmpty() && usedFile==0); //stay in current editor
else if (QFileInfo(currentEditor()->fileName())==QFileInfo(possibleBibFiles[usedFile])); //stay in current editor
else {
if (currentEditor()->fileName().isEmpty()) usedFile--;
load(documents.mentionedBibTeXFiles[usedFile]);
currentEditor()->setCursorPosition(currentEditor()->document()->lines()-1,0);
bd->resultString="\n"+bd->resultString;
}
CodeSnippet(bd->resultString).insert(currentEditor());
}
delete bd;
}
void Texmaker::insertUserTag() {
QAction *action = qobject_cast<QAction *>(sender());
if (!action) return;
int id = action->data().toInt();
const QString& userTag=configManager.completerConfig->userMacro.value(id,Macro()).tag;
insertUserTag(userTag);
}
void Texmaker::insertUserTag(const QString& macro){
if (!currentEditorView()) return;
currentEditorView()->insertMacro(macro);
}
void Texmaker::EditUserMenu() {
if (!userMacroDialog) {
userMacroDialog = new UserMenuDialog(0,tr("Edit User &Tags"),m_languages);
foreach (const Macro& m, configManager.completerConfig->userMacro) {
if(m.name=="TMX:Replace Quote Open" || m.name=="TMX:Replace Quote Close")
continue;
userMacroDialog->names << m.name;
userMacroDialog->tags << m.tag;
userMacroDialog->abbrevs << m.abbrev;
userMacroDialog->triggers << m.trigger;
}
userMacroDialog->init();
connect(userMacroDialog, SIGNAL(accepted()), SLOT(userMacroDialogAccepted()));
connect(userMacroDialog, SIGNAL(runScript(QString)), SLOT(insertUserTag(QString)));
}
userMacroDialog->show();
userMacroDialog->setFocus();
}
void Texmaker::userMacroDialogAccepted(){
configManager.completerConfig->userMacro.clear();
Q_ASSERT(userMacroDialog->names.size() == userMacroDialog->tags.size());
Q_ASSERT(userMacroDialog->names.size() == userMacroDialog->abbrevs.size());
Q_ASSERT(userMacroDialog->names.size() == userMacroDialog->triggers.size());
for (int i=0;i<userMacroDialog->names.size();i++)
configManager.completerConfig->userMacro.append(Macro(userMacroDialog->names[i], userMacroDialog->tags[i], userMacroDialog->abbrevs[i], userMacroDialog->triggers[i]));
configManager.updateUserMacroMenu();
completer->updateAbbreviations();
userMacroDialog->deleteLater();
userMacroDialog = 0;
}
void Texmaker::InsertRef() {
//updateStructure();
LatexEditorView* edView=currentEditorView();
QStringList labels;
if(edView && edView->document){
QList<LatexDocument*> docs;
if (documents.singleMode()) docs << edView->document;
else docs << documents.documents;
foreach(const LatexDocument* doc,docs)
labels << doc->labelItems();
} else return;
UniversalInputDialog dialog;
dialog.addVariable(&labels, tr("Labels:"));
if (dialog.exec() && !labels.isEmpty()) {
QString tag="\\ref{"+labels.first()+"}";
InsertTag(tag,tag.length(),0);
} else InsertTag("\\ref{}",5,0);
outputView->setMessage("\\ref{key}");
}
void Texmaker::InsertPageRef() {
//updateStructure();
LatexEditorView* edView=currentEditorView();
QStringList labels;
if(edView && edView->document){
QList<LatexDocument*> docs;
if (documents.singleMode()) docs << edView->document;
else docs << documents.documents;
foreach(const LatexDocument* doc,docs)
labels << doc->labelItems();
} else return;
UniversalInputDialog dialog;
dialog.addVariable(&labels, tr("Labels:"));
if (dialog.exec() && !labels.isEmpty()) {
QString tag="\\pageref{"+labels.first()+"}";
InsertTag(tag,tag.length(),0);
} else InsertTag("\\pageref{}",9,0);
outputView->setMessage("\\pageref{key}");
}
void Texmaker::EditorSpellerChanged(const QString &name) {
foreach (QAction *act, statusTbLanguage->actions()) {
if (act->data().toString() == name) {
act->setChecked(true);
}
}
if (name == "<default>") {
statusTbLanguage->setText(spellerManager.defaultSpellerName());
} else {
statusTbLanguage->setText(name);
}
}
void Texmaker::ChangeEditorSpeller() {
QAction *action = qobject_cast<QAction *>(sender());
if (!action) return;
if (!currentEditorView()) return;
currentEditorView()->setSpeller(action->data().toString());
}
void Texmaker::InsertSpellcheckMagicComment() {
if (currentEditorView()) {
QString name = currentEditorView()->getSpeller();
if (name=="<default>") {
name = spellerManager.defaultSpellerName();
}
currentEditorView()->document->updateMagicComment("spellcheck", name, true);
}
}
///////////////TOOLS////////////////////
void Texmaker::runCommand(BuildManager::LatexCommand cmd, RunCommandFlags flags){
switch (cmd){
case BuildManager::CMD_LATEX:
flags = flags | RCF_VIEW_LOG;
break;
case BuildManager::CMD_PDFLATEX:
flags = flags | RCF_VIEW_LOG | RCF_CHANGE_PDF;
break;
default:
break;
}
bool startViewer = cmd==BuildManager::CMD_VIEWDVI || cmd==BuildManager::CMD_VIEWPS || cmd==BuildManager::CMD_VIEWPDF;
if (startViewer && configManager.singleViewerInstance)
flags |= RCF_SINGLE_INSTANCE;
runCommand(buildManager.getLatexCommand(cmd),flags);
}
void Texmaker::runCommand(const QString& commandline, RunCommandFlags flags, QString *buffer) {
QString finame=documents.getTemporaryCompileFileName();
if (finame=="" && !(flags&RCF_NO_DOCUMENT)) {
QMessageBox::warning(this,tr("Error"),tr("Can't detect the file name"));
return;
}
if (commandline.trimmed().isEmpty()) {
ERRPROCESS=true;
outputView->insertMessageLine("Error : no command given \n");
return;
}
if (!(flags & RCF_IS_RERUN_CALL)) {
if (commandline.trimmed().startsWith(BuildManager::TXS_INTERNAL_PDF_VIEWER)) {
#ifndef NO_POPPLER_PREVIEW
QString pdfFile = BuildManager::parseExtendedCommandLine("?am.pdf", finame).first();
QString externalViewer = buildManager.getLatexCommand(BuildManager::CMD_VIEWPDF);
if (externalViewer.startsWith(BuildManager::TXS_INTERNAL_PDF_VIEWER)) {
externalViewer.remove(0,BuildManager::TXS_INTERNAL_PDF_VIEWER.length());
if (externalViewer.startsWith('/')) externalViewer.remove(0,1);
}
externalViewer = BuildManager::parseExtendedCommandLine(externalViewer, finame, getCurrentFileName(),currentEditorView()->editor->cursor().lineNumber()+1).first();
if (PDFDocument::documentList().isEmpty()) {
newPdfPreviewer();
Q_ASSERT(!PDFDocument::documentList().isEmpty());
}
foreach (PDFDocument* viewer, PDFDocument::documentList()) {
viewer->loadFile(pdfFile,externalViewer);
int pg=viewer->syncFromSource(getCurrentFileName(), currentEditorView()->editor->cursor().lineNumber(), true);
viewer->fillRenderCache(pg);
}
#else
txsCritical(tr("You have called the command to open the internal pdf viewer.\nHowever, you are using a version of TeXstudio that was compiled without the internal pdf viewer."));
#endif
return;
}
// check for locking of pdf
if((flags & RCF_CHANGE_PDF) && configManager.autoCheckinAfterSave){
QFileInfo fi(finame);
QString basename=fi.baseName();
QString path=fi.path();
fi.setFile(path+"/"+basename+".pdf");
if(fi.exists() && !fi.isWritable()){
//pdf not writeable, needs locking ?
svnLock(fi.filePath());
}
}
}
if (configManager.rerunLatex > 0 && (flags & RCF_VIEW_LOG)) {
if (!(flags & RCF_IS_RERUN_CALL)) {
remainingReRunCount = configManager.rerunLatex;
lastReRunWasBibTeX = false;
rerunCommand = commandline;
rerunFlags = flags | RCF_IS_RERUN_CALL;
} else
remainingReRunCount--;
} else {
remainingReRunCount = 0;
lastReRunWasBibTeX = false;
}
QList<ProcessX*> procs = buildManager.newProcesses(commandline,finame,getCurrentFileName(),currentEditorView()->editor->cursor().lineNumber()+1,flags & RCF_SINGLE_INSTANCE);
if (procs.isEmpty()) return; //a singleInstance that is already running
foreach (ProcessX* procX, procs) {
procX->setBuffer(buffer);
connect(procX, SIGNAL(readyReadStandardError()),this, SLOT(readFromStderr()));
if (procX->showStdout())
procX->setShowStdout((configManager.showStdoutOption == 2) || (RCF_SHOW_STDOUT & flags));
if (procX->showStdout() || buffer)
connect(procX, SIGNAL(readyReadStandardOutput()),this, SLOT(readFromStdoutput()));
connect(procX, SIGNAL(finished(int)),this, SLOT(SlotEndProcess(int)));
if (flags & RCF_VIEW_LOG) ClearMarkers();
outputView->resetMessages();
if (flags & RCF_VIEW_LOG && configManager.showLogAfterCompiling)
connect(procX,SIGNAL(finished(int)),this,SLOT(ViewLogOrReRun()));
//OutputTextEdit->insertLine(commandline+"\n");
FINPROCESS = false;
procX->startCommand();
if (!procX->waitForStarted(1000)) {
ERRPROCESS=true;
return;
}
if (flags & RCF_WAIT_FOR_FINISHED || procX != procs.last()) {
QApplication::setOverrideCursor(QCursor(Qt::WaitCursor));
QTime time;
time.start();
KILLPROCESS=false;
PROCESSRUNNING=true;
while (!FINPROCESS) {
qApp->instance()->processEvents(QEventLoop::ExcludeUserInputEvents);
if (time.elapsed()>2000)
qApp->instance()->processEvents(QEventLoop::AllEvents);
if (KILLPROCESS) {
procX->kill();
FINPROCESS=ERRPROCESS=true;
break;
}
}
PROCESSRUNNING=false;
QApplication::restoreOverrideCursor();
}
}
}
void Texmaker::RunPreCompileCommand() {
outputView->resetMessagesAndLog();//log to old (whenever latex is called)
if (!buildManager.getLatexCommand(BuildManager::CMD_USER_PRECOMPILE).isEmpty()) {
statusLabelProcess->setText(QString(" %1 ").arg(tr("Pre-LaTeX")));
runCommand(BuildManager::CMD_USER_PRECOMPILE, RCF_WAIT_FOR_FINISHED);
}
if (configManager.runLaTeXBibTeXLaTeX) {
LatexDocument* master = currentEditorView()->document->getTopMasterDocument();
REQUIRE(master);
QList<LatexDocument*> docs = master->getListOfDocs();
QSet<QString> bibFiles;
foreach (const LatexDocument* doc, docs)
foreach (const FileNamePair& bf, doc->mentionedBibTeXFiles())
bibFiles.insert(bf.absolute);
if (bibFiles == master->lastCompiledBibTeXFiles) {
QFileInfo bbl(BuildManager::parseExtendedCommandLine("?am.bbl", documents.getTemporaryCompileFileName()).first());
if (bbl.exists()) {
bool bibFilesChanged = false;
QDateTime bblChanged = bbl.lastModified();
foreach (const QString& bf, bibFiles){
//qDebug() << bf << ": "<<QFileInfo(bf).lastModified()<<" "<<bblChanged;
if (QFileInfo(bf).exists() && QFileInfo(bf).lastModified() > bblChanged) {
bibFilesChanged = true;
break;
}
}
if (!bibFilesChanged) return;
}
} else master->lastCompiledBibTeXFiles = bibFiles;
ERRPROCESS=false;
statusLabelProcess->setText(QString(" %1 ").arg(tr("LaTeX","Status")));
runCommand(BuildManager::CMD_LATEX, RCF_WAIT_FOR_FINISHED);
if (ERRPROCESS && !LogExists()) {
if (!QFileInfo(QFileInfo(documents.getTemporaryCompileFileName()).absolutePath()).isWritable())
txsWarning(tr("You cannot compile the document in a non writable directory."));
else
txsWarning(tr("Could not start LaTeX."));
return;
}
if (NoLatexErrors()) {
ERRPROCESS=false;
statusLabelProcess->setText(QString(" %1 ").arg(tr("BibTeX")));
runCommand(BuildManager::CMD_BIBTEX,RCF_WAIT_FOR_FINISHED);
if (!ERRPROCESS) {
statusLabelProcess->setText(QString(" %1 ").arg(tr("LaTeX","Status")));
runCommand(BuildManager::CMD_LATEX,RCF_WAIT_FOR_FINISHED);
}
}
}
}
void Texmaker::readFromStderr() {
ProcessX* procX = qobject_cast<ProcessX*> (sender());
if (!procX) return;
QByteArray result=procX->readAllStandardError();
QString t=QString(result).simplified();
if (!t.isEmpty()) outputView->insertMessageLine(t+"\n");
}
void Texmaker::readFromStdoutput() {
ProcessX* procX = qobject_cast<ProcessX*> (sender());
if (!procX) return;
QByteArray result=procX->readAllStandardOutput();
QString t=QString(result).trimmed();
QString *buffer=procX->getBuffer();
if(buffer) buffer->append(t);
if (procX->showStdout())
outputView->insertMessageLine(t+"\n");
}
void Texmaker::SlotEndProcess(int err) {
ProcessX* procX = qobject_cast<ProcessX*> (sender());
FINPROCESS=true;
if (err) ERRPROCESS=true;
statusLabelProcess->setText(QString(" %1 ").arg(tr("Ready")));
if(!procX) return;
QString *buffer=procX->getBuffer();
if(buffer){
QByteArray result=procX->readAllStandardOutput();
QString t=QString(result).trimmed();
buffer->append(t);
}
}
void Texmaker::processNotification(const QString& message){
outputView->insertMessageLine(message+"\n");
}
void Texmaker::QuickBuild() {
fileSaveAll(buildManager.saveFilesBeforeCompiling==BuildManager::SFBC_ALWAYS, buildManager.saveFilesBeforeCompiling==BuildManager::SFBC_ONLY_CURRENT_OR_NAMED);
if (documents.getTemporaryCompileFileName()=="") {
if (buildManager.saveFilesBeforeCompiling==BuildManager::SFBC_ONLY_NAMED && currentEditorView()){
QString tmpName = buildManager.createTemporaryFileName();
currentEditor()->saveCopy(tmpName);
currentEditorView()->document->setTemporaryFileName(tmpName);
} else {
QMessageBox::warning(this,tr("Error"),tr("Can't detect the file name.\nYou have to save a document before you can compile it."));
return;
}
}
RunPreCompileCommand();
statusLabelProcess->setText(QString(" %1 ").arg(tr("Quick Build")));
ERRPROCESS=false;
QList<BuildManager::LatexCommand> cmddList;
if (buildManager.quickmode >= 1 && buildManager.quickmode <= BuildManager::getQuickBuildCommandCount())
cmddList = BuildManager::getQuickBuildCommands(buildManager.quickmode);
if (!cmddList.isEmpty()) {
for (int i=0; i < cmddList.size() - 1; i++) { //skip last command
BuildManager::LatexCommand cmd = cmddList[i];
statusLabelProcess->setText(QString(" %1 ").arg(BuildManager::commandDisplayName(cmd)));
runCommand(cmd, RCF_WAIT_FOR_FINISHED);
if (cmd == BuildManager::CMD_LATEX || cmd == BuildManager::CMD_PDFLATEX) {
if (ERRPROCESS && !LogExists()) {
if (!QFileInfo(QFileInfo(documents.getTemporaryCompileFileName()).absolutePath()).isWritable())
txsWarning(tr("You cannot compile the document in a non writable directory."));
else
txsWarning(tr("Could not start %1.").arg(BuildManager::commandDisplayName(cmd)));
return;
}
if (!NoLatexErrors()) return;
}
if (ERRPROCESS) return;
}
runCommand(cmddList.last(), 0);
return;
}
REQUIRE(buildManager.quickmode == 8); //user quick mode
runCommandList(buildManager.getLatexCommand(BuildManager::CMD_USER_QUICK).split("|"),0);
ViewLog();
}
void Texmaker::runCommandList(const QStringList& commandList, const RunCommandFlags& additionalFlags){
ERRPROCESS = false;
for (int i = 0; i < commandList.size(); ++i) {
if (commandList.at(i).trimmed().isEmpty()) continue;
bool isLatex = commandList.at(i).contains("latex") || commandList.at(i)==buildManager.getLatexCommand(BuildManager::CMD_LATEX) || commandList.at(i)==buildManager.getLatexCommand(BuildManager::CMD_PDFLATEX);
bool isPdfLatex = commandList.at(i).contains("pdflatex") || commandList.at(i)==buildManager.getLatexCommand(BuildManager::CMD_PDFLATEX);
RunCommandFlags flags = additionalFlags;
if (isLatex) flags |= RCF_VIEW_LOG;
if (isPdfLatex) flags |= RCF_CHANGE_PDF;
if (isLatex || i != commandList.size()-1) flags |= RCF_WAIT_FOR_FINISHED;
if (!ERRPROCESS) runCommand(commandList.at(i),flags);
else break;
}
}
void Texmaker::commandFromAction(){
QAction* act = qobject_cast<QAction*>(sender());
if (!act) return;
fileSaveAll(buildManager.saveFilesBeforeCompiling==BuildManager::SFBC_ALWAYS, buildManager.saveFilesBeforeCompiling==BuildManager::SFBC_ONLY_CURRENT_OR_NAMED);
if (documents.getTemporaryCompileFileName()=="") {
if (buildManager.saveFilesBeforeCompiling==BuildManager::SFBC_ONLY_NAMED && currentEditorView()){
QString tmpName = buildManager.createTemporaryFileName();
currentEditor()->saveCopy(tmpName);
currentEditorView()->document->setTemporaryFileName(tmpName);
} else {
QMessageBox::warning(this,tr("Error"),tr("Can't detect the file name.\nYou have to save a document before you can compile it."));
return;
}
}
BuildManager::LatexCommand cmd=(BuildManager::LatexCommand) act->data().toInt();
bool compileLatex=(cmd==BuildManager::CMD_LATEX || cmd==BuildManager::CMD_PDFLATEX);
if (compileLatex)
RunPreCompileCommand();
QString status=act->text();
status.remove(QChar('&'));
statusLabelProcess->setText(QString(" %1 ").arg(status));
runCommand(cmd, 0);
}
void Texmaker::CleanAll() {
//QString finame=documents.getCompileFileName();
QStringList finames;
LatexEditorView* edView=currentEditorView();
if(edView && edView->document){
// determine from which docs data needs to be collected
QList<LatexDocument*> docs=edView->document->getListOfDocs();
// collect user commands and references
foreach(const LatexDocument* doc,docs){
if(!doc->getFileName().isEmpty())
finames << doc->getFileName();
}
}
if (finames.isEmpty()) {
QMessageBox::warning(this,tr("Error"),tr("Can't detect the file name"));
return;
}
QString extensionStr=".log,.aux,.dvi,.lof,.lot,.bit,.idx,.glo,.bbl,.ilg,.toc,.ind,.out,.blg";
int query =QMessageBox::warning(this, TEXSTUDIO, tr("Delete the output files generated by LaTeX?")+QString("\n(%1)").arg(extensionStr),tr("Delete Files"), tr("Cancel"));
if (query==0) {
//fileSave();
statusLabelProcess->setText(QString(" %1 ").arg(tr("Clean")));
foreach(const QString& finame,finames){
QFileInfo fi(finame);
QString basename=fi.absolutePath()+"/"+fi.completeBaseName();
QStringList extension=extensionStr.split(",");
foreach(const QString& ext, extension)
QFile::remove(basename+ext);
}
statusLabelProcess->setText(QString(" %1 ").arg(tr("Ready")));
}
}
void Texmaker::UserTool() {
QAction *action = qobject_cast<QAction *>(sender());
if (!action) return;
QString cmd=configManager.userToolCommand.value(action->data().toInt(),"");
if (cmd.isEmpty()) return;
fileSaveAll(buildManager.saveFilesBeforeCompiling==BuildManager::SFBC_ALWAYS, buildManager.saveFilesBeforeCompiling==BuildManager::SFBC_ONLY_CURRENT_OR_NAMED);
if (documents.getTemporaryCompileFileName()=="") {
if (buildManager.saveFilesBeforeCompiling==BuildManager::SFBC_ONLY_NAMED && currentEditorView()){
QString tmpName = buildManager.createTemporaryFileName();
currentEditor()->saveCopy(tmpName);
currentEditorView()->document->setTemporaryFileName(tmpName);
} else {
QMessageBox::warning(this,tr("Error"),tr("Can't detect the file name.\nYou have to save a document before you can compile it."));
return;
}
}
RunCommandFlags flags;
if (configManager.showStdoutOption >= 1) flags |= RCF_SHOW_STDOUT;
runCommandList(cmd.split("|"), flags);
}
void Texmaker::EditUserTool() {
UserToolDialog utDlg(this,tr("Edit User &Commands"), &buildManager);
utDlg.Name = configManager.userToolMenuName;
utDlg.Tool = configManager.userToolCommand;
utDlg.init();
if (utDlg.exec()) {configManager.updateRecentFiles();
configManager.userToolMenuName = utDlg.Name;
configManager.userToolCommand = utDlg.Tool;
configManager.updateUserToolMenu();
}
}
void Texmaker::WebPublish() {
if (!currentEditorView()) {
txsWarning(tr("No document open"));
return;
}
if (!currentEditorView()->editor->getFileCodec()) return;
fileSave();
QString finame=documents.getCompileFileName();
WebPublishDialog *ttwpDlg = new WebPublishDialog(this,configManager.webPublishDialogConfig, &buildManager,
currentEditorView()->editor->getFileCodec());
ttwpDlg->ui.inputfileEdit->setText(finame);
ttwpDlg->exec();
delete ttwpDlg;
}
void Texmaker::WebPublishSource(){
if (!currentEditor()) return;
QDocumentCursor cur = currentEditor()->cursor();
QString html = currentEditor()->document()->exportAsHtml(cur.hasSelection()?cur:QDocumentCursor(), true);
fileNew(getCurrentFileName()+".html");
currentEditor()->insertText(html);
/*QLabel* htmll = new QLabel(html, this);
htmll->show();
htmll->resize(300,300);*/
}
void Texmaker::AnalyseText() {
if (!currentEditorView()) {
txsWarning(tr("No document open"));
return;
}
if (!textAnalysisDlg) {
textAnalysisDlg = new TextAnalysisDialog(this,tr("Text Analysis"));
connect(textAnalysisDlg,SIGNAL(destroyed()),this,SLOT(AnalyseTextFormDestroyed()));
}
if (!textAnalysisDlg) return;
textAnalysisDlg->setEditor(currentEditorView()->editor);//->document(), currentEditorView()->editor->cursor());
textAnalysisDlg->init();
textAnalysisDlg->interpretStructureTree(currentEditorView()->document->baseStructure);
textAnalysisDlg->show();
textAnalysisDlg->raise(); //not really necessary, since the dlg is always on top
textAnalysisDlg->activateWindow();
}
void Texmaker::AnalyseTextFormDestroyed() {
textAnalysisDlg=0;
}
void Texmaker::GenerateRandomText(){
if (!currentEditorView()){
txsWarning(tr("The random text generator constructs new texts from existing words, so you have to open some text files"));
return;
}
QStringList allLines;
for (int i=0;i<EditorView->count();i++)
allLines<<(qobject_cast<LatexEditorView*>(EditorView->widget(i)))->editor->document()->textLines();
RandomTextGenerator generator(this, allLines);
generator.exec();
}
//////////////// MESSAGES - LOG FILE///////////////////////
bool Texmaker::LogExists() {
QString finame=documents.getTemporaryCompileFileName();
if (finame=="")
return false;
QString logname=getAbsoluteFilePath(QFileInfo(finame).completeBaseName(),".log");
QFileInfo fic(logname);
if (fic.exists() && fic.isReadable()) return true;
else return false;
}
//shows the log (even if it is empty)
void Texmaker::RealViewLog(bool noTabChange) {
ViewLog(noTabChange);
outputView->showLogOrErrorList(noTabChange);
}
//shows the log if there are errors
void Texmaker::ViewLog(bool noTabChange) {
outputView->resetLog(noTabChange);
QString finame=documents.getTemporaryCompileFileName();
if (finame=="") {
QMessageBox::warning(this,tr("Error"),tr("File must be saved and compiling before you can view the log"));
ERRPROCESS=true;
return;
}
QString logname=getAbsoluteFilePath(QFileInfo(finame).completeBaseName(),".log");
QString line;
QFileInfo fic(logname);
if (fic.exists() && fic.isReadable()) {
//OutputLogTextEdit->insertLine("LOG FILE :");
outputView->loadLogFile(logname,documents.getTemporaryCompileFileName());
//display errors in editor
DisplayLatexError();
if (outputView->getLogModel()->found(LT_ERROR))
if (!gotoNearLogEntry(LT_ERROR,false,tr("No LaTeX errors detected !"))) //jump to next error
gotoNearLogEntry(LT_ERROR,true,tr("No LaTeX errors detected !")); //prev error
} else if (!fic.exists()) txsWarning(tr("Log File not found !"));
else txsWarning(tr("Log File is not readable!"));
}
void Texmaker::ViewLogOrReRun(){
ViewLog();
if (NoLatexErrors() && remainingReRunCount > 0) {
if (outputView->getLogModel()->existsReRunWarning() || lastReRunWasBibTeX) {
lastReRunWasBibTeX = false;
runCommand(rerunCommand, rerunFlags);
} else if (configManager.runLaTeXBibTeXLaTeX) {
//run bibtex if citation is unknown to bibtex but contained in an included bib file
QStringList missingCitations = outputView->getLogModel()->getMissingCitations();
bool runBibTeX = false;
foreach (const QString & s,missingCitations) {
for (int i=0; i<documents.mentionedBibTeXFiles.count();i++){
if (!documents.bibTeXFiles.contains(documents.mentionedBibTeXFiles[i])) continue;
BibTeXFileInfo& bibTex=documents.bibTeXFiles[documents.mentionedBibTeXFiles[i]];
for (int i=0; i<bibTex.ids.count();i++)
if (bibTex.ids[i] == s) {
runBibTeX = true;
break;
}
if (runBibTeX) break;
}
}
if (runBibTeX){
lastReRunWasBibTeX = true;
runCommand(buildManager.getLatexCommand(BuildManager::CMD_BIBTEX), RunCommandFlags(RCF_VIEW_LOG) | RCF_IS_RERUN_CALL);
}
}
}
}
////////////////////////// ERRORS /////////////////////////////
void Texmaker::DisplayLatexError() {
int errorMarkID = QLineMarksInfoCenter::instance()->markTypeId("error");
int warningMarkID = QLineMarksInfoCenter::instance()->markTypeId("warning");
int badboxMarkID = QLineMarksInfoCenter::instance()->markTypeId("badbox");
for (int i=0; i<EditorView->count(); i++) {
LatexEditorView *ed=qobject_cast<LatexEditorView *>(EditorView->widget(i));
if (ed) {
ed->editor->document()->removeMarks(errorMarkID);
ed->editor->document()->removeMarks(warningMarkID);
ed->editor->document()->removeMarks(badboxMarkID);
ed->logEntryToLine.clear();
ed->lineToLogEntries.clear();
}
}
//backward, so the more important marks (with lower indices) will be inserted last and
//returned first be QMultiHash.value
LatexLogModel* logModel = outputView->getLogModel();
QHash<QString, LatexEditorView*> tempFilenames; //temporary maps the filenames (as they appear in this log!) to the editor
for (int i = logModel->count()-1; i >= 0; i--)
if (logModel->at(i).oldline!=-1){
LatexEditorView* edView;
if (tempFilenames.contains(logModel->at(i).file)) edView=tempFilenames.value(logModel->at(i).file);
else{
edView=getEditorViewFromFileName(logModel->at(i).file, true);
tempFilenames[logModel->at(i).file]=edView;
}
if (edView) {
QDocumentLine l=edView->editor->document()->line(logModel->at(i).oldline-1);
if (logModel->at(i).type==LT_ERROR) l.addMark(errorMarkID);
else if (logModel->at(i).type==LT_WARNING) l.addMark(warningMarkID);
else if (logModel->at(i).type==LT_BADBOX) l.addMark(badboxMarkID);
edView->lineToLogEntries.insert(l.handle(),i);
edView->logEntryToLine[i]=l.handle();
}
}
}
bool Texmaker::NoLatexErrors() {
return !outputView->getLogModel()->found(LT_ERROR);
}
bool Texmaker::gotoNearLogEntry(int lt, bool backward, QString notFoundMessage) {
if (!outputView->logPresent()) {
ViewLog();
}
if (outputView->logPresent()) {
if (outputView->getLogModel()->found((LogType) lt)){
outputView->showErrorListOrLog(); //always show log if a mark of this type exists (even if is in another file)
return gotoMark(backward, outputView->getLogModel()->markID((LogType) lt));
} else {
txsInformation(notFoundMessage);
//OutputTextEdit->setCursorPosition(0 , 0);
}
}
return false;
}
void Texmaker::ClearMarkers(){
int errorMarkID = QLineMarksInfoCenter::instance()->markTypeId("error");
int warningMarkID = QLineMarksInfoCenter::instance()->markTypeId("warning");
int badboxMarkID = QLineMarksInfoCenter::instance()->markTypeId("badbox");
for (int i=0; i<EditorView->count(); i++) {
LatexEditorView *ed=qobject_cast<LatexEditorView *>(EditorView->widget(i));
if (ed) {
ed->editor->document()->removeMarks(errorMarkID);
ed->editor->document()->removeMarks(warningMarkID);
ed->editor->document()->removeMarks(badboxMarkID);
//ed->logEntryToLine.clear();
//ed->lineToLogEntries.clear();
}
}
}
//////////////// HELP /////////////////
void Texmaker::LatexHelp() {
QString latexHelp=findResourceFile("latexhelp.html");
if (latexHelp=="")
QMessageBox::warning(this,tr("Error"),tr("File not found"));
else if (!QDesktopServices::openUrl("file:///"+latexHelp))
QMessageBox::warning(this,tr("Error"),tr("Could not open browser"));
}
void Texmaker::UserManualHelp() {
QString locale = QString(QLocale::system().name()).left(2);
if (locale.length() < 2 || locale!="fr") locale = "en";
QString latexHelp=findResourceFile("usermanual_"+locale+".html");
if (latexHelp=="")
QMessageBox::warning(this,tr("Error"),tr("File not found"));
else if (!QDesktopServices::openUrl("file:///"+latexHelp))
QMessageBox::warning(this,tr("Error"),tr("Could not open browser"));
}
void Texmaker::HelpAbout() {
AboutDialog *abDlg = new AboutDialog(0); //if parent!=0 the focus is wrong after pdf viewer about call
abDlg->exec();
delete abDlg;
}
////////////// OPTIONS //////////////////////////////////////
void Texmaker::GeneralOptions() {
QMap<QString,QVariant> oldCustomEnvironments = configManager.customEnvironments;
bool oldModernStyle = modernStyle;
bool oldSystemTheme = useSystemTheme;
autosaveTimer.stop();
m_formats->modified = false;
bool realtimeChecking=configManager.editorConfig->realtimeChecking;
bool inlineSpellChecking=configManager.editorConfig->inlineSpellChecking;
bool inlineCitationChecking=configManager.editorConfig->inlineCitationChecking;
bool inlineReferenceChecking=configManager.editorConfig->inlineReferenceChecking;
bool inlineSyntaxChecking=configManager.editorConfig->inlineSyntaxChecking;
QStringList loadFiles=configManager.completerConfig->getLoadedFiles();
if (configManager.execConfigDialog()) {
configManager.editorConfig->settingsChanged();
spellerManager.setDictPath(configManager.spellDictDir);
spellerManager.setDefaultSpeller(configManager.spellLanguage);
if (configManager.autodetectLoadedFile) QDocument::setDefaultCodec(0);
else QDocument::setDefaultCodec(configManager.newFileEncoding);
ThesaurusDialog::prepareDatabase(configManager.thesaurus_database);
//update highlighting ???
bool updateHighlighting=(inlineSpellChecking!=configManager.editorConfig->inlineSpellChecking);
updateHighlighting|=(inlineCitationChecking!=configManager.editorConfig->inlineCitationChecking);
updateHighlighting|=(inlineReferenceChecking!=configManager.editorConfig->inlineReferenceChecking);
updateHighlighting|=(inlineSyntaxChecking!=configManager.editorConfig->inlineSyntaxChecking);
updateHighlighting|=(realtimeChecking!=configManager.editorConfig->realtimeChecking);
// check for change in load completion files
QStringList newLoadedFiles=configManager.completerConfig->getLoadedFiles();
foreach(const QString& elem,newLoadedFiles){
if(loadFiles.removeAll(elem)==0)
updateHighlighting=true;
if(updateHighlighting)
break;
}
if(!loadFiles.isEmpty())
updateHighlighting=true;
buildManager.clearPreviewPreambleCache();//possible changed latex command / preview behaviour
if (currentEditorView()) {
for (int i=0; i<EditorView->count();i++) {
LatexEditorView* edView=qobject_cast<LatexEditorView*>(EditorView->widget(i));
if (edView) {
edView->updateSettings();
if(updateHighlighting){
if(configManager.editorConfig->realtimeChecking){
edView->updateLtxCommands();
edView->documentContentChanged(0,edView->document->lines());
}else{
edView->clearOverlays();
}
}
}
}
if (m_formats->modified)
QDocument::setFont(QDocument::font(), true);
UpdateCaption();
}
//custom toolbar
setupToolBars();
// custom evironments
bool customEnvironmentChanged = configManager.customEnvironments != oldCustomEnvironments;
QLanguageDefinition *oldLaTeX = 0, *newLaTeX = 0;
if (customEnvironmentChanged){
QLanguageFactory::LangData m_lang=m_languages->languageData("(La)TeX");
oldLaTeX = m_lang.d;
Q_ASSERT(oldLaTeX);
QFile f(findResourceFile("qxs/tex.qnfa"));
QDomDocument doc;
doc.setContent(&f);
{
QMap<QString, QVariant>::const_iterator i;
for (i = configManager.customEnvironments.constBegin(); i != configManager.customEnvironments.constEnd(); ++i){
QString mode=configManager.enviromentModes.value(i.value().toInt(),"verbatim");
addEnvironmentToDom(doc,i.key(),mode);
}
}
//detected math envs
{
QMap<QString, QString>::const_iterator i;
for (i = detectedEnvironmentsForHighlighting.constBegin(); i != detectedEnvironmentsForHighlighting.constEnd(); ++i){
QString envMode=i.value()=="verbatim" ? "verbatim" : "numbers";
addEnvironmentToDom(doc,i.key(),envMode);
}
}
QNFADefinition::load(doc,&m_lang,dynamic_cast<QFormatScheme*>(m_formats));
m_languages->addLanguage(m_lang);
newLaTeX = m_lang.d;
Q_ASSERT(oldLaTeX != newLaTeX);
}
//completion
completionBaseCommandsUpdated=true;
completerNeedsUpdate();
completer->setConfig(configManager.completerConfig);
//update changed line mark colors
QList<QLineMarkType> &marks = QLineMarksInfoCenter::instance()->markTypes();
for (int i=0;i<marks.size();i++)
if (m_formats->format("line:"+marks[i].id).background.isValid())
marks[i].color = m_formats->format("line:"+marks[i].id).background;
else
marks[i].color = marks[i].defaultColor;
// update all docuemnts views as spellcheck may be different
QEditor::setEditOperations(configManager.editorKeys,true);
for (int i=0; i<EditorView->count();i++) {
LatexEditorView* edView=qobject_cast<LatexEditorView*>(EditorView->widget(i));
if (edView) {
QEditor* ed = edView->editor;
//if (customEnvironmentChanged) ed->highlight();
if (ed->languageDefinition() == oldLaTeX) {
ed->setLanguageDefinition(newLaTeX);
ed->highlight();
} else {
ed->document()->markFormatCacheDirty();
ed->update();
}
}
}
if (oldModernStyle != modernStyle || oldSystemTheme != useSystemTheme) {
setupMenus();
setupDockWidgets();
}
}
if(configManager.autosaveEveryMinutes>0){
autosaveTimer.start(configManager.autosaveEveryMinutes*1000*60);
}
}
void Texmaker::executeCommandLine(const QStringList& args, bool realCmdLine) {
// parse command line
QStringList filesToLoad;
bool activateMasterMode = false;
int line=-1;
#ifndef NO_POPPLER_PREVIEW
int page=-1;
bool pdfViewerOnly = false;
#endif
for (int i = 0; i < args.size(); ++i) {
if (args[i]=="") continue;
if (args[i][0] != '-') filesToLoad << args[i];
//-form is for backward compatibility
if (args[i] == "--master") activateMasterMode=true;
if (args[i] == "--line" && i+1<args.size()) line=args[++i].toInt()-1;
#ifndef NO_POPPLER_PREVIEW
if (args[i] == "--pdf-viewer-only") pdfViewerOnly = true;
if (args[i] == "--page") page = args[++i].toInt()-1;
#endif
}
#ifndef NO_POPPLER_PREVIEW
if (pdfViewerOnly) {
if (PDFDocument::documentList().isEmpty())
newPdfPreviewer();
foreach (PDFDocument* viewer, PDFDocument::documentList()) {
if (!filesToLoad.isEmpty()) viewer->loadFile(filesToLoad.first(),"");
connect(viewer,SIGNAL(destroyed()), SLOT(deleteLater()));
viewer->show();
viewer->setFocus();
if (page!=-1) viewer->goToPage(page);
}
hide();
return;
}
#endif
// execute command line
foreach(const QString& fileToLoad,filesToLoad){
QFileInfo ftl(fileToLoad);
if (fileToLoad != "") {
if (ftl.exists())
load(fileToLoad, activateMasterMode);
else if (ftl.absoluteDir().exists()) {
fileNew(ftl.absoluteFilePath());
if (activateMasterMode) {
if (documents.singleMode()) ToggleMode(); //will save the new file
else {
ToggleMode();
ToggleMode();
}
}
//return ;
}
}
}
if (line!=-1){
QApplication::processEvents();
gotoLine(line);
QTimer::singleShot(1000,currentEditor(),SLOT(ensureCursorVisible()));
}
#ifndef QT_NO_DEBUG
//execute test after command line is known
if (realCmdLine){ //only at start
QFileInfo myself(QCoreApplication::applicationFilePath());
if ((myself.lastModified()!=configManager.debugLastFileModification
|| args.contains("--execute-tests") || args.contains("--execute-all-tests"))
&& !args.contains("--disable-tests")){
fileNew();
if (!currentEditorView() || !currentEditorView()->editor)
QMessageBox::critical(0,"wtf?","test failed",QMessageBox::Ok);
//execute all tests once a week or if command paramter is set
bool allTests=args.contains("--execute-all-tests");
if (configManager.debugLastFullTestRun.daysTo(myself.lastModified())>6) allTests=true;
if (allTests) configManager.debugLastFullTestRun=myself.lastModified();
QString result=TestManager::execute(allTests?TestManager::TL_ALL:TestManager::TL_FAST, currentEditorView(),currentEditorView()->codeeditor,currentEditorView()->editor);
//currentEditorView()->editor->document()->setText(result);
currentEditorView()->editor->setText(result);
configManager.debugLastFileModification=QFileInfo(QCoreApplication::applicationFilePath()).lastModified();
}
if (args.contains("--update-translations")) {
QStringList translations;
translations << "/******************************************************************************";
translations << " * Do not manually edit this file. It is automatically generated by a call to";
translations << " * texstudio --update-translations";
translations << " * This generates some additional translations which lupdate doesn't find";
translations << " * (e.g. from uiconfig.xml, color names, qnfa format names) ";
translations << " ******************************************************************************/";
translations << "#undef UNDEFINED";
translations << "#ifdef UNDEFINED";
translations << "static const char* translations[] = {";
translations << "QT_TRANSLATE_NOOP(\"CodeSnippet_PlaceHolder\", \"num\"), ";
translations << "QT_TRANSLATE_NOOP(\"CodeSnippet_PlaceHolder\", \"den\"), ";
QRegExp commandOnly("\\\\['`^\"~=.^]?[a-zA-Z]*(\\{\\})* *"); //latex command
//copy menu item text
QFile xmlFile(":/uiconfig.xml");
xmlFile.open(QIODevice::ReadOnly);
QDomDocument xml;
xml.setContent(&xmlFile);
QDomNode current = xml.documentElement();
while (!current.isNull()) {
QDomNamedNodeMap attribs = current.attributes();
QString text = attribs.namedItem("text").nodeValue();
if (text!="" && !commandOnly.exactMatch(text))
translations << "QT_TRANSLATE_NOOP(\"ConfigManager\", \""+text.replace("\\","\\\\").replace("\"","\\\"")+"\"), ";
if (current.hasChildNodes()) current=current.firstChild();
else if (!current.nextSibling().isNull()) current=current.nextSibling();
else if (!current.parentNode().isNull()) current = current.parentNode().nextSibling();
else current = current.parentNode();
}
//copy
QFile xmlFile2(":/qxs/defaultFormats.qxf");
xmlFile2.open(QIODevice::ReadOnly);
xml.setContent(&xmlFile2);
QDomNodeList formats=xml.documentElement().elementsByTagName("format");
for (int i=0;i<formats.size();i++)
translations << "QT_TRANSLATE_NOOP(\"QFormatConfig\", \""+formats.at(i).attributes().namedItem("id").nodeValue()+"\"), ";
translations << "QT_TRANSLATE_NOOP(\"QFormatConfig\", \"normal\"),";
for (int i=0;i<configManager.managedToolBars.size();i++)
translations << "QT_TRANSLATE_NOOP(\"Texmaker\",\""+configManager.managedToolBars[i].name+"\"),";
foreach (const QString &s, m_languages->languages())
translations << "QT_TRANSLATE_NOOP(\"Texmaker\", \""+s+"\", \"Format name of language definition \"), ";
translations << "\"\"};";
translations << "#endif\n\n";
QFile translationFile("additionaltranslations.cpp");
translationFile.open(QIODevice::WriteOnly);
translationFile.write(translations.join("\n\r").toLatin1());;
translationFile.close();
}
}
#endif
}
void Texmaker::onOtherInstanceMessage(const QString &msg) { // Added slot for messages to the single instance
show();
activateWindow();
executeCommandLine(msg.split("#!#"),false);
}
void Texmaker::ToggleMode() {
//QAction *action = qobject_cast<QAction *>(sender());
if (!documents.singleMode()) documents.setMasterDocument(0);
else if (currentEditorView()) {
if (getCurrentFileName()=="")
fileSave();
if (getCurrentFileName()=="") {
QMessageBox::warning(this,tr("Error"),tr("You have to save the file before switching to master mode!"));
return;
}
documents.setMasterDocument(currentEditorView()->document);
}
completerNeedsUpdate();
}
////////////////// VIEW ////////////////
void Texmaker::gotoNextDocument() {
if (EditorView->count() <= 1) return;
int cPage = EditorView->currentIndex() + 1;
if (cPage >= EditorView->count()) EditorView->setCurrentIndex(0);
else EditorView->setCurrentIndex(cPage);
}
void Texmaker::gotoPrevDocument() {
if (EditorView->count() <= 1) return;
int cPage = EditorView->currentIndex() - 1;
if (cPage < 0) EditorView->setCurrentIndex(EditorView->count() - 1);
else EditorView->setCurrentIndex(cPage);
}
void Texmaker::gotoOpenDocument(){
QAction* act = qobject_cast<QAction*>(sender());
REQUIRE(act);
int doc = act->data().toInt();
EditorView->setCurrentIndex(doc);
}
void Texmaker::updateOpenDocumentMenu(bool localChange){
QEditor* ed = currentEditor();
//if (!ed) return;
if (localChange) {
QString id = "doc"+QString::number(EditorView->currentIndex());
QMenu* menu = configManager.getManagedMenu("main/view/documents");
configManager.newManagedAction(menu, id, ed->fileName().isEmpty() ? tr("untitled") : ed->name().replace("&","&&"), SLOT(gotoOpenDocument()));
return;
}
QStringList sl;
for (int i=0; i<EditorView->count(); i++){
ed = qobject_cast<LatexEditorView*>(EditorView->widget(i))->editor;
REQUIRE(ed);
sl << (ed->fileName().isEmpty() ? tr("untitled") : ed->name().replace("&", "&&"));
}
configManager.updateListMenu("main/view/documents", sl, "doc", false, SLOT(gotoOpenDocument()), 0, false, 0);
}
void Texmaker::viewToggleOutputView(){
bool mVis=outputView->isVisible();
outputView->setVisible(!mVis);
outputViewAction->setChecked(!mVis);
}
void Texmaker::viewCloseSomething(){
if (PROCESSRUNNING) {
KILLPROCESS=true;
return;
}
if (unicodeInsertionDialog) {
unicodeInsertionDialog->close();
return;
}
if (completer && completer->isVisible() && completer->close())
return;
if(windowState()==Qt::WindowFullScreen){
stateFullScreen=saveState(1);
setWindowState(Qt::WindowNoState);
restoreState(windowstate,0);
fullscreenModeAction->setChecked(false);
return;
}
if (textAnalysisDlg) {
textAnalysisDlg->close();
return;
}
if (currentEditorView() && currentEditorView()->closeSomething())
return;
if (outputView->isVisible() && configManager.useEscForClosingLog) {
viewToggleOutputView();
return;
}
}
void Texmaker::setFullScreenMode() {
if(!fullscreenModeAction->isChecked()) {
stateFullScreen=saveState(1);
setWindowState(Qt::WindowNoState);
restoreState(windowstate,0);
}
else {
windowstate=saveState(0);
setWindowState(Qt::WindowFullScreen);
restoreState(stateFullScreen,1);
}
}
void Texmaker::viewSetHighlighting(){
if (!currentEditor()) return;
QStringList localizedLanguages;
foreach (const QString &s, m_languages->languages()) {
localizedLanguages.append(tr(qPrintable(s)));
}
QString lang = QInputDialog::getItem(this, TEXSTUDIO, tr("New highlighting:"),
localizedLanguages,
m_languages->languages().indexOf(currentEditor()->document()->languageDefinition()?currentEditor()->document()->languageDefinition()->language():""),
false);
if (lang.isEmpty()) return;
m_languages->setLanguageFromName(currentEditor(), m_languages->languages().at(localizedLanguages.indexOf(lang)));
}
void Texmaker::viewCollapseBlock() {
if (!currentEditorView()) return;
currentEditorView()->foldBlockAt(false,currentEditorView()->editor->cursor().lineNumber());
}
void Texmaker::viewExpandBlock() {
if (!currentEditorView()) return;
currentEditorView()->foldBlockAt(true,currentEditorView()->editor->cursor().lineNumber());
}
void Texmaker::newPdfPreviewer(){
#ifndef NO_POPPLER_PREVIEW
PDFDocument* pdfviewerWindow=new PDFDocument(configManager.pdfDocumentConfig);
connect(pdfviewerWindow, SIGNAL(triggeredAbout()), SLOT(HelpAbout()));
connect(pdfviewerWindow, SIGNAL(triggeredManual()), SLOT(UserManualHelp()));
connect(pdfviewerWindow, SIGNAL(triggeredQuit()), SLOT(fileExit()));
connect(pdfviewerWindow, SIGNAL(triggeredConfigure()), SLOT(GeneralOptions()));
connect(pdfviewerWindow, SIGNAL(triggeredQuickBuild()), SLOT(QuickBuild()));
connect(pdfviewerWindow, SIGNAL(syncSource(const QString&, int, bool, QString)), SLOT(syncFromViewer(const QString &, int, bool, QString)));
connect(pdfviewerWindow, SIGNAL(runCommand(const QString&)), SLOT(runCommand(const QString&)));
connect(pdfviewerWindow, SIGNAL(triggeredClone()), SLOT(newPdfPreviewer()));
PDFDocument* from = qobject_cast<PDFDocument*>(sender());
if (from) {
pdfviewerWindow->loadFile(from->fileName(), from->externalViewer(), true,from->getGSCommand());
pdfviewerWindow->goToPage(from->widget()->getPageIndex());
}//load file before enabling sync or it will jump to the first page
foreach (PDFDocument* doc, PDFDocument::documentList()) {
if (doc == pdfviewerWindow) continue;
connect(doc, SIGNAL(syncView(QString,QString,int)), pdfviewerWindow, SLOT(syncFromView(QString,QString,int)));
connect(pdfviewerWindow, SIGNAL(syncView(QString,QString,int)), doc, SLOT(syncFromView(QString,QString,int)));
}
#endif
}
void Texmaker::masterDocumentChanged(LatexDocument * doc){
Q_UNUSED(doc);
Q_ASSERT(documents.singleMode()==!documents.masterDocument);
if (documents.singleMode()){
ToggleAct->setText(tr("Define Current Document as 'Master Document'"));
outputView->resetMessagesAndLog();
statusLabelMode->setText(QString(" %1 ").arg(tr("Normal Mode")));
} else {
QString shortName = documents.masterDocument->getFileInfo().fileName();
ToggleAct->setText(tr("Normal Mode (current master document :")+shortName+")");
statusLabelMode->setText(QString(" %1 ").arg(tr("Master Document")+ ": "+shortName));
configManager.addRecentFile(documents.masterDocument->getFileName(),true);
int pos=EditorView->currentIndex();
EditorView->moveTab(pos,0);
}
updateMasterDocumentCaption();
}
//*********************************
void Texmaker::dragEnterEvent(QDragEnterEvent *event) {
if (event->mimeData()->hasFormat("text/uri-list")) event->acceptProposedAction();
}
void Texmaker::dropEvent(QDropEvent *event) {
QRegExp rx("file:///(.*)");
QList<QUrl> uris=event->mimeData()->urls();
QString uri;
QStringList imageFormats = InsertGraphics::imageFormats();
bool alreadyMovedCursor = false;
for (int i=0; i<uris.length(); i++) {
QFileInfo fi = QFileInfo(uris.at(i).toLocalFile());
if (imageFormats.contains(fi.suffix())) {
if (!alreadyMovedCursor) {
QPoint p = currentEditor()->mapToContents(currentEditor()->mapToFrame(currentEditor()->mapFrom(this, event->pos())));
QDocumentCursor cur = currentEditor()->cursorForPosition(p);
cur.beginEditBlock();
if (!cur.atLineStart()) {
if (!cur.movePosition(1, QDocumentCursor::NextBlock, QDocumentCursor::MoveAnchor)) {
cur.movePosition(1, QDocumentCursor::EndOfBlock, QDocumentCursor::MoveAnchor);
cur.insertLine();
}
}
currentEditor()->setCursor(cur);
cur.endEditBlock();
alreadyMovedCursor = true;
}
QuickGraphics(uris.at(i).toLocalFile());
} else
load(fi.filePath());
}
event->acceptProposedAction();
raise();
}
void Texmaker::changeEvent(QEvent *e) {
switch (e->type()) {
case QEvent::LanguageChange:
if (configManager.lastLanguage==configManager.language) return; //don't update if config not changed
//QMessageBox::information(0,"rt","retranslate",0);
setupMenus();
setupDockWidgets();
UpdateCaption();
updateMasterDocumentCaption();
break;
default:
break;
}
}
//***********************************
void Texmaker::SetMostUsedSymbols(QTableWidgetItem* item) {
bool changed=false;
int index=symbolMostused.indexOf(item);
if(index<0){
//check whether it was loaded as mosteUsed ...
for(int i=0;i<symbolMostused.count();i++){
QTableWidgetItem *elem=symbolMostused.at(i);
if(elem->data(Qt::UserRole+2)==item->data(Qt::UserRole+2)){
index=i;
item->setData(Qt::UserRole+1,QVariant::fromValue(elem));
int cnt=elem->data(Qt::UserRole).toInt();
elem->setData(Qt::UserRole,cnt+1);
elem->setData(Qt::UserRole+3,QVariant::fromValue(item));//reference to original item for removing later
item=elem;
break;
}
}
if(index<0){
QTableWidgetItem *elem=item->clone();
item->setData(Qt::UserRole+1,QVariant::fromValue(elem));
elem->setData(Qt::UserRole+3,QVariant::fromValue(item));//reference to original item for removing later
symbolMostused.append(elem);
if(symbolMostused.size()<=12)
changed=true;
}
}
if(index>-1){
symbolMostused.removeAt(index);
while(index>0&&symbolMostused[index-1]->data(Qt::UserRole).toInt()<item->data(Qt::UserRole).toInt()){
index--;
}
symbolMostused.insert(index,item);
changed=true;
}
if(changed) MostUsedSymbolWidget->SetUserPage(symbolMostused);
}
void Texmaker::updateCompleter() {
QSet<QString> words;
if (configManager.parseBibTeX) documents.updateBibFiles();
LatexEditorView* edView=currentEditorView();
QList<LatexDocument*> docs;
if(edView && edView->document){
// determine from which docs data needs to be collected
docs=edView->document->getListOfDocs();
// collect user commands and references
foreach(const LatexDocument* doc,docs){
words.unite(doc->userCommandList());
words.unite(doc->additionalCommandsList());
}
}
//add cite/ref commands from the cwls to latexParser.citeCommands
static QRegExp citeCommandCheck(QRegExp("^\\\\([Cc]ite.*|.*\\{(%<)?(keylist|bibid)(%>)?\\}.*)"));
static QRegExp refCommandCheck(QRegExp("^\\\\.*\\{(%<)?labelid(%>)?\\}.*"));
foreach (const QString& cmd, words)
if (citeCommandCheck.exactMatch(cmd)) { //todo: get rid of duplication
int lastBracket = cmd.lastIndexOf('{');
latexParser.citeCommands.insert(lastBracket > 0 ? cmd.left(lastBracket) : cmd);
} else if (refCommandCheck.exactMatch(cmd)){
int lastBracket = cmd.lastIndexOf('{');
latexParser.refCommands.insert(lastBracket > 0 ? cmd.left(lastBracket) : cmd);
}
foreach (const QString& cmd, configManager.completerConfig->words)
if (citeCommandCheck.exactMatch(cmd)) {
int lastBracket = cmd.lastIndexOf('{');
latexParser.citeCommands.insert(lastBracket > 0 ? cmd.left(lastBracket) : cmd);
} else if (refCommandCheck.exactMatch(cmd)){
int lastBracket = cmd.lastIndexOf('{');
latexParser.refCommands.insert(lastBracket > 0 ? cmd.left(lastBracket) : cmd);
}
// collect user commands and references
foreach(const LatexDocument* doc,docs){
foreach(const QString& refCommand, latexParser.refCommands){
QString temp=refCommand+"{%1}";
foreach (const QString& l, doc->labelItems())
words.insert(temp.arg(l));
}
}
if (configManager.parseBibTeX)
for (int i=0; i<documents.mentionedBibTeXFiles.count();i++){
if (!documents.bibTeXFiles.contains(documents.mentionedBibTeXFiles[i])){
qDebug("BibTeX-File %s not loaded",documents.mentionedBibTeXFiles[i].toLatin1().constData());
continue; //wtf?s
}
BibTeXFileInfo& bibTex=documents.bibTeXFiles[documents.mentionedBibTeXFiles[i]];
//automatic use of cite commands
foreach(const QString& citeCommand, latexParser.citeCommands){
QString temp=citeCommand+"{%1}";
for (int i=0; i<bibTex.ids.count();i++)
words.insert(temp.arg(bibTex.ids[i]));
}
}
completionBaseCommandsUpdated=false;
completer->setAdditionalWords(words,false);
if(edView) edView->viewActivated();
if (!LatexCompleter::hasHelpfile()) {
QFile f(findResourceFile("latexhelp.html"));
if (!f.open(QIODevice::ReadOnly| QIODevice::Text)) LatexCompleter::parseHelpfile("<missing>");
else LatexCompleter::parseHelpfile(QTextStream(&f).readAll());
}
updateHighlighting();
mCompleterNeedsUpdate=false;
}
void Texmaker::tabChanged(int i) {
if (i>0 && i<3 && !outputView->logPresent()) RealViewLog(true);
}
void Texmaker::jumpToSearch(QString filename,int lineNumber){
if(currentEditor()->fileName()==filename && currentEditor()->cursor().lineNumber()==lineNumber)
{
QDocumentCursor c=currentEditor()->cursor();
int col=c.columnNumber();
gotoLine(lineNumber);
col=outputView->getNextSearchResultColumn(c.line().text() ,col+1);
currentEditor()->setCursorPosition(lineNumber,col);
currentEditor()->ensureCursorVisibleSurrounding();
} else {
gotoLocation(lineNumber,filename);
int col=outputView->getNextSearchResultColumn(currentEditor()->document()->line(lineNumber).text() ,0);
currentEditor()->setCursorPosition(lineNumber,col);
currentEditor()->ensureCursorVisibleSurrounding();
outputView->showSearchResults();
}
}
void Texmaker::gotoLine(int line) {
if (currentEditorView() && line>=0) {
currentEditorView()->editor->setCursorPosition(line,0);
currentEditorView()->editor->ensureCursorVisibleSurrounding();
currentEditorView()->editor->setFocus();
}
}
void Texmaker::gotoLocation(int line, const QString &fileName){
if (!FileAlreadyOpen(fileName, true))
if (!load(fileName)) return;
gotoLine(line);
}
void Texmaker::gotoLogEntryEditorOnly(int logEntryNumber) {
if (logEntryNumber<0 || logEntryNumber>=outputView->getLogModel()->count()) return;
QString fileName = outputView->getLogModel()->at(logEntryNumber).file;
if (!FileAlreadyOpen(fileName, true))
if (!load(fileName)) return;
//get line
QDocumentLineHandle* lh = currentEditorView()->logEntryToLine.value(logEntryNumber, 0);
if (!lh) return;
//goto
gotoLine(QDocumentLine(lh).lineNumber());
}
bool Texmaker::gotoLogEntryAt(int newLineNumber) {
//goto line
if (newLineNumber<0) return false;
gotoLine(newLineNumber);
//find error number
QDocumentLineHandle* lh=currentEditorView()->editor->document()->line(newLineNumber).handle();
int logEntryNumber=currentEditorView()->lineToLogEntries.value(lh,-1);
if (logEntryNumber==-1) return false;
//goto log entry
outputView->selectLogEntry(logEntryNumber);
QPoint p=currentEditorView()->editor->mapToGlobal(currentEditorView()->editor->mapFromContents(currentEditorView()->editor->cursor().documentPosition()));
// p.ry()+=2*currentEditorView()->editor->document()->fontMetrics().lineSpacing();
QToolTip::showText(p, outputView->getLogModel()->at(logEntryNumber).niceMessage(), 0);
LatexEditorView::hideTooltipWhenLeavingLine=newLineNumber;
return true;
}
bool Texmaker::gotoMark(bool backward, int id) {
if (!currentEditorView()) return false;
if (backward)
return gotoLogEntryAt(currentEditorView()->editor->document()->findPreviousMark(id,qMax(0,currentEditorView()->editor->cursor().lineNumber()-1),0));
else
return gotoLogEntryAt(currentEditorView()->editor->document()->findNextMark(id,currentEditorView()->editor->cursor().lineNumber()+1));
}
void Texmaker::syncFromViewer(const QString &fileName, int line, bool activate, const QString& guessedWord){
if (!FileAlreadyOpen(fileName, true))
if (!load(fileName)) return;
gotoLine(line);
Q_ASSERT(currentEditor());
QString checkLine =currentEditor()->cursor().line().text();
int column = checkLine.indexOf(guessedWord);
if (column == -1) column = checkLine.indexOf(guessedWord, Qt::CaseInsensitive);
QString changedWord = guessedWord;
if (column == -1) {//search again and ignore useless characters
QString regex;
for (int i=0;i<changedWord.size();i++)
if (changedWord[i].category() == QChar::Other_Control || changedWord[i].category() == QChar::Other_Format)
changedWord[i] = '\1';
foreach (const QString& x, changedWord.split('\1', QString::SkipEmptyParts))
if (regex.isEmpty()) regex += QRegExp::escape(x);
else regex += ".{0,2}" + QRegExp::escape(x);
//qDebug() << changedWord << regex;
column = checkLine.indexOf(QRegExp(regex), Qt::CaseSensitive);
if (column == -1) column = checkLine.indexOf(QRegExp(regex), Qt::CaseInsensitive);
}
if (column == -1) {//search again and allow additional whitespace
QString regex;
foreach (const QString & x , changedWord.split(" ",QString::SkipEmptyParts))
if (regex.isEmpty()) regex = QRegExp::escape(x);
else regex+="\\s+"+QRegExp::escape(x);
column = checkLine.indexOf(QRegExp(regex), Qt::CaseSensitive);
if (column == -1) column = checkLine.indexOf(QRegExp(regex), Qt::CaseInsensitive);
}
if (column == -1) {
int bestMatch = -1, bestScore = 0;
for (int i=0;i<checkLine.size()-guessedWord.size();i++) {
int score = 0;
for (int c = i, s = 0; c < checkLine.size() && s < guessedWord.size(); c++, s++) {
QChar C = checkLine[c], S = guessedWord[s];
if (C == S) score += 5; //perfect match
else if (C.toLower() == S.toLower()) score += 2; //ok match
else if (C.isSpace()) s--; //skip spaces
else if (S.isSpace()) c--; //skip spaces
else if (S.category() == QChar::Other_Control || S.category() == QChar::Other_Format) {
for (s++; s < guessedWord.size() && (guessedWord[s].category() == QChar::Other_Control||guessedWord[s].category() == QChar::Other_Format);s++); //skip nonsense
if (s >= guessedWord.size()) continue;
if (guessedWord[s] == C) { score += 5; continue; }
if (c+1 < checkLine.size() && guessedWord[s] == checkLine[c+1]) { score += 5; c++; continue; }
//also skip next character after that nonsense
}
}
if (score > bestScore) bestScore = score, bestMatch = i;
}
if (bestScore > guessedWord.size()*5 / 3) column = bestMatch; //accept if 0.33 similarity
}
if (column > -1) {
currentEditor()->setCursorPosition(currentEditor()->cursor().lineNumber(),column+guessedWord.length()/2);
currentEditor()->ensureCursorVisibleSurrounding();
}
if (activate) {
raise();
show();
activateWindow();
if (isMinimized()) showNormal();
}
}
void Texmaker::StructureContextMenu(const QPoint& point) {
StructureEntry *entry = LatexDocumentsModel::indexToStructureEntry(structureTreeView->currentIndex());
if (!entry) return;
if (entry->type==StructureEntry::SE_DOCUMENT_ROOT){
QMenu menu;
if (entry->document != documents.masterDocument) {
menu.addAction(tr("Close document"), this, SLOT(structureContextMenuCloseDocument()));
menu.addAction(tr("Set this document as master document"), this, SLOT(structureContextMenuSwitchMasterDocument()));
} else
menu.addAction(tr("Remove master document role"), this, SLOT(structureContextMenuSwitchMasterDocument()));
if(documents.model->getSingleDocMode()){
menu.addAction(tr("Show all open documents in this tree"), this, SLOT(latexModelViewMode()));
}else{
menu.addAction(tr("Show only current document in this tree"), this, SLOT(latexModelViewMode()));
}
menu.addSeparator();
menu.addAction(tr("Move document to &front"), this, SLOT(moveDocumentToFront()));
menu.addAction(tr("Move document to &end"), this, SLOT(moveDocumentToEnd()));
menu.exec(structureTreeView->mapToGlobal(point));
}
if (!entry->parent) return;
if (entry->type==StructureEntry::SE_LABEL) {
QMenu menu;
menu.addAction(tr("Insert"),this, SLOT(editPasteRef()));
menu.addAction(tr("Insert as %1").arg("\\ref{...}"),this, SLOT(editPasteRef()));
menu.addAction(tr("Insert as %1").arg("\\pageref{...}"),this, SLOT(editPasteRef()));
menu.exec(structureTreeView->mapToGlobal(point));
}
if (entry->type==StructureEntry::SE_SECTION) {
QMenu menu(this);
menu.addAction(tr("Copy"),this, SLOT(editSectionCopy()));
menu.addAction(tr("Cut"),this, SLOT(editSectionCut()));
menu.addAction(tr("Paste before"),this, SLOT(editSectionPasteBefore()));
menu.addAction(tr("Paste after"),this, SLOT(editSectionPasteAfter()));
menu.addSeparator();
menu.addAction(tr("Indent Section"),this, SLOT(editIndentSection()));
menu.addAction(tr("Unindent Section"),this, SLOT(editUnIndentSection()));
menu.exec(structureTreeView->mapToGlobal(point));
}
}
void Texmaker::structureContextMenuCloseDocument(){
StructureEntry *entry=LatexDocumentsModel::indexToStructureEntry(structureTreeView->currentIndex());
if (!entry) return;
LatexDocument* document = entry->document;
if (!document) return;
if (document->getEditorView()) CloseEditorTab(EditorView->indexOf(document->getEditorView()));
else if (document == documents.masterDocument) structureContextMenuSwitchMasterDocument();
}
void Texmaker::structureContextMenuSwitchMasterDocument(){
StructureEntry *entry=LatexDocumentsModel::indexToStructureEntry(structureTreeView->currentIndex());
if (!entry) return;
LatexDocument* document = entry->document;
if (document == documents.masterDocument) documents.setMasterDocument(0);
else if (document->getFileName()!="") documents.setMasterDocument(document);
else if (document->getEditorView()) { //we have to save the document before
documents.setMasterDocument(0);
EditorView->setCurrentWidget(document->getEditorView());
ToggleMode();
}
}
void Texmaker::editPasteRef() {
if (!currentEditorView()) return;
StructureEntry *entry=LatexDocumentsModel::indexToStructureEntry(structureTreeView->currentIndex());
if (!entry) return;
QAction *action = qobject_cast<QAction *>(sender());
QString name=action->text();
if (name==tr("Insert")) {
currentEditor()->insertText(entry->title);
currentEditorView()->setFocus();
} else {
name.remove(0,name.indexOf("\\"));
name.chop(name.length()-name.indexOf("{"));
currentEditor()->insertText(name+"{"+entry->title+"}");
currentEditorView()->setFocus(); }
}
void Texmaker::previewLatex(){
if (!currentEditorView()) return;
// get selection
QDocumentCursor c = currentEditorView()->editor->cursor();
QDocumentCursor previewc;
if (c.hasSelection()) {
previewc = c; //X o riginalText = c.selectedText();
} else {
//search matching parantheses
//it will just get the ones with the greatest distance to each other
//=>problem if multiple matches appear (e.g ()|$...$)
//TODO: it doesn't work if the match is in another line
QDocumentLine l = c.line();
int matchFormat=m_formats->id("braceMatch");
QFormatRange first= l.getFirstOverlayBetween(0,l.length(),matchFormat);
QFormatRange last=l.getLastOverlayBetween(0,l.length(),matchFormat);
//QMessageBox::information(0,originalText,QString("%1 %2:%3 %4 %5").arg(first.offset).arg(first.length).arg(last.offset).arg(last.length).arg(last.format),0);
if (first.length==0 || last.length==0) return;
//const QVector<QParenthesis>& parens = l.parentheses();
//int first=l.length();
//int last=-1;
/*for (int i=0;i< parens.count();i++)
if (parens[i].role & QParenthesis::Match){
if (parens[i].offset<first) first=parens[i].offset;
else if (parens[i].offset+parens[i].length>last) first=parens[i].offset+parens[i].length;
}*/
//if (first==l.length() || last==-1) return;
//originalText=l.text().mid(first,last-first);
previewc = currentEditor()->document()->cursor(c.lineNumber(), first.offset, c.lineNumber(), last.offset+last.length);
//XoriginalText=l.text().mid(first.offset,last.offset+last.length-first.offset);
//QMessageBox::information(0,originalText,originalText,0);
}
if (!previewc.hasSelection()) return;
showPreview(previewc,true);
}
void Texmaker::previewAvailable(const QString& imageFile, const QString& /*text*/, int line){
if (configManager.previewMode == ConfigManager::PM_BOTH ||
configManager.previewMode == ConfigManager::PM_PANEL||
(configManager.previewMode == ConfigManager::PM_TOOLTIP_AS_FALLBACK && outputView->isPreviewPanelVisible())) {
outputView->showPreview();
outputView->previewLatex(QPixmap(imageFile));
}
if (configManager.previewMode == ConfigManager::PM_BOTH ||
configManager.previewMode == ConfigManager::PM_TOOLTIP||
previewEquation||
(configManager.previewMode == ConfigManager::PM_TOOLTIP_AS_FALLBACK && !outputView->isPreviewPanelVisible()) ||
(line < 0)) {
QPoint p;
if(previewEquation)
p=currentEditorView()->getHoverPosistion();
else
p=currentEditorView()->editor->mapToGlobal(currentEditorView()->editor->mapFromContents(currentEditorView()->editor->cursor().documentPosition()));
QRect screen = QApplication::desktop()->screenGeometry();
QPixmap img(imageFile);
int w=img.width();
if(w>screen.width()) w=screen.width()-2;
QToolTip::showText(p, QString("<img src=\""+imageFile+"\" width=%1 />").arg(w), 0);
LatexEditorView::hideTooltipWhenLeavingLine=currentEditorView()->editor->cursor().lineNumber();
}
if (configManager.previewMode == ConfigManager::PM_INLINE && line >= 0){
if (line >= currentEditor()->document()->lines())
line = currentEditor()->document()->lines()-1;
currentEditor()->document()->setForceLineWrapCalculation(true);
currentEditor()->document()->line(line).setCookie(42, QVariant::fromValue<QPixmap>(QPixmap(imageFile)));
currentEditor()->document()->adjustWidth(line);
}
previewEquation=false;
}
void Texmaker::clearPreview(){
QEditor* edit = currentEditor();
if (!edit) return;
int i,t;
if (edit->cursor().hasSelection()) {
i = edit->cursor().selectionStart().lineNumber();
t = edit->cursor().selectionEnd().lineNumber();
} else {
i = edit->cursor().lineNumber();
t = i;
}
for (; i<=t; i++){
edit->document()->line(i).removeCookie(42);
edit->document()->adjustWidth(i);
for (int j=currentEditorView()->autoPreviewCursor.size()-1;j>=0;j--)
if (currentEditorView()->autoPreviewCursor[j].lineNumber() == i)
currentEditorView()->autoPreviewCursor.removeAt(j);
}
}
void Texmaker::showPreview(const QString& text){
LatexEditorView* edView=getEditorViewFromFileName(documents.getCompileFileName()); //todo: temporary compi
if (!edView) return;
int m_endingLine=edView->editor->document()->findLineContaining("\\begin{document}",0,Qt::CaseSensitive);
if (m_endingLine<0) return; // can't create header
QStringList header;
for (int l=0; l<m_endingLine; l++)
header << edView->editor->document()->line(l).text();
header << "\\pagestyle{empty}";// << "\\begin{document}";
previewEquation=true;
buildManager.preview(header.join("\n"), text, -1, documents.getCompileFileName(), edView->editor->document()->codec());
}
void Texmaker::showPreview(const QDocumentCursor& previewc){
if (previewQueueOwner != currentEditorView())
previewQueue.clear();
previewQueueOwner = currentEditorView();
previewQueue.insert(previewc.lineNumber());
QTimer::singleShot(qMax(40,configManager.autoPreviewDelay),this, SLOT(showPreviewQueue())); //slow down or it could create thousands of images
}
void Texmaker::showPreview(const QDocumentCursor& previewc, bool addToList){
REQUIRE(currentEditor());
REQUIRE(previewc.document() == currentEditor()->document());
QString originalText = previewc.selectedText();
if (originalText=="") return;
// get document definitions
//preliminary code ...
const LatexDocument *doc=documents.getMasterDocumentForDoc();
LatexEditorView* edView=(doc && doc->getEditorView())?doc->getEditorView():currentEditorView();
if (!edView) return;
int m_endingLine=edView->editor->document()->findLineContaining("\\begin{document}",0,Qt::CaseSensitive);
if (m_endingLine<0) return; // can't create header
QStringList header;
for (int l=0; l<m_endingLine; l++)
header << edView->editor->document()->line(l).text();
header << "\\pagestyle{empty}";// << "\\begin{document}";
buildManager.preview(header.join("\n"), originalText, previewc.selectionEnd().lineNumber(), documents.getCompileFileName(), edView->editor->document()->codec());
if (!addToList || previewc.lineNumber() != previewc.anchorLineNumber())
return;
if (configManager.autoPreview == ConfigManager::AP_PREVIOUSLY) {
QList<QDocumentCursor> & clist = currentEditorView()->autoPreviewCursor;
for (int i=clist.size()-1;i>=0;i--)
if (clist[i].lineNumber() == previewc.lineNumber() || clist[i].lineNumber() != clist[i].anchorLineNumber())
clist.removeAt(i);
QDocumentCursor c = previewc;
c.setAutoUpdated(true);
currentEditorView()->autoPreviewCursor.insert(0,c);
}
}
void Texmaker::showPreviewQueue(){
if (previewQueueOwner != currentEditorView()) {
previewQueue.clear();
return;
}
if (configManager.autoPreview == ConfigManager::AP_NEVER) {
previewQueueOwner->autoPreviewCursor.clear();
previewQueue.clear();
return;
}
foreach (const int line, previewQueue)
foreach (const QDocumentCursor& c, previewQueueOwner->autoPreviewCursor)
if (c.lineNumber() == line)
showPreview(c,false);
previewQueue.clear();
}
void Texmaker::editInsertRefToNextLabel(bool backward) {
if (!currentEditorView()) return;
QDocumentCursor c = currentEditor()->cursor();
int l=c.lineNumber();
int m=currentEditorView()->editor->document()->findLineContaining("\\label",l,Qt::CaseSensitive,backward);
if(!backward && m<l) return;
if(m<0) return;
QDocumentLine dLine=currentEditor()->document()->line(m);
QString mLine=dLine.text();
QRegExp rx("\\\\label\\{(.*)\\}");
if(rx.indexIn(mLine)>-1){
currentEditor()->insertText("\\ref{"+rx.cap(1)+"}");
}
}
void Texmaker::editInsertRefToPrevLabel() {
editInsertRefToNextLabel(true);
}
void Texmaker::SymbolGridContextMenu(QWidget* widget, const QPoint& point) {
if (!widget->property("isSymbolGrid").toBool()) return;
if(widget==MostUsedSymbolWidget){
QMenu menu;
menu.addAction(tr("Add to favorites"),this,SLOT(symbolAddFavorite()));
menu.addAction(tr("Remove"),this,SLOT(MostUsedSymbolsTriggered()));
menu.addAction(tr("Remove all"),this,SLOT(MostUsedSymbolsTriggered()));
menu.exec(point);
} else if (widget==FavoriteSymbolWidget) {
QMenu menu;
menu.addAction(tr("Remove from favorites"),this,SLOT(symbolRemoveFavorite()));
menu.addAction(tr("Remove all favorites"),this,SLOT(symbolRemoveAllFavorites()));
menu.exec(point);
} else {
QMenu menu;
menu.addAction(tr("Add to favorites"),this,SLOT(symbolAddFavorite()));
menu.exec(point);
}
}
void Texmaker::symbolAddFavorite(){
SymbolGridWidget* grid=qobject_cast<SymbolGridWidget*>(leftPanel->currentWidget());
if (!grid) return;
QString symbol=grid->getCurrentSymbol();
if (symbol.isEmpty()) return;
if (!symbolFavorites.contains(symbol)) symbolFavorites.append(symbol);
FavoriteSymbolWidget->loadSymbols(symbolFavorites);
}
void Texmaker::symbolRemoveFavorite(){
QString symbol=FavoriteSymbolWidget->getCurrentSymbol();
if (symbol.isEmpty()) return;
symbolFavorites.removeAll(symbol);
FavoriteSymbolWidget->loadSymbols(symbolFavorites);
}
void Texmaker::symbolRemoveAllFavorites(){
symbolFavorites.clear();
FavoriteSymbolWidget->loadSymbols(symbolFavorites);
}
void Texmaker::MostUsedSymbolsTriggered(bool direct){
QAction *action = 0;
QTableWidgetItem *item=0;
if(!direct){
action = qobject_cast<QAction *>(sender());
item=MostUsedSymbolWidget->currentItem();
}
if(direct || action->text()==tr("Remove")){
if(!direct){
if(item->data(Qt::UserRole+3).isValid()){
QTableWidgetItem *elem=item->data(Qt::UserRole+3).value<QTableWidgetItem*>();
elem->setData(Qt::UserRole+1,QVariant());
}
symbolMostused.removeAll(item);
delete item;
}else{
symbolMostused.clear();
foreach(QTableWidgetItem* elem,MostUsedSymbolWidget->findItems("*",Qt::MatchWildcard)){
if(!elem) continue;
int cnt=elem->data(Qt::UserRole).toInt();
if(symbolMostused.isEmpty()){
symbolMostused.append(elem);
}else {
int index=0;
while(index<symbolMostused.size()&&symbolMostused[index]->data(Qt::UserRole).toInt()>cnt){
index++;
}
symbolMostused.insert(index,elem);
}
}
}
}else{
for(int i=0;symbolMostused.count();i++){
QTableWidgetItem* item=symbolMostused.at(i);
QTableWidgetItem *elem=item->data(Qt::UserRole+3).value<QTableWidgetItem*>();
elem->setData(Qt::UserRole+1,QVariant());
delete item;
symbolMostused.clear();
}
}
// Update Most Used Symbols Widget
MostUsedSymbolWidget->SetUserPage(symbolMostused);
}
void Texmaker::editFindGlobal(){
if(!currentEditor()) return;
QEditor *e=currentEditor();
findGlobalDialog* dlg=new findGlobalDialog(this);
if(e->cursor().hasSelection()){
dlg->setSearchWord(e->cursor().selectedText());
}
if(dlg->exec()){
QList<QEditor *> editors;
switch (dlg->getSearchScope()) {
case 0:
editors << currentEditorView()->editor;
break;
case 1:
for(int i=0;i<EditorView->count();i++){
LatexEditorView *edView=qobject_cast<LatexEditorView *>(EditorView->widget(i));
if (!edView) continue;
editors << edView->editor;
}
break;
default:
break;
}
outputView->clearSearch();
outputView->setSearchExpression(dlg->getSearchWord(),dlg->isCase(),dlg->isWords(),dlg->isRegExp());
foreach(QEditor *ed,editors){
QDocument *doc=ed->document();
QList<QDocumentLineHandle *> lines;
for(int l=0;l<doc->lineCount();l++){
l=doc->findLineRegExp(dlg->getSearchWord(),l,dlg->isCase() ? Qt::CaseSensitive : Qt::CaseInsensitive,dlg->isWords(),dlg->isRegExp());
if(l>-1) lines << doc->line(l).handle();
if(l==-1) break;
}
if(!lines.isEmpty()){ // don't add empty searches
outputView->addSearch(lines,ed->fileName());
outputView->showSearchResults();
}
}
}
delete dlg;
}
// show current cursor position in structure view
void Texmaker::cursorPositionChanged(){
if (!currentEditorView()) return;
int i=currentEditor()->cursor().lineNumber();
// search line in structure
if (currentLine==i) return;
currentLine=i;
LatexDocumentsModel *model=qobject_cast<LatexDocumentsModel*>(structureTreeView->model());
if (!model) return; //shouldn't happen
StructureEntry *newSection=currentEditorView()->document->findSectionForLine(currentLine);
model->setHighlightedEntry(newSection);
if(!mDontScrollToItem)
structureTreeView->scrollTo(model->highlightedEntry());
#ifndef NO_POPPLER_PREVIEW
foreach (PDFDocument* viewer, PDFDocument::documentList())
if (viewer->followCursor())
viewer->syncFromSource(getCurrentFileName(), currentLine, false);
#endif
}
void Texmaker::fileCheckin(QString filename){
if (!currentEditorView()) return;
QString fn=filename.isEmpty() ? currentEditor()->fileName() : filename;
UniversalInputDialog dialog;
QString text;
dialog.addTextEdit(&text, tr("commit comment:"));
bool wholeDirectory;
dialog.addVariable(&wholeDirectory,tr("check in whole directory ?"));
if (dialog.exec()==QDialog::Accepted){
fileSave();
if(wholeDirectory){
fn=QFileInfo(fn).absolutePath();
}
checkin(fn,text);
}
}
void Texmaker::fileLockPdf(QString filename){
if (!currentEditorView()) return;
QString finame=filename;
if(finame.isEmpty())
finame=documents.getTemporaryCompileFileName();
QFileInfo fi(finame);
QString basename=fi.baseName();
QString path=fi.path();
fi.setFile(path+"/"+basename+".pdf");
if(!fi.isWritable()){
svnLock(fi.filePath());
}
}
void Texmaker::fileCheckinPdf(QString filename){
if (!currentEditorView()) return;
QString finame=filename;
if(finame.isEmpty())
finame=documents.getTemporaryCompileFileName();
QFileInfo fi(finame);
QString basename=fi.baseName();
QString path=fi.path();
QString fn=path+"/"+basename+".pdf";
SVNSTATUS status=svnStatus(fn);
if(status==CheckedIn) return;
if(status==Unmanaged)
svnadd(fn);
fileCheckin(fn);
}
void Texmaker::fileUpdate(QString filename){
if (!currentEditorView()) return;
QString fn=filename.isEmpty() ? currentEditor()->fileName() : filename;
if(fn.isEmpty()) return;
QString cmd=buildManager.getLatexCommand(BuildManager::CMD_SVN);
cmd+=" up --non-interactive \""+fn+"\"";
statusLabelProcess->setText(QString(" svn update "));
QString buffer;
runCommand(cmd, RCF_WAIT_FOR_FINISHED,&buffer);
outputView->insertMessageLine(buffer);
}
void Texmaker::fileUpdateCWD(QString filename){
if (!currentEditorView()) return;
QString fn=filename.isEmpty() ? currentEditor()->fileName() : filename;
if(fn.isEmpty()) return;
QString cmd=buildManager.getLatexCommand(BuildManager::CMD_SVN);
fn=QFileInfo(fn).path();
cmd+=" up --non-interactive \""+fn+"\"";
statusLabelProcess->setText(QString(" svn update "));
QString buffer;
runCommand(cmd, RCF_WAIT_FOR_FINISHED,&buffer);
outputView->insertMessageLine(buffer);
}
void Texmaker::checkin(QString fn, QString text, bool blocking){
QString cmd=buildManager.getLatexCommand(BuildManager::CMD_SVN);
cmd+=" ci -m \""+text+"\" \""+fn+("\"");
statusLabelProcess->setText(QString(" svn check in "));
runCommand(cmd, (blocking?RCF_WAIT_FOR_FINISHED:RunCommandFlags()));
LatexEditorView *edView=getEditorViewFromFileName(fn);
if(edView)
edView->editor->setProperty("undoRevision",0);
}
bool Texmaker::svnadd(QString fn,int stage){
QString path=QFileInfo(fn).absolutePath();
if(!QFile::exists(path+"/.svn")){
if(stage<configManager.svnSearchPathDepth){
if(stage>0){
QDir dr(path);
dr.cdUp();
path=dr.absolutePath();
}
if(svnadd(path,stage+1)){
checkin(path);
} else
return false;
} else {
return false;
}
}
QString cmd=buildManager.getLatexCommand(BuildManager::CMD_SVN);
cmd+=" add \""+fn+("\"");
statusLabelProcess->setText(QString(" svn add "));
runCommand(cmd, 0);
return true;
}
void Texmaker::svnLock(QString fn){
QString cmd=buildManager.getLatexCommand(BuildManager::CMD_SVN);
cmd+=" lock \""+fn+("\"");
statusLabelProcess->setText(QString(" svn lock "));
runCommand(cmd, 0);
}
void Texmaker::svncreateRep(QString fn){
QString cmd=buildManager.getLatexCommand(BuildManager::CMD_SVN);
QString admin=buildManager.getLatexCommand(BuildManager::CMD_SVNADMIN);
QString path=QFileInfo(fn).absolutePath();
admin+=" create "+path+"/repo";
statusLabelProcess->setText(QString(" svn create repo "));
runCommand(admin, RCF_WAIT_FOR_FINISHED);
QString scmd=cmd+" mkdir file:///"+path+"/repo/trunk -m\"txs auto generate\"";
runCommand(scmd, RCF_WAIT_FOR_FINISHED);
scmd=cmd+" mkdir file:///"+path+"/repo/branches -m\"txs auto generate\"";
runCommand(scmd, RCF_WAIT_FOR_FINISHED);
scmd=cmd+" mkdir file:///"+path+"/repo/tags -m\"txs auto generate\"";
runCommand(scmd, RCF_WAIT_FOR_FINISHED);
statusLabelProcess->setText(QString(" svn checkout repo"));
cmd+=" co file:///"+path+"/repo/trunk "+path;
runCommand(cmd, RCF_WAIT_FOR_FINISHED);
}
void Texmaker::svnUndo(bool redo){
QString cmd_svn=buildManager.getLatexCommand(BuildManager::CMD_SVN);
QString fn=currentEditor()->fileName();
// get revisions of current file
QString cmd=cmd_svn+" log "+fn;
QString buffer;
runCommand(cmd,RCF_WAIT_FOR_FINISHED,&buffer);
QStringList revisions=buffer.split("\n",QString::SkipEmptyParts);
buffer.clear();
QMutableStringListIterator i(revisions);
bool keep=false;
QString elem;
while(i.hasNext()){
elem=i.next();
if(!keep) i.remove();
keep=elem.contains(QRegExp("-{60,}"));
}
QVariant zw=currentEditor()->property("undoRevision");
int undoRevision=zw.canConvert<int>()?zw.toInt():0;
int l=revisions.size();
if(undoRevision>=l-1) return;
if(!redo) undoRevision++;
if(redo) changeToRevision(revisions.at(undoRevision-1),revisions.at(undoRevision));
else changeToRevision(revisions.at(undoRevision),revisions.at(undoRevision-1));
currentEditor()->document()->clearUndo();
if(redo) undoRevision--;
currentEditor()->setProperty("undoRevision",undoRevision);
}
void Texmaker::svnPatch(QEditor *ed,QString diff){
QStringList lines;
if(diff.contains("\r\n")){
lines=diff.split("\r\n");
}else{
if(diff.contains("\n")){
lines=diff.split("\n");
}else{
lines=diff.split("\r");
}
}
for(int i=0;i<4;i++) lines.removeFirst();
QRegExp rx("@@ -(\\d+),(\\d+) \\+(\\d+),(\\d+)");
int cur_line;
bool atDocEnd=false;
QDocumentCursor c=ed->cursor();
foreach(const QString& elem,lines){
QChar ch=elem.at(0);
if(ch=='@'){
if(rx.indexIn(elem)>-1){
cur_line=rx.cap(3).toInt();
c.moveTo(cur_line-1,0);
}
}else{
if(ch=='-'){
atDocEnd=(c.lineNumber()==ed->document()->lineCount()-1);
c.eraseLine();
if(atDocEnd) c.deletePreviousChar();
}else{
if(ch=='+'){
atDocEnd=(c.lineNumber()==ed->document()->lineCount()-1);
if(atDocEnd){
c.movePosition(1,QDocumentCursor::EndOfLine,QDocumentCursor::MoveAnchor);
c.insertLine();
}
c.insertText(elem.right(elem.length()-1));
// if line contains \r, no further line break needed
if(!atDocEnd){
c.insertText("\n");
}
} else {
atDocEnd=(c.lineNumber()==ed->document()->lineCount()-1);
if(!atDocEnd){
c.movePosition(1,QDocumentCursor::NextLine,QDocumentCursor::MoveAnchor);
c.movePosition(1,QDocumentCursor::StartOfLine,QDocumentCursor::MoveAnchor);
}
}
}
}
}
}
void Texmaker::showOldRevisions(){
// check if a dialog is already open
if(svndlg) return;
//needs to save first if modified
if (!currentEditor())
return;
if (currentEditor()->fileName()=="" || !currentEditor()->fileInfo().exists())
return;
if(currentEditor()->isContentModified()){
currentEditor()->save();
//currentEditorView()->editor->setModified(false);
MarkCurrentFileAsRecent();
checkin(currentEditor()->fileName(),"txs auto checkin",true);
}
UpdateCaption();
QStringList log=svnLog();
if(log.size()<1) return;
svndlg=new QDialog(this);
QVBoxLayout *lay=new QVBoxLayout(svndlg);
QLabel *label=new QLabel(tr("Attention: dialog is automatically closed if the text is manually edited!"),svndlg);
lay->addWidget(label);
cmbLog=new QComboBox(svndlg);
cmbLog->insertItems(0,log);
lay->addWidget(cmbLog);
connect(svndlg,SIGNAL(finished(int)),this,SLOT(svnDialogClosed()));
connect(cmbLog,SIGNAL(currentIndexChanged(QString)),this,SLOT(changeToRevision(QString)));
connect(currentEditor(),SIGNAL(textEdited(QKeyEvent *)),svndlg,SLOT(close()));
currentEditor()->setProperty("Revision",log.first());
svndlg->setAttribute(Qt::WA_DeleteOnClose,true);
svndlg->show();
}
void Texmaker::svnDialogClosed(){
if(cmbLog->currentIndex()==0) currentEditor()->document()->setClean();
svndlg=0;
}
SVNSTATUS Texmaker::svnStatus(QString filename){
QString cmd=buildManager.getLatexCommand(BuildManager::CMD_SVN);
cmd+=" st \""+filename+("\"");
statusLabelProcess->setText(QString(" svn status "));
QString buffer;
runCommand(cmd, RCF_WAIT_FOR_FINISHED,&buffer);
if(buffer.isEmpty()) return CheckedIn;
if(buffer.startsWith("?")) return Unmanaged;
if(buffer.startsWith("M")) return Modified;
if(buffer.startsWith("C")) return InConflict;
if(buffer.startsWith("L")) return Locked;
return Unknown;
}
void Texmaker::changeToRevision(QString rev,QString old_rev){
QString cmd_svn=buildManager.getLatexCommand(BuildManager::CMD_SVN);
QString fn="\""+currentEditor()->fileName()+"\"";
// get diff
QRegExp rx("^[r](\\d+) \\|");
QString old_revision;
if(old_rev.isEmpty()){
disconnect(currentEditor(),SIGNAL(contentModified(bool)),svndlg,SLOT(close()));
QVariant zw=currentEditor()->property("Revision");
Q_ASSERT(zw.isValid());
old_revision= zw.toString();
}else{
old_revision=old_rev;
}
if(rx.indexIn(old_revision)>-1){
old_revision=rx.cap(1);
} else return;
QString new_revision=rev;
if(rx.indexIn(new_revision)>-1){
new_revision=rx.cap(1);
} else return;
QString cmd=cmd_svn+" diff -r "+old_revision+":"+new_revision+" "+fn;
QString buffer;
runCommand(cmd,RCF_WAIT_FOR_FINISHED,&buffer);
// patch
svnPatch(currentEditor(),buffer);
currentEditor()->setProperty("Revision",rev);
}
QStringList Texmaker::svnLog(){
QString cmd_svn=buildManager.getLatexCommand(BuildManager::CMD_SVN);
QString fn="\""+currentEditor()->fileName()+"\"";
// get revisions of current file
QString cmd=cmd_svn+" log "+fn;
QString buffer;
runCommand(cmd,RCF_WAIT_FOR_FINISHED,&buffer);
QStringList revisions=buffer.split("\n",QString::SkipEmptyParts);
buffer.clear();
QMutableStringListIterator i(revisions);
bool keep=false;
QString elem;
while(i.hasNext()){
elem=i.next();
if(!keep) i.remove();
keep=elem.contains(QRegExp("-{60,}"));
}
return revisions;
}
bool Texmaker::generateMirror(bool setCur){
if (!currentEditorView()) return false;
QDocumentCursor cursor = currentEditorView()->editor->cursor();
QDocumentCursor oldCursor = cursor;
QString line=cursor.line().text();
QString command, value;
LatexParser::ContextType result=latexParser.findContext(line, cursor.columnNumber(), command, value);
if(result==LatexParser::Environment){
if ((command=="\\begin" || command=="\\end")&& !value.isEmpty()){
//int l=cursor.lineNumber();
if (currentEditor()->currentPlaceHolder()!=-1 &&
currentEditor()->getPlaceHolder(currentEditor()->currentPlaceHolder()).cursor.isWithinSelection(cursor))
currentEditor()->removePlaceHolder(currentEditor()->currentPlaceHolder()); //remove currentplaceholder to prevent nesting
//move cursor to env name
int pos = line.lastIndexOf(command, cursor.columnNumber()) + command.length() + 1;
cursor.selectColumns(pos, pos+value.length());
if (cursor.atLineEnd()||cursor.nextChar()!='}'||cursor.selectedText() != value) // closing brace is missing or wrong env
return false;
//currentEditorView()->editor->setCursor(cursor);
LatexDocument* doc=currentEditorView()->document;
PlaceHolder ph;
ph.cursor=cursor;
ph.autoRemove=true;
ph.autoRemoveIfLeft=true;
// remove curly brakets as well
QString searchWord="\\end{"+value+"}";
QString inhibitor="\\begin{"+value+"}";
bool backward=(command=="\\end");
int step=1;
if(backward) {
qSwap(searchWord,inhibitor);
step=-1;
}
int startLine=cursor.lineNumber();
//int startCol=cursor.columnNumber();
int endLine=doc->findLineContaining(searchWord,startLine+step,Qt::CaseSensitive,backward);
int inhibitLine=doc->findLineContaining(inhibitor,startLine+step,Qt::CaseSensitive,backward); // not perfect (same line end/start ...)
while (inhibitLine>0 && endLine>0 && inhibitLine*step<endLine*step) {
endLine=doc->findLineContaining(searchWord,endLine+step,Qt::CaseSensitive,backward); // not perfect (same line end/start ...)
inhibitLine=doc->findLineContaining(inhibitor,inhibitLine+step,Qt::CaseSensitive,backward);
}
if(endLine>-1){
line=doc->line(endLine).text();
int start=line.indexOf(searchWord);
int offset=searchWord.indexOf("{");
ph.mirrors << currentEditor()->document()->cursor(endLine,start+offset+1,endLine,start+searchWord.length()-1);
}
currentEditor()->addPlaceHolder(ph);
currentEditor()->setPlaceHolder(currentEditor()->placeHolderCount()-1);
if(setCur)
currentEditorView()->editor->setCursor(oldCursor);
return true;
}
}
return false;
}
void Texmaker::generateBracketInverterMirror(){
if (!currentEditor()) return;
REQUIRE(currentEditor()->document() && currentEditor()->document()->languageDefinition());
QDocumentCursor orig, to;
currentEditor()->cursor().getMatchingPair(orig, to, false);
PlaceHolder ph;
ph.cursor = orig.selectionStart();
ph.mirrors << to.selectionStart();
ph.length = orig.selectedText().length();
ph.affector = BracketInvertAffector::instance();
currentEditor()->addPlaceHolder(ph);
currentEditor()->setPlaceHolder(currentEditor()->placeHolderCount()-1);
}
void Texmaker::selectBracket(){
if (!currentEditor()) return;
REQUIRE(sender() && currentEditor()->document() && currentEditor()->document()->languageDefinition());
QDocumentCursor orig, to;
currentEditor()->cursor().getMatchingPair(orig, to, sender()->property("maximal").toBool());
QDocumentCursor::sort(orig, to);
if (sender()->property("maximal").toBool()) {
if (orig.hasSelection()) orig = orig.selectionStart();
if (to.hasSelection()) to = to.selectionEnd();
} else {
if (orig.hasSelection()) orig = orig.selectionEnd();
if (to.hasSelection()) to = to.selectionStart();
}
currentEditor()->setCursor(currentEditor()->document()->cursor(orig.lineNumber(), orig.columnNumber(), to.lineNumber(), to.columnNumber()));
}
void Texmaker::findMissingBracket(){
if (!currentEditor()) return;
REQUIRE(currentEditor()->document() && currentEditor()->document()->languageDefinition());
QDocumentCursor c = currentEditor()->languageDefinition()->getNextMismatch(currentEditor()->cursor());
if (c.isValid()) currentEditor()->setCursor(c);
}
void Texmaker::openExternalFile(const QString& name,const QString& defaultExt,LatexDocument *doc){
if (!doc) {
if (!currentEditor()) return;
doc=dynamic_cast<LatexDocument*>(currentEditor()->document());
}
if (!doc) return;
QStringList curPaths;
if(documents.masterDocument)
curPaths << ensureTrailingDirSeparator(documents.masterDocument->getFileInfo().absolutePath());
if(doc->getMasterDocument())
curPaths << ensureTrailingDirSeparator(doc->getTopMasterDocument()->getFileInfo().absolutePath());
curPaths << ensureTrailingDirSeparator(doc->getFileInfo().absolutePath());
bool loaded;
for(int i=0;i<curPaths.count();i++){
const QString& curPath=curPaths.value(i);
if ((loaded=load(getAbsoluteFilePath(curPath+name,defaultExt))))
break;
if ((loaded=load(getAbsoluteFilePath(curPath+name,""))))
break;
if ((loaded=load(getAbsoluteFilePath(name,defaultExt))))
break;
}
if(!loaded)
txsWarning(tr("Sorry, I couldn't find the file \"%1\"").arg(name));
}
void Texmaker::cursorHovered(){
if(completer->isVisible()) return;
generateMirror(true);
}
void Texmaker::saveProfile(){
QString currentDir=configManager.configBaseDir;
QString fname = QFileDialog::getSaveFileName(this,tr("Save Profile"),currentDir,tr("TXS Profile","filter")+"(*.txsprofile);;"+tr("All files")+" (*)");
QFileInfo info(fname);
if(info.suffix().isEmpty())
fname+=".txsprofile";
SaveSettings(fname);
}
void Texmaker::loadProfile(){
QString currentDir=configManager.configBaseDir;
QString fname = QFileDialog::getOpenFileName(this,tr("Load Profile"),currentDir,tr("TXS Profile","filter")+"(*.txsprofile *.tmxprofile);;"+tr("All files")+" (*)"); //*.tmxprofile for compatibility - may be removed later
if(QFileInfo(fname).isReadable()){
SaveSettings();
QSettings *profile=new QSettings(fname,QSettings::IniFormat);
QSettings *config=new QSettings(QSettings::IniFormat,QSettings::UserScope,"texstudio","texstudio");
if(profile && config){
QStringList keys = profile->allKeys();
foreach(const QString& key,keys){
config->setValue(key,profile->value(key));
}
}
delete profile;
delete config;
ReadSettings();
}
}
void Texmaker::addRowCB(){
if (!currentEditorView()) return;
QDocumentCursor cur=currentEditorView()->editor->cursor();
if(!LatexTables::inTableEnv(cur)) return;
int cols=LatexTables::getNumberOfColumns(cur);
if(cols<1) return;
LatexTables::addRow(cur,cols);
}
void Texmaker::addColumnCB(){
if (!currentEditorView()) return;
QDocumentCursor cur=currentEditorView()->editor->cursor();
if(!LatexTables::inTableEnv(cur)) return;
int col=LatexTables::getColumn(cur)+1;
if(col<1) return;
if(col==1 &&cur.atLineStart()) col=0;
LatexTables::addColumn(currentEditorView()->document,currentEditorView()->editor->cursor().lineNumber(),col);
}
void Texmaker::removeColumnCB(){
if (!currentEditorView()) return;
QDocumentCursor cur=currentEditorView()->editor->cursor();
if(!LatexTables::inTableEnv(cur)) return;
// check if cursor has selection
int numberOfColumns=1;
int col=LatexTables::getColumn(cur);
if(cur.hasSelection()){
// if selection span within one row, romove all touched columns
QDocumentCursor c2(cur.document(),cur.anchorLineNumber(),cur.anchorColumnNumber());
if(!LatexTables::inTableEnv(c2)) return;
QString res=cur.selectedText();
if(res.contains("\\\\")) return;
int col2=LatexTables::getColumn(c2);
numberOfColumns=abs(col-col2)+1;
if(col2<col) col=col2;
}
int ln=cur.lineNumber();
for(int i=0;i<numberOfColumns;i++){
LatexTables::removeColumn(currentEditorView()->document,ln,col,0);
}
}
void Texmaker::removeRowCB(){
if (!currentEditorView()) return;
QDocumentCursor cur=currentEditorView()->editor->cursor();
if(!LatexTables::inTableEnv(cur)) return;
LatexTables::removeRow(cur);
}
void Texmaker::cutColumnCB(){
if (!currentEditorView()) return;
QDocumentCursor cur=currentEditorView()->editor->cursor();
if(!LatexTables::inTableEnv(cur)) return;
// check if cursor has selection
int numberOfColumns=1;
int col=LatexTables::getColumn(cur);
if(cur.hasSelection()){
// if selection span within one row, romove all touched columns
QDocumentCursor c2(cur.document(),cur.anchorLineNumber(),cur.anchorColumnNumber());
if(!LatexTables::inTableEnv(c2)) return;
QString res=cur.selectedText();
if(res.contains("\\\\")) return;
int col2=LatexTables::getColumn(c2);
numberOfColumns=abs(col-col2)+1;
if(col2<col) col=col2;
}
int ln=cur.lineNumber();
m_columnCutBuffer.clear();
QStringList lst;
for(int i=0;i<numberOfColumns;i++){
lst.clear();
LatexTables::removeColumn(currentEditorView()->document,ln,col,&lst);
if(m_columnCutBuffer.isEmpty()){
m_columnCutBuffer=lst;
}else{
for(int i=0;i<m_columnCutBuffer.size();i++){
QString add="&";
if(!lst.isEmpty()) add+=lst.takeFirst();
m_columnCutBuffer[i]+=add;
}
}
}
}
void Texmaker::pasteColumnCB(){
if (!currentEditorView()) return;
QDocumentCursor cur=currentEditorView()->editor->cursor();
if(!LatexTables::inTableEnv(cur)) return;
int col=LatexTables::getColumn(cur)+1;
if(col==1 &&cur.atLineStart()) col=0;
LatexTables::addColumn(currentEditorView()->document,currentEditorView()->editor->cursor().lineNumber(),col,&m_columnCutBuffer);
}
void Texmaker::addHLineCB(){
if (!currentEditorView()) return;
QDocumentCursor cur=currentEditorView()->editor->cursor();
if(!LatexTables::inTableEnv(cur)) return;
LatexTables::addHLine(cur);
}
void Texmaker::remHLineCB(){
if (!currentEditorView()) return;
QDocumentCursor cur=currentEditorView()->editor->cursor();
if(!LatexTables::inTableEnv(cur)) return;
LatexTables::addHLine(cur,-1,true);
}
void Texmaker::findWordRepetions(){
if (!currentEditorView()) return;
if(configManager.editorConfig && !configManager.editorConfig->inlineSpellChecking){
QMessageBox::information(this,tr("Problem"),tr("Finding word repetitions only works with activated online spell checking !"),QMessageBox::Ok);
return;
}
QDialog *dlg=new QDialog(this);
dlg->setAttribute(Qt::WA_DeleteOnClose,true);
dlg->setWindowTitle(tr("Find word repetitions"));
QGridLayout *layout = new QGridLayout;
layout->setColumnStretch(1, 1);
layout->setColumnStretch(0, 1);
QPushButton *btNext= new QPushButton(tr("&Find next"), dlg);
btNext->setObjectName("next");
QPushButton *btPrev= new QPushButton(tr("&Find previous"), dlg);
btPrev->setObjectName("prev");
QPushButton *btClose= new QPushButton(tr("&Close"), dlg);
btClose->setObjectName("close");
layout->addWidget(btNext,0,0);
layout->addWidget(btPrev,0,1);
layout->addWidget(btClose,0,2);
dlg->setLayout(layout);
connect(btNext,SIGNAL(clicked()),this,SLOT(findNextWordRepetion()));
connect(btPrev,SIGNAL(clicked()),this,SLOT(findNextWordRepetion()));
connect(btClose,SIGNAL(clicked()),dlg,SLOT(close()));
dlg->setModal(false);
dlg->show();
dlg->raise();
}
void Texmaker::findNextWordRepetion(){
QPushButton *mButton = qobject_cast<QPushButton *>(sender());
bool backward=mButton->objectName()=="prev";
if (!currentEditorView()) return;
typedef QFormatRange (QDocumentLine::*OverlaySearch) (int, int, int);
OverlaySearch overlaySearch = backward?&QDocumentLine::getLastOverlayBetween:&QDocumentLine::getFirstOverlayBetween;
int overlayType = QDocument::formatFactory()->id("styleHint");
QDocumentCursor cur = currentEditor()->cursor();
if (cur.hasSelection()){
if (backward) cur = cur.selectionStart();
else cur = cur.selectionEnd();
}
int lineNr = cur.lineNumber();
QDocumentLine line = cur.line();
int fx = backward?0:(cur.endColumnNumber()+1), tx = backward?cur.startColumnNumber()-1:line.length();
while (line.isValid()){
if (line.hasOverlay(overlayType)){
QFormatRange range = (line.*overlaySearch)(fx, tx, overlayType);
if (range.length > 0){
currentEditor()->setCursor(currentEditor()->document()->cursor(lineNr,range.offset,lineNr,range.offset+range.length));
return;
}
}
if(backward)
lineNr--;
else
lineNr++;
line = currentEditor()->document()->line(lineNr);
fx = 0;
tx = line.length();
}
}
void Texmaker::latexModelViewMode(){
bool mode=documents.model->getSingleDocMode();
documents.model->setSingleDocMode(!mode);
}
void Texmaker::moveDocumentToFront(){
moveDocumentToDest(0);
}
void Texmaker::moveDocumentToEnd(){
moveDocumentToDest(EditorView->count()-1);
}
void Texmaker::moveDocumentToDest(int dest){
StructureEntry *entry = LatexDocumentsModel::indexToStructureEntry(structureTreeView->currentIndex());
if (!entry || entry->type != StructureEntry::SE_DOCUMENT_ROOT) return;
int cur = documents.documents.indexOf(entry->document);
if (cur < 0) return;
EditorView->moveTab(cur, dest);
EditorTabMoved(cur, dest);
}
void Texmaker::importPackage(QString name){
if(!latexStyleParser){
QString cmd_latex=buildManager.getLatexCommand(BuildManager::CMD_LATEX);
QString baseDir;
if(!QFileInfo(cmd_latex).isRelative())
baseDir=QFileInfo(cmd_latex).absolutePath()+"/";
latexStyleParser=new LatexStyleParser(this,configManager.configBaseDir,baseDir+"kpsewhich");
connect(latexStyleParser,SIGNAL(scanCompleted(QString)),this,SLOT(packageScanCompleted(QString)));
connect(latexStyleParser,SIGNAL(finished()),this,SLOT(packageParserFinished()));
latexStyleParser->start();
QTimer::singleShot(30000,this,SLOT(stopPackageParser()));
}
name.chop(4);
name.append(".sty");
latexStyleParser->addFile(name);
name.chop(4);
name.append(".cls"); // try also cls
latexStyleParser->addFile(name);
}
void Texmaker::packageScanCompleted(QString name){
foreach(LatexDocument *doc,documents.documents){
if(doc->containsPackage(name)){
QStringList added(name);
QStringList removed;
doc->updateCompletionFiles(added,removed,false);
}
}
}
void Texmaker::stopPackageParser(){
if(latexStyleParser)
latexStyleParser->stop();
}
void Texmaker::packageParserFinished(){
delete latexStyleParser;
latexStyleParser=0;
}
QString Texmaker::clipboardText(const QClipboard::Mode& mode) const{
return QApplication::clipboard()->text(mode);
}
void Texmaker::setClipboardText(const QString& text, const QClipboard::Mode& mode){
QApplication::clipboard()->setText(text, mode);
}
int Texmaker::getVersion() const{
return TXSVERSION_NUMERIC;
}
void Texmaker::updateHighlighting(){
QStringList envList;
envList<<"math"<<"verbatim";
bool updateNecessary=false;
QMultiHash<QString, QString>::const_iterator it = latexParser.environmentAliases.constBegin();
while (it != latexParser.environmentAliases.constEnd()) {
if(envList.contains(it.value())){
if(!detectedEnvironmentsForHighlighting.contains(it.key())){
detectedEnvironmentsForHighlighting.insert(it.key(),it.value());
updateNecessary=true;
}
}
++it;
}
if(!updateNecessary)
return;
QLanguageDefinition *oldLaTeX = 0, *newLaTeX = 0;
QLanguageFactory::LangData m_lang=m_languages->languageData("(La)TeX");
oldLaTeX = m_lang.d;
Q_ASSERT(oldLaTeX);
QFile f(findResourceFile("qxs/tex.qnfa"));
QDomDocument doc;
doc.setContent(&f);
for (QMap<QString, QVariant>::const_iterator i = configManager.customEnvironments.constBegin(); i != configManager.customEnvironments.constEnd(); ++i){
QString mode=configManager.enviromentModes.value(i.value().toInt(),"verbatim");
addEnvironmentToDom(doc,i.key(),mode);
}
//detected math envs
for (QMap<QString, QString>::const_iterator i = detectedEnvironmentsForHighlighting.constBegin(); i != detectedEnvironmentsForHighlighting.constEnd(); ++i){
QString envMode=i.value()=="verbatim" ? "verbatim" : "numbers";
addEnvironmentToDom(doc,i.key(),envMode);
}
QNFADefinition::load(doc,&m_lang,dynamic_cast<QFormatScheme*>(m_formats));
m_languages->addLanguage(m_lang);
newLaTeX = m_lang.d;
Q_ASSERT(oldLaTeX != newLaTeX);
for (int i=0; i<EditorView->count();i++) {
LatexEditorView* edView=qobject_cast<LatexEditorView*>(EditorView->widget(i));
if (edView) {
QEditor* ed = edView->editor;
//if (customEnvironmentChanged) ed->highlight();
if (ed->languageDefinition() == oldLaTeX) {
ed->setLanguageDefinition(newLaTeX);
ed->highlight();
}
}
}
}
void Texmaker::fileDiff(){
LatexDocument *doc=documents.currentDocument;
if(!doc)
return;
//remove old markers
removeDiffMarkers();
QString currentDir=QDir::homePath();
if (!configManager.lastDocument.isEmpty()) {
QFileInfo fi(configManager.lastDocument);
if (fi.exists() && fi.isReadable()) {
currentDir=fi.absolutePath();
}
}
QStringList files = QFileDialog::getOpenFileNames(this,tr("Open Files"),currentDir,tr("LaTeX Files (*.tex);;All Files (*)"), &selectedFileFilter);
if(files.isEmpty())
return;
//
LatexDocument* doc2=diffLoadDocHidden(files.first());
doc2->setObjectName("diffObejct");
doc2->setParent(doc);
diffDocs(doc,doc2);
//delete doc2;
// show changes (by calling LatexEditorView::documentContentChanged)
LatexEditorView *edView=currentEditorView();
edView->documentContentChanged(0,edView->document->lines());
}
void Texmaker::jumpNextDiff(){
QEditor *m_edit=currentEditor();
if(!m_edit)
return;
QDocumentCursor c=m_edit->cursor();
if(c.hasSelection()){
int l,col;
c.endBoundary(l,col);
c.moveTo(l,col);
}
LatexDocument *doc=documents.currentDocument;
//search for next diff
int lineNr=c.lineNumber();
QVariant var=doc->line(lineNr).getCookie(2);
if(var.isValid()){
DiffList lineData=var.value<DiffList>();
for(int j=0;j<lineData.size();j++){
DiffOp op=lineData.at(j);
if(op.start+op.length>c.columnNumber()){
c.moveTo(lineNr,op.start);
c.moveTo(lineNr,op.start+op.length,QDocumentCursor::KeepAnchor);
m_edit->setCursor(c);
return;
}
}
}
lineNr++;
for(;lineNr<doc->lineCount();lineNr++) {
var=doc->line(lineNr).getCookie(2);
if(var.isValid()){
break;
}
}
if(var.isValid()){
DiffList lineData=var.value<DiffList>();
DiffOp op=lineData.first();
c.moveTo(lineNr,op.start);
c.moveTo(lineNr,op.start+op.length,QDocumentCursor::KeepAnchor);
m_edit->setCursor(c);
}
}
void Texmaker::jumpPrevDiff(){
QEditor *m_edit=currentEditor();
if(!m_edit)
return;
QDocumentCursor c=m_edit->cursor();
if(c.hasSelection()){
int l,col;
c.beginBoundary(l,col);
c.moveTo(l,col);
}
LatexDocument *doc=documents.currentDocument;
//search for next diff
int lineNr=c.lineNumber();
QVariant var=doc->line(lineNr).getCookie(2);
if(var.isValid()){
DiffList lineData=var.value<DiffList>();
for(int j=lineData.size()-1;j>=0;j--){
DiffOp op=lineData.at(j);
if(op.start<c.columnNumber()){
c.moveTo(lineNr,op.start);
c.moveTo(lineNr,op.start+op.length,QDocumentCursor::KeepAnchor);
m_edit->setCursor(c);
return;
}
}
}
lineNr--;
for(;lineNr>=0;lineNr--) {
var=doc->line(lineNr).getCookie(2);
if(var.isValid()){
break;
}
}
if(var.isValid()){
DiffList lineData=var.value<DiffList>();
DiffOp op=lineData.last();
c.moveTo(lineNr,op.start);
c.moveTo(lineNr,op.start+op.length,QDocumentCursor::KeepAnchor);
m_edit->setCursor(c);
}
}
void Texmaker::removeDiffMarkers(bool theirs){
LatexDocument *doc=documents.currentDocument;
if(!doc)
return;
diffRemoveMarkers(doc,theirs);
QList<QObject *>lst=doc->children();
qDeleteAll(lst);
LatexEditorView *edView=currentEditorView();
edView->documentContentChanged(0,edView->document->lines());
}
void Texmaker::editChangeDiff(QPoint pt){
LatexDocument *doc=documents.currentDocument;
if(!doc)
return;
bool theirs=(pt.x()<0);
int ln=pt.x();
if(ln<0)
ln=-ln-1;
int col=pt.y();
diffChange(doc,ln,col,theirs);
LatexEditorView *edView=currentEditorView();
edView->documentContentChanged(0,edView->document->lines());
}
void Texmaker::fileDiffMerge(){
LatexDocument *doc=documents.currentDocument;
if(!doc)
return;
diffMerge(doc);
LatexEditorView *edView=currentEditorView();
edView->documentContentChanged(0,edView->document->lines());
}
LatexDocument* Texmaker::diffLoadDocHidden(QString f){
QString f_real=f;
#ifdef Q_WS_WIN
QRegExp regcheck("/([a-zA-Z]:[/\\\\].*)");
if (regcheck.exactMatch(f)) f_real=regcheck.cap(1);
#endif
if (!QFile::exists(f_real)) return 0;
LatexDocument *doc=new LatexDocument(this);
LatexEditorView *edit = new LatexEditorView(0,configManager.editorConfig,doc);
edit->document=doc;
edit->document->setEditorView(edit);
QFile file(f_real);
if (!file.open(QIODevice::ReadOnly)) {
QMessageBox::warning(this,tr("Error"), tr("You do not have read permission to this file."));
return 0;
}
file.close();
if (edit->editor->fileInfo().suffix()!="tex")
m_languages->setLanguage(edit->editor, f_real);
//QTime time;
//time.start();
edit->editor->load(f_real,QDocument::defaultCodec());
//qDebug() << "Load time: " << time.elapsed();
edit->editor->document()->setLineEndingDirect(edit->editor->document()->originalLineEnding());
edit->document->setEditorView(edit); //update file name (if document didn't exist)
return doc;
}
void Texmaker::fileDiff3(){
LatexDocument *doc=documents.currentDocument;
if(!doc)
return;
//remove old markers
removeDiffMarkers();
QString currentDir=QDir::homePath();
if (!configManager.lastDocument.isEmpty()) {
QFileInfo fi(configManager.lastDocument);
if (fi.exists() && fi.isReadable()) {
currentDir=fi.absolutePath();
}
}
QStringList files = QFileDialog::getOpenFileNames(this,tr("Open Compare File"),currentDir,tr("LaTeX Files (*.tex);;All Files (*)"), &selectedFileFilter);
if(files.isEmpty())
return;
QStringList basefiles = QFileDialog::getOpenFileNames(this,tr("Open Base File"),currentDir,tr("LaTeX Files (*.tex);;All Files (*)"), &selectedFileFilter);
if(basefiles.isEmpty())
return;
showDiff3(files.first(),basefiles.first());
}
void Texmaker::showDiff3(const QString file1,const QString file2){
LatexDocument *doc=documents.currentDocument;
if(!doc)
return;
LatexDocument* doc2=diffLoadDocHidden(file1);
doc2->setObjectName("diffObejct");
doc2->setParent(doc);
LatexDocument* docBase=diffLoadDocHidden(file2);
docBase->setObjectName("baseObejct");
docBase->setParent(doc);
diffDocs(doc2,docBase,true);
diffDocs(doc,doc2);
// show changes (by calling LatexEditorView::documentContentChanged)
LatexEditorView *edView=currentEditorView();
edView->documentContentChanged(0,edView->document->lines());
}
void Texmaker::declareConflictResolved(){
LatexDocument *doc=documents.currentDocument;
if(!doc)
return;
QString fn=doc->getFileName();
QString cmd=buildManager.getLatexCommand(BuildManager::CMD_SVN);
cmd+=" resolve --accept working \""+fn+("\"");
statusLabelProcess->setText(QString(" svn resolve conflict "));
runCommand(cmd, RCF_WAIT_FOR_FINISHED);
checkin(fn,"txs: commit after resolve");
}
void Texmaker::fileInConflict(){
QEditor *mEditor = qobject_cast<QEditor *>(sender());
int ret = QMessageBox::warning(this,
tr("Conflict!"),
tr(
"%1\nhas been modified by another application.\n"
"Press \"OK\" to show differences\n"
"Press \"Cancel\"to do nothing.\n"
).arg(mEditor->fileName()),
QMessageBox::Ok
|
QMessageBox::Cancel
);
if(ret==QMessageBox::Ok){
//remove old markers
removeDiffMarkers();
if(!checkSVNConflicted(false)){
LatexDocument* doc2=diffLoadDocHidden(mEditor->fileName());
if(!doc2)
return;
LatexDocument* doc=qobject_cast<LatexDocument*>(mEditor->document());
doc2->setObjectName("diffObejct");
doc2->setParent(doc);
diffDocs(doc,doc2);
//delete doc2;
// show changes (by calling LatexEditorView::documentContentChanged)
LatexEditorView *edView=doc->getEditorView();
if(edView)
edView->documentContentChanged(0,edView->document->lines());
}
}
}
bool Texmaker::checkSVNConflicted(bool substituteContents){
LatexDocument *doc=documents.currentDocument;
if(!doc)
return false;
QString fn=doc->getFileName();
QFileInfo qf(fn+".mine");
if(qf.exists()){
SVNSTATUS status=svnStatus(fn);
if(status==InConflict){
int ret = QMessageBox::warning(this,
tr("SVN Conflict!"),
tr(
"%1is conflicted with repository.\n"
"Press \"OK\" to show differences instead of the generated source by subversion\n"
"Press \"Cancel\"to do nothing.\n"
).arg(doc->getFileName()),
QMessageBox::Ok
|
QMessageBox::Cancel
);
if(ret==QMessageBox::Ok){
QString path=qf.absolutePath();
QDir dir(path);
dir.setSorting(QDir::Name);
qf.setFile(fn);
QString filter=qf.fileName()+".r*";
QFileInfoList list = dir.entryInfoList(QStringList(filter));
QStringList lst;
foreach(QFileInfo elem,list){
lst<<elem.absoluteFilePath();
}
if(lst.count()!=2)
return false;
if(substituteContents){
QTextCodec *codec=doc->codec();
doc->load(fn+".mine",codec);
}
QString baseFile=lst.takeFirst();
QString compFile=lst.takeFirst();
showDiff3(compFile,baseFile);
return true;
}
}
}
return false;
}
|