1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813 1814 1815 1816 1817 1818 1819 1820 1821 1822 1823 1824 1825 1826 1827 1828 1829 1830 1831 1832 1833 1834 1835 1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849 1850 1851 1852 1853 1854 1855 1856 1857 1858 1859 1860 1861 1862 1863 1864 1865 1866 1867 1868 1869 1870 1871 1872 1873 1874 1875 1876 1877 1878 1879 1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896 1897 1898 1899 1900 1901 1902 1903 1904 1905 1906 1907 1908 1909 1910 1911 1912 1913 1914 1915 1916 1917 1918 1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935 1936 1937 1938 1939 1940 1941 1942 1943 1944 1945 1946 1947 1948 1949 1950 1951 1952 1953 1954 1955 1956 1957 1958 1959 1960 1961 1962 1963 1964 1965 1966 1967 1968 1969 1970 1971 1972 1973 1974 1975 1976 1977 1978 1979 1980 1981 1982 1983 1984 1985 1986 1987 1988 1989 1990 1991 1992 1993 1994 1995 1996 1997 1998 1999 2000 2001 2002 2003 2004 2005 2006 2007 2008 2009 2010 2011 2012 2013 2014 2015 2016 2017 2018 2019 2020 2021 2022 2023 2024 2025 2026 2027 2028 2029 2030 2031 2032 2033 2034 2035 2036 2037 2038 2039 2040 2041 2042 2043 2044 2045 2046 2047 2048 2049 2050 2051 2052 2053 2054 2055 2056 2057 2058 2059 2060 2061 2062 2063 2064 2065 2066 2067 2068 2069 2070 2071 2072 2073 2074 2075 2076 2077 2078 2079 2080 2081 2082 2083 2084 2085 2086 2087 2088 2089 2090 2091 2092 2093 2094 2095 2096 2097 2098 2099 2100 2101 2102 2103 2104 2105 2106 2107 2108 2109 2110 2111 2112 2113 2114 2115 2116 2117 2118 2119 2120 2121 2122 2123 2124 2125 2126 2127 2128 2129 2130 2131 2132 2133 2134 2135 2136 2137 2138 2139 2140 2141 2142 2143 2144 2145 2146 2147 2148 2149 2150 2151 2152 2153 2154 2155 2156 2157 2158 2159 2160 2161 2162 2163 2164 2165 2166 2167 2168 2169 2170 2171 2172 2173 2174 2175 2176 2177 2178 2179 2180 2181 2182 2183 2184 2185 2186 2187 2188 2189 2190 2191 2192 2193 2194 2195 2196 2197 2198 2199 2200 2201 2202 2203 2204 2205 2206 2207 2208 2209 2210 2211 2212 2213 2214 2215 2216 2217 2218 2219 2220 2221 2222 2223 2224 2225 2226 2227 2228 2229 2230 2231 2232 2233 2234 2235 2236 2237 2238 2239 2240 2241 2242 2243 2244 2245 2246 2247 2248 2249 2250 2251 2252 2253 2254 2255 2256 2257 2258 2259 2260 2261 2262 2263 2264 2265 2266 2267 2268 2269 2270 2271 2272 2273 2274 2275 2276 2277 2278 2279 2280 2281 2282 2283 2284 2285 2286 2287 2288 2289 2290 2291 2292 2293 2294 2295 2296 2297 2298 2299 2300 2301 2302 2303 2304 2305 2306 2307 2308 2309 2310 2311 2312 2313 2314 2315 2316 2317 2318 2319 2320 2321 2322 2323 2324 2325 2326 2327 2328 2329 2330 2331 2332 2333 2334 2335 2336 2337 2338 2339 2340 2341 2342 2343 2344 2345 2346 2347 2348 2349 2350 2351 2352 2353 2354 2355 2356 2357 2358 2359 2360 2361 2362 2363 2364 2365 2366 2367 2368 2369 2370 2371 2372 2373 2374 2375 2376 2377 2378 2379 2380 2381 2382 2383 2384 2385 2386 2387 2388 2389 2390 2391 2392 2393 2394 2395 2396 2397 2398 2399 2400 2401 2402 2403 2404 2405 2406 2407 2408 2409 2410 2411 2412 2413 2414 2415 2416 2417 2418 2419 2420 2421 2422 2423 2424 2425 2426 2427 2428 2429 2430 2431 2432 2433 2434 2435 2436 2437 2438 2439 2440 2441 2442 2443 2444 2445 2446 2447 2448 2449 2450 2451 2452 2453 2454 2455 2456 2457 2458 2459 2460 2461 2462 2463 2464 2465 2466 2467 2468 2469 2470 2471 2472 2473 2474 2475 2476 2477 2478 2479 2480 2481 2482 2483 2484 2485 2486 2487 2488 2489 2490 2491 2492 2493 2494 2495 2496 2497 2498 2499 2500 2501 2502 2503 2504 2505 2506 2507 2508 2509 2510 2511 2512 2513 2514 2515 2516 2517 2518 2519 2520 2521 2522 2523 2524 2525 2526 2527 2528 2529 2530 2531 2532 2533 2534 2535 2536 2537 2538 2539 2540 2541 2542 2543 2544 2545 2546 2547 2548 2549 2550 2551 2552 2553 2554 2555 2556 2557 2558 2559 2560 2561 2562 2563 2564 2565 2566 2567 2568 2569 2570 2571 2572 2573 2574 2575 2576 2577 2578 2579 2580 2581 2582 2583 2584 2585 2586 2587 2588 2589 2590 2591 2592 2593 2594 2595 2596 2597 2598 2599 2600 2601 2602 2603 2604 2605 2606 2607 2608 2609 2610 2611 2612 2613 2614 2615 2616 2617 2618 2619 2620 2621 2622 2623 2624 2625 2626 2627 2628 2629 2630 2631 2632 2633 2634 2635 2636 2637 2638 2639 2640 2641 2642 2643 2644 2645 2646 2647 2648 2649 2650 2651 2652 2653 2654 2655 2656 2657 2658 2659 2660 2661 2662 2663 2664 2665 2666 2667 2668 2669 2670 2671 2672 2673 2674 2675 2676 2677 2678 2679 2680 2681 2682 2683 2684 2685 2686 2687 2688 2689 2690 2691 2692 2693 2694 2695 2696 2697 2698 2699 2700 2701 2702 2703 2704 2705 2706 2707 2708 2709 2710 2711 2712 2713 2714 2715 2716 2717 2718 2719 2720 2721 2722 2723 2724 2725 2726 2727 2728 2729 2730 2731 2732 2733 2734 2735 2736 2737 2738 2739 2740 2741 2742 2743 2744 2745 2746 2747 2748 2749 2750 2751 2752 2753 2754 2755 2756 2757 2758 2759 2760 2761 2762 2763 2764 2765 2766 2767 2768 2769 2770 2771 2772 2773 2774 2775 2776 2777 2778 2779 2780 2781 2782 2783 2784 2785 2786 2787 2788 2789 2790 2791 2792 2793 2794 2795 2796 2797 2798 2799 2800 2801 2802 2803 2804 2805 2806 2807 2808 2809 2810 2811 2812 2813 2814 2815 2816 2817 2818 2819 2820 2821 2822 2823 2824 2825 2826 2827 2828 2829 2830 2831 2832 2833 2834 2835 2836 2837 2838 2839 2840 2841 2842 2843 2844 2845 2846 2847 2848 2849 2850 2851 2852 2853 2854 2855 2856 2857 2858 2859 2860 2861 2862 2863 2864 2865 2866 2867 2868 2869 2870 2871 2872 2873 2874 2875 2876 2877 2878 2879 2880 2881 2882 2883 2884 2885 2886 2887 2888 2889 2890 2891 2892 2893 2894 2895 2896 2897 2898 2899 2900 2901 2902 2903 2904 2905 2906 2907 2908 2909 2910 2911 2912 2913 2914 2915 2916 2917 2918 2919 2920 2921 2922 2923 2924 2925 2926 2927 2928 2929 2930 2931 2932 2933 2934 2935 2936 2937 2938 2939 2940 2941 2942 2943 2944 2945 2946 2947 2948 2949 2950 2951 2952 2953 2954 2955 2956 2957 2958 2959 2960 2961 2962 2963 2964 2965 2966 2967 2968 2969 2970 2971 2972 2973 2974 2975 2976 2977 2978 2979 2980 2981 2982 2983 2984 2985 2986 2987 2988 2989 2990 2991 2992 2993 2994 2995 2996 2997 2998 2999 3000 3001 3002 3003 3004 3005 3006 3007 3008 3009 3010 3011 3012 3013 3014 3015 3016 3017 3018 3019 3020 3021 3022 3023 3024 3025 3026 3027 3028 3029 3030 3031 3032 3033 3034 3035 3036 3037 3038 3039 3040 3041 3042 3043 3044 3045 3046 3047 3048 3049 3050 3051 3052 3053 3054 3055 3056 3057 3058 3059 3060 3061 3062 3063 3064 3065 3066 3067 3068 3069 3070 3071 3072 3073 3074 3075 3076 3077 3078 3079 3080 3081 3082 3083 3084 3085 3086 3087 3088 3089 3090 3091 3092 3093 3094 3095 3096 3097 3098 3099 3100 3101 3102 3103 3104 3105 3106 3107 3108 3109 3110 3111 3112 3113 3114 3115 3116 3117 3118 3119 3120 3121 3122 3123 3124 3125 3126 3127 3128 3129 3130 3131 3132 3133 3134 3135 3136 3137 3138 3139 3140 3141 3142 3143 3144 3145 3146 3147 3148 3149 3150 3151 3152 3153 3154 3155 3156 3157 3158 3159 3160 3161 3162 3163 3164 3165 3166 3167 3168 3169 3170 3171 3172 3173 3174 3175 3176 3177 3178 3179 3180 3181 3182 3183 3184 3185 3186 3187 3188 3189 3190 3191 3192 3193 3194 3195 3196 3197 3198 3199 3200 3201 3202 3203 3204 3205 3206 3207 3208 3209 3210 3211 3212 3213 3214 3215 3216 3217 3218 3219 3220 3221 3222 3223 3224 3225 3226 3227 3228 3229 3230 3231 3232 3233 3234 3235 3236 3237 3238 3239 3240 3241 3242 3243 3244 3245 3246 3247 3248 3249 3250 3251 3252 3253 3254 3255 3256 3257 3258 3259 3260 3261 3262 3263 3264 3265 3266 3267 3268 3269 3270 3271 3272 3273 3274 3275 3276 3277 3278 3279 3280 3281 3282 3283 3284 3285 3286 3287 3288 3289 3290 3291 3292 3293 3294 3295 3296 3297 3298 3299 3300 3301 3302 3303 3304 3305 3306 3307 3308 3309 3310 3311 3312 3313 3314 3315 3316 3317 3318 3319 3320 3321 3322 3323 3324 3325 3326 3327 3328 3329 3330 3331 3332 3333 3334 3335 3336 3337 3338 3339 3340 3341 3342 3343 3344 3345 3346 3347 3348 3349 3350 3351 3352 3353 3354 3355 3356 3357 3358 3359 3360 3361 3362 3363 3364 3365 3366 3367 3368 3369 3370 3371 3372 3373 3374 3375 3376 3377 3378 3379 3380 3381 3382 3383 3384 3385 3386 3387 3388 3389 3390 3391 3392 3393 3394 3395 3396 3397 3398 3399 3400 3401 3402 3403 3404 3405 3406 3407 3408 3409 3410 3411 3412 3413 3414 3415 3416 3417 3418 3419 3420 3421 3422 3423 3424 3425 3426 3427 3428 3429 3430 3431 3432 3433 3434 3435 3436 3437 3438 3439 3440 3441 3442 3443 3444 3445 3446 3447 3448 3449 3450 3451 3452 3453 3454 3455 3456 3457 3458 3459 3460 3461 3462 3463 3464 3465 3466 3467 3468 3469 3470 3471 3472 3473 3474 3475 3476 3477 3478 3479 3480 3481 3482 3483 3484 3485 3486 3487 3488 3489 3490 3491 3492 3493 3494 3495 3496 3497 3498 3499 3500 3501 3502 3503 3504 3505 3506 3507 3508 3509 3510 3511 3512 3513 3514 3515 3516 3517 3518 3519 3520 3521 3522 3523 3524 3525 3526 3527 3528 3529 3530 3531 3532 3533 3534 3535 3536 3537 3538 3539 3540 3541 3542 3543 3544 3545 3546 3547 3548 3549 3550 3551 3552 3553 3554 3555 3556 3557 3558 3559 3560 3561 3562 3563 3564 3565 3566 3567 3568 3569 3570 3571 3572 3573 3574 3575 3576 3577 3578 3579 3580 3581 3582 3583 3584 3585 3586 3587 3588 3589 3590 3591 3592 3593 3594 3595 3596 3597 3598 3599 3600 3601 3602 3603 3604 3605 3606 3607 3608 3609 3610 3611 3612 3613 3614 3615 3616 3617 3618 3619 3620 3621 3622 3623 3624 3625 3626 3627 3628 3629 3630 3631 3632 3633 3634 3635 3636 3637 3638 3639 3640 3641 3642 3643 3644 3645 3646 3647 3648 3649 3650 3651 3652 3653 3654 3655 3656 3657 3658 3659 3660 3661 3662 3663 3664 3665 3666 3667 3668 3669 3670 3671 3672 3673 3674 3675 3676 3677 3678 3679 3680 3681 3682 3683 3684 3685 3686 3687 3688 3689 3690 3691 3692 3693 3694 3695 3696 3697 3698 3699 3700 3701 3702 3703 3704 3705 3706 3707 3708 3709 3710 3711 3712 3713 3714 3715 3716 3717 3718 3719 3720 3721 3722 3723 3724 3725 3726 3727 3728 3729 3730 3731 3732 3733 3734 3735 3736 3737 3738 3739 3740 3741 3742 3743 3744 3745 3746 3747 3748 3749 3750 3751 3752 3753 3754 3755 3756 3757 3758 3759 3760 3761 3762 3763 3764 3765 3766 3767 3768 3769 3770 3771 3772 3773 3774 3775 3776 3777 3778 3779 3780 3781 3782 3783 3784 3785 3786 3787 3788 3789 3790 3791 3792 3793 3794 3795 3796 3797 3798 3799 3800 3801 3802 3803 3804 3805 3806 3807 3808 3809 3810 3811 3812 3813 3814 3815 3816 3817 3818 3819 3820 3821 3822 3823 3824 3825 3826 3827 3828 3829 3830 3831 3832 3833 3834 3835 3836 3837 3838 3839 3840 3841 3842 3843 3844 3845 3846 3847 3848 3849 3850 3851 3852 3853 3854 3855 3856 3857 3858 3859 3860 3861 3862 3863 3864 3865 3866 3867 3868 3869 3870 3871 3872 3873 3874 3875 3876 3877 3878 3879 3880 3881 3882 3883 3884 3885 3886 3887 3888 3889 3890 3891 3892 3893 3894 3895 3896 3897 3898 3899 3900 3901 3902 3903 3904 3905 3906 3907 3908 3909 3910 3911 3912 3913 3914 3915 3916 3917 3918 3919 3920 3921 3922 3923 3924 3925 3926 3927 3928 3929 3930 3931 3932 3933 3934 3935 3936 3937 3938 3939 3940 3941 3942 3943 3944 3945 3946 3947 3948 3949 3950 3951 3952 3953 3954 3955 3956 3957 3958 3959 3960 3961 3962 3963 3964 3965 3966 3967 3968 3969 3970 3971 3972 3973 3974 3975 3976 3977 3978 3979 3980 3981 3982 3983 3984 3985 3986 3987 3988 3989 3990 3991 3992 3993 3994 3995 3996 3997 3998 3999 4000 4001 4002 4003 4004 4005 4006 4007 4008 4009 4010 4011 4012 4013 4014 4015 4016 4017 4018 4019 4020 4021 4022 4023 4024 4025 4026 4027 4028 4029 4030 4031 4032 4033 4034 4035 4036 4037 4038 4039 4040 4041 4042 4043 4044 4045 4046 4047 4048 4049 4050 4051 4052 4053 4054 4055 4056 4057 4058 4059 4060 4061 4062 4063 4064 4065 4066 4067 4068 4069 4070 4071 4072 4073 4074 4075 4076 4077 4078 4079 4080 4081 4082 4083 4084 4085 4086 4087 4088 4089 4090 4091 4092 4093 4094 4095 4096 4097 4098 4099 4100 4101 4102 4103 4104 4105 4106 4107 4108 4109 4110 4111 4112 4113 4114 4115 4116 4117 4118 4119 4120 4121 4122 4123 4124 4125 4126 4127 4128 4129 4130 4131 4132 4133 4134 4135 4136 4137 4138 4139 4140 4141 4142 4143 4144 4145 4146 4147 4148 4149 4150 4151 4152 4153 4154 4155 4156 4157 4158 4159 4160 4161 4162 4163 4164 4165 4166 4167 4168 4169 4170 4171 4172 4173 4174 4175 4176 4177 4178 4179 4180 4181 4182 4183 4184 4185 4186 4187 4188 4189 4190 4191 4192 4193 4194 4195 4196 4197 4198 4199 4200 4201 4202 4203 4204 4205 4206 4207 4208 4209 4210 4211 4212 4213 4214 4215 4216 4217 4218 4219 4220 4221 4222 4223 4224 4225 4226 4227 4228 4229 4230 4231 4232 4233 4234 4235 4236 4237 4238 4239 4240 4241 4242 4243 4244 4245 4246 4247 4248 4249 4250 4251 4252 4253 4254 4255 4256 4257 4258 4259 4260 4261 4262 4263 4264 4265 4266 4267 4268 4269 4270 4271 4272 4273 4274 4275 4276 4277 4278 4279 4280 4281 4282 4283 4284 4285 4286 4287 4288 4289 4290 4291 4292 4293 4294 4295 4296 4297 4298 4299 4300 4301 4302 4303 4304 4305 4306 4307 4308 4309 4310 4311 4312 4313 4314 4315 4316 4317 4318 4319 4320 4321 4322 4323 4324 4325 4326 4327 4328 4329 4330 4331 4332 4333 4334 4335 4336 4337 4338 4339 4340 4341 4342 4343 4344 4345 4346 4347 4348 4349 4350 4351 4352 4353 4354 4355 4356 4357 4358 4359 4360 4361 4362 4363 4364 4365 4366 4367 4368 4369 4370 4371 4372 4373 4374 4375 4376 4377 4378 4379 4380 4381 4382 4383 4384 4385 4386 4387 4388 4389 4390 4391 4392 4393 4394 4395 4396 4397 4398 4399 4400 4401 4402 4403 4404 4405 4406 4407 4408 4409 4410 4411 4412 4413 4414 4415 4416 4417 4418 4419 4420 4421 4422 4423 4424 4425 4426 4427 4428 4429 4430 4431 4432 4433 4434 4435 4436 4437 4438 4439 4440 4441 4442 4443 4444 4445 4446 4447 4448 4449 4450 4451 4452 4453 4454 4455 4456 4457 4458 4459 4460 4461 4462 4463 4464 4465 4466 4467 4468 4469 4470 4471 4472 4473 4474 4475 4476 4477 4478 4479 4480 4481 4482 4483 4484 4485 4486 4487 4488 4489 4490 4491 4492 4493 4494 4495 4496 4497 4498 4499 4500 4501 4502 4503 4504 4505 4506 4507 4508 4509 4510 4511 4512 4513 4514 4515 4516 4517 4518 4519 4520 4521 4522 4523 4524 4525 4526 4527 4528 4529 4530 4531 4532 4533 4534 4535 4536 4537 4538 4539 4540 4541 4542 4543 4544 4545 4546 4547 4548 4549 4550 4551 4552 4553 4554 4555 4556 4557 4558 4559 4560 4561 4562 4563 4564 4565 4566 4567 4568 4569 4570 4571 4572 4573 4574 4575 4576 4577 4578 4579 4580 4581 4582 4583 4584 4585 4586 4587 4588 4589 4590 4591 4592 4593 4594 4595 4596 4597 4598 4599 4600 4601 4602 4603 4604 4605 4606 4607 4608 4609 4610 4611 4612 4613 4614 4615 4616 4617 4618 4619 4620 4621 4622 4623 4624 4625 4626 4627 4628 4629 4630 4631 4632 4633 4634 4635 4636 4637 4638 4639 4640 4641 4642 4643 4644 4645 4646 4647 4648 4649 4650 4651 4652 4653 4654 4655 4656 4657 4658 4659 4660 4661 4662 4663 4664 4665 4666 4667 4668 4669 4670 4671 4672 4673 4674 4675 4676 4677 4678 4679 4680 4681 4682 4683 4684 4685 4686 4687 4688 4689 4690 4691 4692 4693 4694 4695 4696 4697 4698 4699 4700 4701 4702 4703 4704 4705 4706 4707 4708 4709 4710 4711 4712 4713 4714 4715 4716 4717 4718 4719 4720 4721 4722 4723 4724 4725 4726 4727 4728 4729 4730 4731 4732 4733 4734 4735 4736 4737 4738 4739 4740 4741 4742 4743 4744 4745 4746 4747 4748 4749 4750 4751 4752 4753 4754 4755 4756 4757 4758 4759 4760 4761 4762 4763 4764 4765 4766 4767 4768 4769 4770 4771 4772 4773 4774 4775 4776 4777 4778 4779 4780 4781 4782 4783 4784 4785 4786 4787 4788 4789 4790 4791 4792 4793 4794 4795 4796 4797 4798 4799 4800 4801 4802 4803 4804 4805 4806 4807 4808 4809 4810 4811 4812 4813 4814 4815 4816 4817 4818 4819 4820 4821 4822 4823 4824 4825 4826 4827 4828 4829 4830 4831 4832 4833 4834 4835 4836 4837 4838 4839 4840 4841 4842 4843 4844 4845 4846 4847 4848 4849 4850 4851 4852 4853 4854 4855 4856 4857 4858 4859 4860 4861 4862 4863 4864 4865 4866 4867 4868 4869 4870 4871 4872 4873 4874 4875 4876 4877 4878 4879 4880 4881 4882 4883 4884 4885 4886 4887 4888 4889 4890 4891 4892 4893 4894 4895 4896 4897 4898 4899 4900 4901 4902 4903 4904 4905 4906 4907 4908 4909 4910 4911 4912 4913 4914 4915 4916 4917 4918 4919 4920 4921 4922 4923 4924 4925 4926 4927 4928 4929 4930 4931 4932 4933 4934 4935 4936 4937 4938 4939 4940 4941 4942 4943 4944 4945 4946 4947 4948 4949 4950 4951 4952 4953 4954 4955 4956 4957 4958 4959 4960 4961 4962 4963 4964 4965 4966 4967 4968 4969 4970 4971 4972 4973 4974 4975 4976 4977 4978 4979 4980 4981 4982 4983 4984 4985 4986 4987 4988 4989 4990 4991 4992 4993 4994 4995 4996 4997 4998 4999 5000 5001 5002 5003 5004 5005 5006 5007 5008 5009 5010 5011 5012 5013 5014 5015 5016 5017 5018 5019 5020 5021 5022 5023 5024 5025 5026 5027 5028 5029 5030 5031 5032 5033 5034 5035 5036 5037 5038 5039 5040 5041 5042 5043 5044 5045 5046 5047 5048 5049 5050 5051 5052 5053 5054 5055 5056 5057 5058 5059 5060 5061 5062 5063 5064 5065 5066 5067 5068 5069 5070 5071 5072 5073 5074 5075 5076 5077 5078 5079 5080 5081 5082 5083 5084 5085 5086 5087 5088 5089 5090 5091 5092 5093 5094 5095 5096 5097 5098 5099 5100 5101 5102 5103 5104 5105 5106 5107 5108 5109 5110 5111 5112 5113 5114 5115 5116 5117 5118 5119 5120 5121 5122 5123 5124 5125 5126 5127 5128 5129 5130 5131 5132 5133 5134 5135 5136 5137 5138 5139 5140 5141 5142 5143 5144 5145 5146 5147 5148 5149 5150 5151 5152 5153 5154 5155 5156 5157 5158 5159 5160 5161 5162 5163 5164 5165 5166 5167 5168 5169 5170 5171 5172 5173 5174 5175 5176 5177 5178 5179 5180 5181 5182 5183 5184 5185 5186 5187 5188 5189 5190 5191 5192 5193 5194 5195 5196 5197 5198 5199 5200 5201 5202 5203 5204 5205 5206 5207 5208 5209 5210 5211 5212 5213 5214 5215 5216 5217 5218 5219 5220 5221 5222 5223 5224 5225 5226 5227 5228 5229 5230 5231 5232 5233 5234 5235 5236 5237 5238 5239 5240 5241 5242 5243 5244 5245 5246 5247 5248 5249 5250 5251 5252 5253 5254 5255 5256 5257 5258 5259 5260 5261 5262 5263 5264 5265 5266 5267 5268 5269 5270 5271 5272 5273 5274 5275 5276 5277 5278 5279 5280 5281 5282 5283 5284 5285 5286 5287 5288 5289 5290 5291 5292 5293 5294 5295 5296 5297 5298 5299 5300 5301 5302 5303 5304 5305 5306 5307 5308 5309 5310 5311 5312 5313 5314 5315 5316 5317 5318 5319 5320 5321 5322 5323 5324 5325 5326 5327 5328 5329 5330 5331 5332 5333 5334 5335 5336 5337 5338 5339 5340 5341 5342 5343 5344 5345 5346 5347 5348 5349 5350 5351 5352 5353 5354 5355 5356 5357 5358 5359 5360 5361 5362 5363 5364 5365 5366 5367 5368 5369 5370 5371 5372 5373 5374 5375 5376 5377 5378 5379 5380 5381 5382 5383 5384 5385 5386 5387 5388 5389 5390 5391 5392 5393 5394 5395 5396 5397 5398 5399 5400 5401 5402 5403 5404 5405 5406 5407 5408 5409 5410 5411 5412 5413 5414 5415 5416 5417 5418 5419 5420 5421 5422 5423 5424 5425 5426 5427 5428 5429 5430 5431 5432 5433 5434 5435 5436 5437 5438 5439 5440 5441 5442 5443 5444 5445 5446 5447 5448 5449 5450 5451 5452 5453 5454 5455 5456 5457 5458 5459 5460 5461 5462 5463 5464 5465 5466 5467 5468 5469 5470 5471 5472 5473 5474 5475 5476 5477 5478 5479 5480 5481 5482 5483 5484 5485 5486 5487 5488 5489 5490 5491 5492 5493 5494 5495 5496 5497 5498 5499 5500 5501 5502 5503 5504 5505 5506 5507 5508 5509 5510 5511 5512 5513 5514 5515 5516 5517 5518 5519 5520 5521 5522 5523 5524 5525 5526 5527 5528 5529 5530 5531 5532 5533 5534 5535 5536 5537 5538 5539 5540 5541 5542 5543 5544 5545 5546 5547 5548 5549 5550 5551 5552 5553 5554 5555 5556 5557 5558 5559 5560 5561 5562 5563 5564 5565 5566 5567 5568 5569 5570 5571 5572 5573 5574 5575 5576 5577 5578 5579 5580 5581 5582 5583 5584 5585 5586 5587 5588 5589 5590 5591 5592 5593 5594 5595 5596 5597 5598 5599 5600 5601 5602 5603 5604 5605 5606 5607 5608 5609 5610 5611 5612 5613 5614 5615 5616 5617 5618 5619 5620 5621 5622 5623 5624 5625 5626 5627 5628 5629 5630 5631 5632 5633 5634 5635 5636 5637 5638 5639 5640 5641 5642 5643 5644 5645 5646 5647 5648 5649 5650 5651 5652 5653 5654 5655 5656 5657 5658 5659 5660 5661 5662 5663 5664 5665 5666 5667 5668 5669 5670 5671 5672 5673 5674 5675 5676 5677 5678 5679 5680 5681 5682 5683 5684 5685 5686 5687 5688 5689 5690 5691 5692 5693 5694 5695 5696 5697 5698 5699 5700 5701 5702 5703 5704 5705 5706 5707 5708 5709 5710 5711 5712 5713 5714 5715 5716 5717 5718 5719 5720 5721 5722 5723 5724 5725 5726 5727 5728 5729 5730 5731 5732 5733 5734 5735 5736 5737 5738 5739 5740 5741 5742 5743 5744 5745 5746 5747 5748 5749 5750 5751 5752 5753 5754 5755 5756 5757 5758 5759 5760 5761 5762 5763 5764 5765 5766 5767 5768 5769 5770 5771 5772 5773 5774 5775 5776 5777 5778 5779 5780 5781 5782 5783 5784 5785 5786 5787 5788 5789 5790 5791 5792 5793 5794 5795 5796 5797 5798 5799 5800 5801 5802 5803 5804 5805 5806 5807 5808 5809 5810 5811 5812 5813 5814 5815 5816 5817 5818 5819 5820 5821 5822 5823 5824 5825 5826 5827 5828 5829 5830 5831 5832 5833 5834 5835 5836 5837 5838 5839 5840 5841 5842 5843 5844 5845 5846 5847 5848 5849 5850 5851 5852 5853 5854 5855 5856 5857 5858 5859 5860 5861 5862 5863 5864 5865 5866 5867 5868 5869 5870 5871 5872 5873 5874 5875 5876 5877 5878 5879 5880 5881 5882 5883 5884 5885 5886 5887 5888 5889 5890 5891 5892 5893 5894 5895 5896 5897 5898 5899 5900 5901 5902 5903 5904 5905 5906 5907 5908 5909 5910 5911 5912 5913 5914 5915 5916 5917 5918 5919 5920 5921 5922 5923 5924 5925 5926 5927 5928 5929 5930 5931 5932 5933 5934 5935 5936 5937 5938 5939 5940 5941 5942 5943 5944 5945 5946 5947 5948 5949 5950 5951 5952 5953 5954 5955 5956 5957 5958 5959 5960 5961 5962 5963 5964 5965 5966 5967 5968 5969 5970 5971 5972 5973 5974 5975 5976 5977 5978 5979 5980 5981 5982 5983 5984 5985 5986 5987 5988 5989 5990 5991 5992 5993 5994 5995 5996 5997 5998 5999 6000 6001 6002 6003 6004 6005 6006 6007 6008 6009 6010 6011 6012 6013 6014 6015 6016 6017 6018 6019 6020 6021 6022 6023 6024 6025 6026 6027 6028 6029 6030 6031 6032 6033 6034 6035 6036 6037 6038 6039 6040 6041 6042 6043 6044 6045 6046 6047 6048 6049 6050 6051 6052 6053 6054 6055 6056 6057 6058 6059 6060 6061 6062 6063 6064 6065 6066 6067 6068 6069 6070 6071 6072 6073 6074 6075 6076 6077 6078 6079 6080 6081 6082 6083 6084 6085 6086 6087 6088 6089 6090 6091 6092 6093 6094 6095 6096 6097 6098 6099 6100 6101 6102 6103 6104 6105 6106 6107 6108 6109 6110 6111 6112 6113 6114 6115 6116 6117 6118 6119 6120 6121 6122 6123 6124 6125 6126 6127 6128 6129 6130 6131 6132 6133 6134 6135 6136 6137 6138 6139 6140 6141 6142 6143 6144 6145 6146 6147 6148 6149 6150 6151 6152 6153 6154 6155 6156 6157 6158 6159 6160 6161 6162 6163 6164 6165 6166 6167 6168 6169 6170 6171 6172 6173 6174 6175 6176 6177 6178 6179 6180 6181 6182 6183 6184 6185 6186 6187 6188 6189 6190 6191 6192 6193 6194 6195 6196 6197 6198 6199 6200 6201 6202 6203 6204 6205 6206 6207 6208 6209 6210 6211 6212 6213 6214 6215 6216 6217 6218 6219 6220 6221 6222 6223 6224 6225 6226 6227 6228 6229 6230 6231 6232 6233 6234 6235 6236 6237 6238 6239 6240 6241 6242 6243 6244 6245 6246 6247 6248 6249 6250 6251 6252 6253 6254 6255 6256 6257 6258 6259 6260 6261 6262 6263 6264 6265 6266 6267 6268 6269 6270 6271 6272 6273 6274 6275 6276 6277 6278 6279 6280 6281 6282 6283 6284 6285 6286 6287 6288 6289 6290 6291 6292 6293 6294 6295 6296 6297 6298 6299 6300 6301 6302 6303 6304 6305 6306 6307 6308 6309 6310 6311 6312 6313 6314 6315 6316 6317 6318 6319 6320 6321 6322 6323 6324 6325 6326 6327 6328 6329 6330 6331 6332 6333 6334 6335 6336 6337 6338 6339 6340 6341 6342 6343 6344 6345 6346 6347 6348 6349 6350 6351 6352 6353 6354 6355 6356 6357 6358 6359 6360 6361 6362 6363 6364 6365 6366 6367 6368 6369 6370 6371 6372 6373 6374 6375 6376 6377 6378 6379 6380 6381 6382 6383 6384 6385 6386 6387 6388 6389 6390 6391 6392 6393 6394 6395 6396 6397 6398 6399 6400 6401 6402 6403 6404 6405 6406 6407 6408 6409 6410 6411 6412 6413 6414 6415 6416 6417 6418 6419 6420 6421 6422 6423 6424 6425 6426 6427 6428 6429 6430 6431 6432 6433 6434 6435 6436 6437 6438 6439 6440 6441 6442 6443 6444 6445 6446 6447 6448 6449 6450 6451 6452 6453 6454 6455 6456 6457 6458 6459 6460 6461 6462 6463 6464 6465 6466 6467 6468 6469 6470 6471 6472 6473 6474 6475 6476 6477 6478 6479 6480 6481 6482 6483 6484 6485 6486 6487 6488 6489 6490 6491 6492 6493 6494 6495 6496 6497 6498 6499 6500 6501 6502 6503 6504 6505 6506 6507 6508 6509 6510 6511 6512 6513 6514 6515 6516 6517 6518 6519 6520 6521 6522 6523 6524 6525 6526 6527 6528 6529 6530 6531 6532 6533 6534 6535 6536 6537 6538 6539 6540 6541 6542 6543 6544 6545 6546 6547 6548 6549 6550 6551 6552 6553 6554 6555 6556 6557 6558 6559 6560 6561 6562 6563 6564 6565 6566 6567 6568 6569 6570 6571 6572 6573 6574 6575 6576 6577 6578 6579 6580 6581 6582 6583 6584 6585 6586 6587 6588 6589 6590 6591 6592 6593 6594 6595 6596 6597 6598 6599 6600 6601 6602 6603 6604 6605 6606 6607 6608 6609 6610 6611 6612 6613 6614 6615 6616 6617 6618 6619 6620 6621 6622 6623 6624 6625 6626 6627 6628 6629 6630 6631 6632 6633 6634 6635 6636
// ================================================================= // // * WARNING * // // This file is generated! // // Changes made to this file will be overwritten. If changes are // required to the generated code, the service_crategen project // must be updated to generate the changes. // // ================================================================= use std::error::Error; use std::fmt; #[allow(warnings)] use futures::future; use futures::Future; use rusoto_core::credential::ProvideAwsCredentials; use rusoto_core::region; use rusoto_core::request::{BufferedHttpResponse, DispatchSignedRequest}; use rusoto_core::{Client, RusotoError, RusotoFuture}; use rusoto_core::param::{Params, ServiceParams}; use rusoto_core::proto; use rusoto_core::signature::SignedRequest; use serde_json; /// <p>Required when you set (Codec) under (AudioDescriptions)>(CodecSettings) to the value AAC. The service accepts one of two mutually exclusive groups of AAC settings--VBR and CBR. To select one of these modes, set the value of Bitrate control mode (rateControlMode) to "VBR" or "CBR". In VBR mode, you control the audio quality with the setting VBR quality (vbrQuality). In CBR mode, you use the setting Bitrate (bitrate). Defaults and valid values depend on the rate control mode.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct AacSettings { /// <p>Choose BROADCASTER<em>MIXED</em>AD when the input contains pre-mixed main audio + audio description (AD) as a stereo pair. The value for AudioType will be set to 3, which signals to downstream systems that this stream contains "broadcaster mixed AD". Note that the input received by the encoder must contain pre-mixed audio; the encoder does not perform the mixing. When you choose BROADCASTER<em>MIXED</em>AD, the encoder ignores any values you provide in AudioType and FollowInputAudioType. Choose NORMAL when the input does not contain pre-mixed audio + audio description (AD). In this case, the encoder will use any values you provide for AudioType and FollowInputAudioType.</p> #[serde(rename = "AudioDescriptionBroadcasterMix")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_description_broadcaster_mix: Option<String>, /// <p>Average bitrate in bits/second. The set of valid values for this setting is: 6000, 8000, 10000, 12000, 14000, 16000, 20000, 24000, 28000, 32000, 40000, 48000, 56000, 64000, 80000, 96000, 112000, 128000, 160000, 192000, 224000, 256000, 288000, 320000, 384000, 448000, 512000, 576000, 640000, 768000, 896000, 1024000. The value you set is also constrained by the values you choose for Profile (codecProfile), Bitrate control mode (codingMode), and Sample rate (sampleRate). Default values depend on Bitrate control mode and Profile.</p> #[serde(rename = "Bitrate")] #[serde(skip_serializing_if = "Option::is_none")] pub bitrate: Option<i64>, /// <p>AAC Profile.</p> #[serde(rename = "CodecProfile")] #[serde(skip_serializing_if = "Option::is_none")] pub codec_profile: Option<String>, /// <p>Mono (Audio Description), Mono, Stereo, or 5.1 channel layout. Valid values depend on rate control mode and profile. "1.0 - Audio Description (Receiver Mix)" setting receives a stereo description plus control track and emits a mono AAC encode of the description track, with control data emitted in the PES header as per ETSI TS 101 154 Annex E.</p> #[serde(rename = "CodingMode")] #[serde(skip_serializing_if = "Option::is_none")] pub coding_mode: Option<String>, /// <p>Rate Control Mode.</p> #[serde(rename = "RateControlMode")] #[serde(skip_serializing_if = "Option::is_none")] pub rate_control_mode: Option<String>, /// <p>Enables LATM/LOAS AAC output. Note that if you use LATM/LOAS AAC in an output, you must choose "No container" for the output container.</p> #[serde(rename = "RawFormat")] #[serde(skip_serializing_if = "Option::is_none")] pub raw_format: Option<String>, /// <p>Sample rate in Hz. Valid values depend on rate control mode and profile.</p> #[serde(rename = "SampleRate")] #[serde(skip_serializing_if = "Option::is_none")] pub sample_rate: Option<i64>, /// <p>Use MPEG-2 AAC instead of MPEG-4 AAC audio for raw or MPEG-2 Transport Stream containers.</p> #[serde(rename = "Specification")] #[serde(skip_serializing_if = "Option::is_none")] pub specification: Option<String>, /// <p>VBR Quality Level - Only used if rate<em>control</em>mode is VBR.</p> #[serde(rename = "VbrQuality")] #[serde(skip_serializing_if = "Option::is_none")] pub vbr_quality: Option<String>, } /// <p>Required when you set (Codec) under (AudioDescriptions)>(CodecSettings) to the value AC3.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct Ac3Settings { /// <p>Average bitrate in bits/second. Valid bitrates depend on the coding mode.</p> #[serde(rename = "Bitrate")] #[serde(skip_serializing_if = "Option::is_none")] pub bitrate: Option<i64>, /// <p>Specifies the "Bitstream Mode" (bsmod) for the emitted AC-3 stream. See ATSC A/52-2012 for background on these values.</p> #[serde(rename = "BitstreamMode")] #[serde(skip_serializing_if = "Option::is_none")] pub bitstream_mode: Option<String>, /// <p>Dolby Digital coding mode. Determines number of channels.</p> #[serde(rename = "CodingMode")] #[serde(skip_serializing_if = "Option::is_none")] pub coding_mode: Option<String>, /// <p>Sets the dialnorm for the output. If blank and input audio is Dolby Digital, dialnorm will be passed through.</p> #[serde(rename = "Dialnorm")] #[serde(skip_serializing_if = "Option::is_none")] pub dialnorm: Option<i64>, /// <p>If set to FILM_STANDARD, adds dynamic range compression signaling to the output bitstream as defined in the Dolby Digital specification.</p> #[serde(rename = "DynamicRangeCompressionProfile")] #[serde(skip_serializing_if = "Option::is_none")] pub dynamic_range_compression_profile: Option<String>, /// <p>Applies a 120Hz lowpass filter to the LFE channel prior to encoding. Only valid with 3<em>2</em>LFE coding mode.</p> #[serde(rename = "LfeFilter")] #[serde(skip_serializing_if = "Option::is_none")] pub lfe_filter: Option<String>, /// <p>When set to FOLLOW_INPUT, encoder metadata will be sourced from the DD, DD+, or DolbyE decoder that supplied this audio data. If audio was not supplied from one of these streams, then the static metadata settings will be used.</p> #[serde(rename = "MetadataControl")] #[serde(skip_serializing_if = "Option::is_none")] pub metadata_control: Option<String>, /// <p>Sample rate in hz. Sample rate is always 48000.</p> #[serde(rename = "SampleRate")] #[serde(skip_serializing_if = "Option::is_none")] pub sample_rate: Option<i64>, } /// <p>Accelerated transcoding can significantly speed up jobs with long, visually complex content. Outputs that use this feature incur pro-tier pricing. For information about feature limitations, see the AWS Elemental MediaConvert User Guide.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct AccelerationSettings { /// <p>Acceleration configuration for the job.</p> #[serde(rename = "Mode")] pub mode: String, } /// <p>Required when you set (Codec) under (AudioDescriptions)>(CodecSettings) to the value AIFF.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct AiffSettings { /// <p>Specify Bit depth (BitDepth), in bits per sample, to choose the encoding quality for this audio track.</p> #[serde(rename = "BitDepth")] #[serde(skip_serializing_if = "Option::is_none")] pub bit_depth: Option<i64>, /// <p>Set Channels to specify the number of channels in this output audio track. Choosing Mono in the console will give you 1 output channel; choosing Stereo will give you 2. In the API, valid values are 1 and 2.</p> #[serde(rename = "Channels")] #[serde(skip_serializing_if = "Option::is_none")] pub channels: Option<i64>, /// <p>Sample rate in hz.</p> #[serde(rename = "SampleRate")] #[serde(skip_serializing_if = "Option::is_none")] pub sample_rate: Option<i64>, } /// <p>Settings for ancillary captions source.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct AncillarySourceSettings { /// <p>Specifies the 608 channel number in the ancillary data track from which to extract captions. Unused for passthrough.</p> #[serde(rename = "SourceAncillaryChannelNumber")] #[serde(skip_serializing_if = "Option::is_none")] pub source_ancillary_channel_number: Option<i64>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct AssociateCertificateRequest { /// <p>The ARN of the ACM certificate that you want to associate with your MediaConvert resource.</p> #[serde(rename = "Arn")] pub arn: String, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct AssociateCertificateResponse {} /// <p>Audio codec settings (CodecSettings) under (AudioDescriptions) contains the group of settings related to audio encoding. The settings in this group vary depending on the value you choose for Audio codec (Codec). For each codec enum you choose, define the corresponding settings object. The following lists the codec enum, settings object pairs. * AAC, AacSettings * MP2, Mp2Settings * WAV, WavSettings * AIFF, AiffSettings * AC3, Ac3Settings * EAC3, Eac3Settings</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct AudioCodecSettings { /// <p>Required when you set (Codec) under (AudioDescriptions)>(CodecSettings) to the value AAC. The service accepts one of two mutually exclusive groups of AAC settings--VBR and CBR. To select one of these modes, set the value of Bitrate control mode (rateControlMode) to "VBR" or "CBR". In VBR mode, you control the audio quality with the setting VBR quality (vbrQuality). In CBR mode, you use the setting Bitrate (bitrate). Defaults and valid values depend on the rate control mode.</p> #[serde(rename = "AacSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub aac_settings: Option<AacSettings>, /// <p>Required when you set (Codec) under (AudioDescriptions)>(CodecSettings) to the value AC3.</p> #[serde(rename = "Ac3Settings")] #[serde(skip_serializing_if = "Option::is_none")] pub ac_3_settings: Option<Ac3Settings>, /// <p>Required when you set (Codec) under (AudioDescriptions)>(CodecSettings) to the value AIFF.</p> #[serde(rename = "AiffSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub aiff_settings: Option<AiffSettings>, /// <p>Type of Audio codec.</p> #[serde(rename = "Codec")] #[serde(skip_serializing_if = "Option::is_none")] pub codec: Option<String>, /// <p>Required when you set (Codec) under (AudioDescriptions)>(CodecSettings) to the value EAC3.</p> #[serde(rename = "Eac3Settings")] #[serde(skip_serializing_if = "Option::is_none")] pub eac_3_settings: Option<Eac3Settings>, /// <p>Required when you set (Codec) under (AudioDescriptions)>(CodecSettings) to the value MP2.</p> #[serde(rename = "Mp2Settings")] #[serde(skip_serializing_if = "Option::is_none")] pub mp_2_settings: Option<Mp2Settings>, /// <p>Required when you set (Codec) under (AudioDescriptions)>(CodecSettings) to the value WAV.</p> #[serde(rename = "WavSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub wav_settings: Option<WavSettings>, } /// <p>Description of audio output</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct AudioDescription { /// <p>Advanced audio normalization settings.</p> #[serde(rename = "AudioNormalizationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_normalization_settings: Option<AudioNormalizationSettings>, /// <p>Specifies which audio data to use from each input. In the simplest case, specify an "Audio Selector":#inputs-audio<em>selector by name based on its order within each input. For example if you specify "Audio Selector 3", then the third audio selector will be used from each input. If an input does not have an "Audio Selector 3", then the audio selector marked as "default" in that input will be used. If there is no audio selector marked as "default", silence will be inserted for the duration of that input. Alternatively, an "Audio Selector Group":#inputs-audio</em>selector<em>group name may be specified, with similar default/silence behavior. If no audio</em>source_name is specified, then "Audio Selector 1" will be chosen automatically.</p> #[serde(rename = "AudioSourceName")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_source_name: Option<String>, /// <p>Applies only if Follow Input Audio Type is unchecked (false). A number between 0 and 255. The following are defined in ISO-IEC 13818-1: 0 = Undefined, 1 = Clean Effects, 2 = Hearing Impaired, 3 = Visually Impaired Commentary, 4-255 = Reserved.</p> #[serde(rename = "AudioType")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_type: Option<i64>, /// <p>When set to FOLLOW<em>INPUT, if the input contains an ISO 639 audio</em>type, then that value is passed through to the output. If the input contains no ISO 639 audio<em>type, the value in Audio Type is included in the output. Otherwise the value in Audio Type is included in the output. Note that this field and audioType are both ignored if audioDescriptionBroadcasterMix is set to BROADCASTER</em>MIXED_AD.</p> #[serde(rename = "AudioTypeControl")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_type_control: Option<String>, /// <p>Audio codec settings (CodecSettings) under (AudioDescriptions) contains the group of settings related to audio encoding. The settings in this group vary depending on the value you choose for Audio codec (Codec). For each codec enum you choose, define the corresponding settings object. The following lists the codec enum, settings object pairs. * AAC, AacSettings * MP2, Mp2Settings * WAV, WavSettings * AIFF, AiffSettings * AC3, Ac3Settings * EAC3, Eac3Settings</p> #[serde(rename = "CodecSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub codec_settings: Option<AudioCodecSettings>, /// <p>Specify the language for this audio output track, using the ISO 639-2 or ISO 639-3 three-letter language code. The language specified will be used when 'Follow Input Language Code' is not selected or when 'Follow Input Language Code' is selected but there is no ISO 639 language code specified by the input.</p> #[serde(rename = "CustomLanguageCode")] #[serde(skip_serializing_if = "Option::is_none")] pub custom_language_code: Option<String>, /// <p>Indicates the language of the audio output track. The ISO 639 language specified in the 'Language Code' drop down will be used when 'Follow Input Language Code' is not selected or when 'Follow Input Language Code' is selected but there is no ISO 639 language code specified by the input.</p> #[serde(rename = "LanguageCode")] #[serde(skip_serializing_if = "Option::is_none")] pub language_code: Option<String>, /// <p>Choosing FOLLOW<em>INPUT will cause the ISO 639 language code of the output to follow the ISO 639 language code of the input. The language specified for languageCode' will be used when USE</em>CONFIGURED is selected or when FOLLOW_INPUT is selected but there is no ISO 639 language code specified by the input.</p> #[serde(rename = "LanguageCodeControl")] #[serde(skip_serializing_if = "Option::is_none")] pub language_code_control: Option<String>, /// <p>Advanced audio remixing settings.</p> #[serde(rename = "RemixSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub remix_settings: Option<RemixSettings>, /// <p>Used for MS Smooth and Apple HLS outputs. Indicates the name displayed by the player (eg. English, or Director Commentary). Alphanumeric characters, spaces, and underscore are legal.</p> #[serde(rename = "StreamName")] #[serde(skip_serializing_if = "Option::is_none")] pub stream_name: Option<String>, } /// <p>Advanced audio normalization settings.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct AudioNormalizationSettings { /// <p>Audio normalization algorithm to use. 1770-1 conforms to the CALM Act specification, 1770-2 conforms to the EBU R-128 specification.</p> #[serde(rename = "Algorithm")] #[serde(skip_serializing_if = "Option::is_none")] pub algorithm: Option<String>, /// <p>When enabled the output audio is corrected using the chosen algorithm. If disabled, the audio will be measured but not adjusted.</p> #[serde(rename = "AlgorithmControl")] #[serde(skip_serializing_if = "Option::is_none")] pub algorithm_control: Option<String>, /// <p>Content measuring above this level will be corrected to the target level. Content measuring below this level will not be corrected. Gating only applies when not using real<em>time</em>correction.</p> #[serde(rename = "CorrectionGateLevel")] #[serde(skip_serializing_if = "Option::is_none")] pub correction_gate_level: Option<i64>, /// <p>If set to LOG, log each output's audio track loudness to a CSV file.</p> #[serde(rename = "LoudnessLogging")] #[serde(skip_serializing_if = "Option::is_none")] pub loudness_logging: Option<String>, /// <p>If set to TRUE_PEAK, calculate and log the TruePeak for each output's audio track loudness.</p> #[serde(rename = "PeakCalculation")] #[serde(skip_serializing_if = "Option::is_none")] pub peak_calculation: Option<String>, /// <p>Target LKFS(loudness) to adjust volume to. If no value is entered, a default value will be used according to the chosen algorithm. The CALM Act (1770-1) recommends a target of -24 LKFS. The EBU R-128 specification (1770-2) recommends a target of -23 LKFS.</p> #[serde(rename = "TargetLkfs")] #[serde(skip_serializing_if = "Option::is_none")] pub target_lkfs: Option<f64>, } /// <p>Selector for Audio</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct AudioSelector { /// <p>Selects a specific language code from within an audio source, using the ISO 639-2 or ISO 639-3 three-letter language code</p> #[serde(rename = "CustomLanguageCode")] #[serde(skip_serializing_if = "Option::is_none")] pub custom_language_code: Option<String>, /// <p>Enable this setting on one audio selector to set it as the default for the job. The service uses this default for outputs where it can't find the specified input audio. If you don't set a default, those outputs have no audio.</p> #[serde(rename = "DefaultSelection")] #[serde(skip_serializing_if = "Option::is_none")] pub default_selection: Option<String>, /// <p>Specifies audio data from an external file source.</p> #[serde(rename = "ExternalAudioFileInput")] #[serde(skip_serializing_if = "Option::is_none")] pub external_audio_file_input: Option<String>, /// <p>Selects a specific language code from within an audio source.</p> #[serde(rename = "LanguageCode")] #[serde(skip_serializing_if = "Option::is_none")] pub language_code: Option<String>, /// <p>Specifies a time delta in milliseconds to offset the audio from the input video.</p> #[serde(rename = "Offset")] #[serde(skip_serializing_if = "Option::is_none")] pub offset: Option<i64>, /// <p>Selects a specific PID from within an audio source (e.g. 257 selects PID 0x101).</p> #[serde(rename = "Pids")] #[serde(skip_serializing_if = "Option::is_none")] pub pids: Option<Vec<i64>>, /// <p>Use this setting for input streams that contain Dolby E, to have the service extract specific program data from the track. To select multiple programs, create multiple selectors with the same Track and different Program numbers. In the console, this setting is visible when you set Selector type to Track. Choose the program number from the dropdown list. If you are sending a JSON file, provide the program ID, which is part of the audio metadata. If your input file has incorrect metadata, you can choose All channels instead of a program number to have the service ignore the program IDs and include all the programs in the track.</p> #[serde(rename = "ProgramSelection")] #[serde(skip_serializing_if = "Option::is_none")] pub program_selection: Option<i64>, /// <p>Use these settings to reorder the audio channels of one input to match those of another input. This allows you to combine the two files into a single output, one after the other.</p> #[serde(rename = "RemixSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub remix_settings: Option<RemixSettings>, /// <p>Specifies the type of the audio selector.</p> #[serde(rename = "SelectorType")] #[serde(skip_serializing_if = "Option::is_none")] pub selector_type: Option<String>, /// <p>Identify a track from the input audio to include in this selector by entering the track index number. To include several tracks in a single audio selector, specify multiple tracks as follows. Using the console, enter a comma-separated list. For examle, type "1,2,3" to include tracks 1 through 3. Specifying directly in your JSON job file, provide the track numbers in an array. For example, "tracks": [1,2,3].</p> #[serde(rename = "Tracks")] #[serde(skip_serializing_if = "Option::is_none")] pub tracks: Option<Vec<i64>>, } /// <p>Group of Audio Selectors</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct AudioSelectorGroup { /// <p>Name of an Audio Selector within the same input to include in the group. Audio selector names are standardized, based on their order within the input (e.g., "Audio Selector 1"). The audio selector name parameter can be repeated to add any number of audio selectors to the group.</p> #[serde(rename = "AudioSelectorNames")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_selector_names: Option<Vec<String>>, } /// <p>Settings for Avail Blanking</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct AvailBlanking { /// <p>Blanking image to be used. Leave empty for solid black. Only bmp and png images are supported.</p> #[serde(rename = "AvailBlankingImage")] #[serde(skip_serializing_if = "Option::is_none")] pub avail_blanking_image: Option<String>, } /// <p>Burn-In Destination Settings.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct BurninDestinationSettings { /// <p>If no explicit x<em>position or y</em>position is provided, setting alignment to centered will place the captions at the bottom center of the output. Similarly, setting a left alignment will align captions to the bottom left of the output. If x and y positions are given in conjunction with the alignment parameter, the font will be justified (either left or centered) relative to those coordinates. This option is not valid for source captions that are STL, 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "Alignment")] #[serde(skip_serializing_if = "Option::is_none")] pub alignment: Option<String>, /// <p>Specifies the color of the rectangle behind the captions. /// All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "BackgroundColor")] #[serde(skip_serializing_if = "Option::is_none")] pub background_color: Option<String>, /// <p>Specifies the opacity of the background rectangle. 255 is opaque; 0 is transparent. Leaving this parameter blank is equivalent to setting it to 0 (transparent). All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "BackgroundOpacity")] #[serde(skip_serializing_if = "Option::is_none")] pub background_opacity: Option<i64>, /// <p>Specifies the color of the burned-in captions. This option is not valid for source captions that are STL, 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "FontColor")] #[serde(skip_serializing_if = "Option::is_none")] pub font_color: Option<String>, /// <p>Specifies the opacity of the burned-in captions. 255 is opaque; 0 is transparent. /// All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "FontOpacity")] #[serde(skip_serializing_if = "Option::is_none")] pub font_opacity: Option<i64>, /// <p>Font resolution in DPI (dots per inch); default is 96 dpi. /// All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "FontResolution")] #[serde(skip_serializing_if = "Option::is_none")] pub font_resolution: Option<i64>, /// <p>Provide the font script, using an ISO 15924 script code, if the LanguageCode is not sufficient for determining the script type. Where LanguageCode or CustomLanguageCode is sufficient, use "AUTOMATIC" or leave unset. This is used to help determine the appropriate font for rendering burn-in captions.</p> #[serde(rename = "FontScript")] #[serde(skip_serializing_if = "Option::is_none")] pub font_script: Option<String>, /// <p>A positive integer indicates the exact font size in points. Set to 0 for automatic font size selection. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "FontSize")] #[serde(skip_serializing_if = "Option::is_none")] pub font_size: Option<i64>, /// <p>Specifies font outline color. This option is not valid for source captions that are either 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "OutlineColor")] #[serde(skip_serializing_if = "Option::is_none")] pub outline_color: Option<String>, /// <p>Specifies font outline size in pixels. This option is not valid for source captions that are either 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "OutlineSize")] #[serde(skip_serializing_if = "Option::is_none")] pub outline_size: Option<i64>, /// <p>Specifies the color of the shadow cast by the captions. /// All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "ShadowColor")] #[serde(skip_serializing_if = "Option::is_none")] pub shadow_color: Option<String>, /// <p>Specifies the opacity of the shadow. 255 is opaque; 0 is transparent. Leaving this parameter blank is equivalent to setting it to 0 (transparent). All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "ShadowOpacity")] #[serde(skip_serializing_if = "Option::is_none")] pub shadow_opacity: Option<i64>, /// <p>Specifies the horizontal offset of the shadow relative to the captions in pixels. A value of -2 would result in a shadow offset 2 pixels to the left. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "ShadowXOffset")] #[serde(skip_serializing_if = "Option::is_none")] pub shadow_x_offset: Option<i64>, /// <p>Specifies the vertical offset of the shadow relative to the captions in pixels. A value of -2 would result in a shadow offset 2 pixels above the text. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "ShadowYOffset")] #[serde(skip_serializing_if = "Option::is_none")] pub shadow_y_offset: Option<i64>, /// <p>Only applies to jobs with input captions in Teletext or STL formats. Specify whether the spacing between letters in your captions is set by the captions grid or varies depending on letter width. Choose fixed grid to conform to the spacing specified in the captions file more accurately. Choose proportional to make the text easier to read if the captions are closed caption.</p> #[serde(rename = "TeletextSpacing")] #[serde(skip_serializing_if = "Option::is_none")] pub teletext_spacing: Option<String>, /// <p>Specifies the horizontal position of the caption relative to the left side of the output in pixels. A value of 10 would result in the captions starting 10 pixels from the left of the output. If no explicit x_position is provided, the horizontal caption position will be determined by the alignment parameter. This option is not valid for source captions that are STL, 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "XPosition")] #[serde(skip_serializing_if = "Option::is_none")] pub x_position: Option<i64>, /// <p>Specifies the vertical position of the caption relative to the top of the output in pixels. A value of 10 would result in the captions starting 10 pixels from the top of the output. If no explicit y_position is provided, the caption will be positioned towards the bottom of the output. This option is not valid for source captions that are STL, 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "YPosition")] #[serde(skip_serializing_if = "Option::is_none")] pub y_position: Option<i64>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct CancelJobRequest { /// <p>The Job ID of the job to be cancelled.</p> #[serde(rename = "Id")] pub id: String, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct CancelJobResponse {} /// <p>Description of Caption output</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct CaptionDescription { /// <p>Specifies which "Caption Selector":#inputs-caption_selector to use from each input when generating captions. The name should be of the format "Caption Selector <N>", which denotes that the Nth Caption Selector will be used from each input.</p> #[serde(rename = "CaptionSelectorName")] #[serde(skip_serializing_if = "Option::is_none")] pub caption_selector_name: Option<String>, /// <p>Indicates the language of the caption output track, using the ISO 639-2 or ISO 639-3 three-letter language code. For most captions output formats, the encoder puts this language information in the output captions metadata. If your output captions format is DVB-Sub or Burn in, the encoder uses this language information to choose the font language for rendering the captions text.</p> #[serde(rename = "CustomLanguageCode")] #[serde(skip_serializing_if = "Option::is_none")] pub custom_language_code: Option<String>, /// <p>Specific settings required by destination type. Note that burnin<em>destination</em>settings are not available if the source of the caption data is Embedded or Teletext.</p> #[serde(rename = "DestinationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub destination_settings: Option<CaptionDestinationSettings>, /// <p>Specify the language of this captions output track. For most captions output formats, the encoder puts this language information in the output captions metadata. If your output captions format is DVB-Sub or Burn in, the encoder uses this language information to choose the font language for rendering the captions text.</p> #[serde(rename = "LanguageCode")] #[serde(skip_serializing_if = "Option::is_none")] pub language_code: Option<String>, /// <p>Human readable information to indicate captions available for players (eg. English, or Spanish). Alphanumeric characters, spaces, and underscore are legal.</p> #[serde(rename = "LanguageDescription")] #[serde(skip_serializing_if = "Option::is_none")] pub language_description: Option<String>, } /// <p>Caption Description for preset</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct CaptionDescriptionPreset { /// <p>Indicates the language of the caption output track, using the ISO 639-2 or ISO 639-3 three-letter language code. For most captions output formats, the encoder puts this language information in the output captions metadata. If your output captions format is DVB-Sub or Burn in, the encoder uses this language information to choose the font language for rendering the captions text.</p> #[serde(rename = "CustomLanguageCode")] #[serde(skip_serializing_if = "Option::is_none")] pub custom_language_code: Option<String>, /// <p>Specific settings required by destination type. Note that burnin<em>destination</em>settings are not available if the source of the caption data is Embedded or Teletext.</p> #[serde(rename = "DestinationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub destination_settings: Option<CaptionDestinationSettings>, /// <p>Specify the language of this captions output track. For most captions output formats, the encoder puts this language information in the output captions metadata. If your output captions format is DVB-Sub or Burn in, the encoder uses this language information to choose the font language for rendering the captions text.</p> #[serde(rename = "LanguageCode")] #[serde(skip_serializing_if = "Option::is_none")] pub language_code: Option<String>, /// <p>Human readable information to indicate captions available for players (eg. English, or Spanish). Alphanumeric characters, spaces, and underscore are legal.</p> #[serde(rename = "LanguageDescription")] #[serde(skip_serializing_if = "Option::is_none")] pub language_description: Option<String>, } /// <p>Specific settings required by destination type. Note that burnin<em>destination</em>settings are not available if the source of the caption data is Embedded or Teletext.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct CaptionDestinationSettings { /// <p>Burn-In Destination Settings.</p> #[serde(rename = "BurninDestinationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub burnin_destination_settings: Option<BurninDestinationSettings>, /// <p>Specify the format for this set of captions on this output. The default format is embedded without SCTE-20. Other options are embedded with SCTE-20, burn-in, DVB-sub, SCC, SRT, teletext, TTML, and web-VTT. If you are using SCTE-20, choose SCTE-20 plus embedded (SCTE20<em>PLUS</em>EMBEDDED) to create an output that complies with the SCTE-43 spec. To create a non-compliant output where the embedded captions come first, choose Embedded plus SCTE-20 (EMBEDDED<em>PLUS</em>SCTE20).</p> #[serde(rename = "DestinationType")] #[serde(skip_serializing_if = "Option::is_none")] pub destination_type: Option<String>, /// <p>DVB-Sub Destination Settings</p> #[serde(rename = "DvbSubDestinationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub dvb_sub_destination_settings: Option<DvbSubDestinationSettings>, /// <p>Settings specific to embedded/ancillary caption outputs, including 608/708 Channel destination number.</p> #[serde(rename = "EmbeddedDestinationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub embedded_destination_settings: Option<EmbeddedDestinationSettings>, /// <p>Settings for SCC caption output.</p> #[serde(rename = "SccDestinationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub scc_destination_settings: Option<SccDestinationSettings>, /// <p>Settings for Teletext caption output</p> #[serde(rename = "TeletextDestinationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub teletext_destination_settings: Option<TeletextDestinationSettings>, /// <p>Settings specific to TTML caption outputs, including Pass style information (TtmlStylePassthrough).</p> #[serde(rename = "TtmlDestinationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub ttml_destination_settings: Option<TtmlDestinationSettings>, } /// <p>Set up captions in your outputs by first selecting them from your input here.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct CaptionSelector { /// <p>The specific language to extract from source, using the ISO 639-2 or ISO 639-3 three-letter language code. If input is SCTE-27, complete this field and/or PID to select the caption language to extract. If input is DVB-Sub and output is Burn-in or SMPTE-TT, complete this field and/or PID to select the caption language to extract. If input is DVB-Sub that is being passed through, omit this field (and PID field); there is no way to extract a specific language with pass-through captions.</p> #[serde(rename = "CustomLanguageCode")] #[serde(skip_serializing_if = "Option::is_none")] pub custom_language_code: Option<String>, /// <p>The specific language to extract from source. If input is SCTE-27, complete this field and/or PID to select the caption language to extract. If input is DVB-Sub and output is Burn-in or SMPTE-TT, complete this field and/or PID to select the caption language to extract. If input is DVB-Sub that is being passed through, omit this field (and PID field); there is no way to extract a specific language with pass-through captions.</p> #[serde(rename = "LanguageCode")] #[serde(skip_serializing_if = "Option::is_none")] pub language_code: Option<String>, /// <p>Source settings (SourceSettings) contains the group of settings for captions in the input.</p> #[serde(rename = "SourceSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub source_settings: Option<CaptionSourceSettings>, } /// <p>Source settings (SourceSettings) contains the group of settings for captions in the input.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct CaptionSourceSettings { /// <p>Settings for ancillary captions source.</p> #[serde(rename = "AncillarySourceSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub ancillary_source_settings: Option<AncillarySourceSettings>, /// <p>DVB Sub Source Settings</p> #[serde(rename = "DvbSubSourceSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub dvb_sub_source_settings: Option<DvbSubSourceSettings>, /// <p>Settings for embedded captions Source</p> #[serde(rename = "EmbeddedSourceSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub embedded_source_settings: Option<EmbeddedSourceSettings>, /// <p>Settings for File-based Captions in Source</p> #[serde(rename = "FileSourceSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub file_source_settings: Option<FileSourceSettings>, /// <p>Use Source (SourceType) to identify the format of your input captions. The service cannot auto-detect caption format.</p> #[serde(rename = "SourceType")] #[serde(skip_serializing_if = "Option::is_none")] pub source_type: Option<String>, /// <p>Settings specific to Teletext caption sources, including Page number.</p> #[serde(rename = "TeletextSourceSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub teletext_source_settings: Option<TeletextSourceSettings>, /// <p>Settings specific to caption sources that are specfied by track number. Sources include IMSC in IMF.</p> #[serde(rename = "TrackSourceSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub track_source_settings: Option<TrackSourceSettings>, } /// <p>Channel mapping (ChannelMapping) contains the group of fields that hold the remixing value for each channel. Units are in dB. Acceptable values are within the range from -60 (mute) through 6. A setting of 0 passes the input channel unchanged to the output channel (no attenuation or amplification).</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct ChannelMapping { /// <p>List of output channels</p> #[serde(rename = "OutputChannels")] #[serde(skip_serializing_if = "Option::is_none")] pub output_channels: Option<Vec<OutputChannelMapping>>, } /// <p>Settings for CMAF encryption</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct CmafEncryptionSettings { /// <p>This is a 128-bit, 16-byte hex value represented by a 32-character text string. If this parameter is not set then the Initialization Vector will follow the segment number by default.</p> #[serde(rename = "ConstantInitializationVector")] #[serde(skip_serializing_if = "Option::is_none")] pub constant_initialization_vector: Option<String>, /// <p>Encrypts the segments with the given encryption scheme. Leave blank to disable. Selecting 'Disabled' in the web interface also disables encryption.</p> #[serde(rename = "EncryptionMethod")] #[serde(skip_serializing_if = "Option::is_none")] pub encryption_method: Option<String>, /// <p>The Initialization Vector is a 128-bit number used in conjunction with the key for encrypting blocks. If set to INCLUDE, Initialization Vector is listed in the manifest. Otherwise Initialization Vector is not in the manifest.</p> #[serde(rename = "InitializationVectorInManifest")] #[serde(skip_serializing_if = "Option::is_none")] pub initialization_vector_in_manifest: Option<String>, /// <p>Use these settings to set up encryption with a static key provider.</p> #[serde(rename = "StaticKeyProvider")] #[serde(skip_serializing_if = "Option::is_none")] pub static_key_provider: Option<StaticKeyProvider>, /// <p>Indicates which type of key provider is used for encryption.</p> #[serde(rename = "Type")] #[serde(skip_serializing_if = "Option::is_none")] pub type_: Option<String>, } /// <p>Required when you set (Type) under (OutputGroups)>(OutputGroupSettings) to CMAF<em>GROUP</em>SETTINGS. Each output in a CMAF Output Group may only contain a single video, audio, or caption output.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct CmafGroupSettings { /// <p>A partial URI prefix that will be put in the manifest file at the top level BaseURL element. Can be used if streams are delivered from a different URL than the manifest file.</p> #[serde(rename = "BaseUrl")] #[serde(skip_serializing_if = "Option::is_none")] pub base_url: Option<String>, /// <p>When set to ENABLED, sets #EXT-X-ALLOW-CACHE:no tag, which prevents client from saving media segments for later replay.</p> #[serde(rename = "ClientCache")] #[serde(skip_serializing_if = "Option::is_none")] pub client_cache: Option<String>, /// <p>Specification to use (RFC-6381 or the default RFC-4281) during m3u8 playlist generation.</p> #[serde(rename = "CodecSpecification")] #[serde(skip_serializing_if = "Option::is_none")] pub codec_specification: Option<String>, /// <p>Use Destination (Destination) to specify the S3 output location and the output filename base. Destination accepts format identifiers. If you do not specify the base filename in the URI, the service will use the filename of the input file. If your job has multiple inputs, the service uses the filename of the first input file.</p> #[serde(rename = "Destination")] #[serde(skip_serializing_if = "Option::is_none")] pub destination: Option<String>, /// <p>Settings associated with the destination. Will vary based on the type of destination</p> #[serde(rename = "DestinationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub destination_settings: Option<DestinationSettings>, /// <p>DRM settings.</p> #[serde(rename = "Encryption")] #[serde(skip_serializing_if = "Option::is_none")] pub encryption: Option<CmafEncryptionSettings>, /// <p>Length of fragments to generate (in seconds). Fragment length must be compatible with GOP size and Framerate. Note that fragments will end on the next keyframe after this number of seconds, so actual fragment length may be longer. When Emit Single File is checked, the fragmentation is internal to a single output file and it does not cause the creation of many output files as in other output types.</p> #[serde(rename = "FragmentLength")] #[serde(skip_serializing_if = "Option::is_none")] pub fragment_length: Option<i64>, /// <p>When set to GZIP, compresses HLS playlist.</p> #[serde(rename = "ManifestCompression")] #[serde(skip_serializing_if = "Option::is_none")] pub manifest_compression: Option<String>, /// <p>Indicates whether the output manifest should use floating point values for segment duration.</p> #[serde(rename = "ManifestDurationFormat")] #[serde(skip_serializing_if = "Option::is_none")] pub manifest_duration_format: Option<String>, /// <p>Minimum time of initially buffered media that is needed to ensure smooth playout.</p> #[serde(rename = "MinBufferTime")] #[serde(skip_serializing_if = "Option::is_none")] pub min_buffer_time: Option<i64>, /// <p>Keep this setting at the default value of 0, unless you are troubleshooting a problem with how devices play back the end of your video asset. If you know that player devices are hanging on the final segment of your video because the length of your final segment is too short, use this setting to specify a minimum final segment length, in seconds. Choose a value that is greater than or equal to 1 and less than your segment length. When you specify a value for this setting, the encoder will combine any final segment that is shorter than the length that you specify with the previous segment. For example, your segment length is 3 seconds and your final segment is .5 seconds without a minimum final segment length; when you set the minimum final segment length to 1, your final segment is 3.5 seconds.</p> #[serde(rename = "MinFinalSegmentLength")] #[serde(skip_serializing_if = "Option::is_none")] pub min_final_segment_length: Option<f64>, /// <p>When set to SINGLE<em>FILE, a single output file is generated, which is internally segmented using the Fragment Length and Segment Length. When set to SEGMENTED</em>FILES, separate segment files will be created.</p> #[serde(rename = "SegmentControl")] #[serde(skip_serializing_if = "Option::is_none")] pub segment_control: Option<String>, /// <p>Use this setting to specify the length, in seconds, of each individual CMAF segment. This value applies to the whole package; that is, to every output in the output group. Note that segments end on the first keyframe after this number of seconds, so the actual segment length might be slightly longer. If you set Segment control (CmafSegmentControl) to single file, the service puts the content of each output in a single file that has metadata that marks these segments. If you set it to segmented files, the service creates multiple files for each output, each with the content of one segment.</p> #[serde(rename = "SegmentLength")] #[serde(skip_serializing_if = "Option::is_none")] pub segment_length: Option<i64>, /// <p>Include or exclude RESOLUTION attribute for video in EXT-X-STREAM-INF tag of variant manifest.</p> #[serde(rename = "StreamInfResolution")] #[serde(skip_serializing_if = "Option::is_none")] pub stream_inf_resolution: Option<String>, /// <p>When set to ENABLED, a DASH MPD manifest will be generated for this output.</p> #[serde(rename = "WriteDashManifest")] #[serde(skip_serializing_if = "Option::is_none")] pub write_dash_manifest: Option<String>, /// <p>When set to ENABLED, an Apple HLS manifest will be generated for this output.</p> #[serde(rename = "WriteHlsManifest")] #[serde(skip_serializing_if = "Option::is_none")] pub write_hls_manifest: Option<String>, } /// <p>Settings for color correction.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct ColorCorrector { /// <p>Brightness level.</p> #[serde(rename = "Brightness")] #[serde(skip_serializing_if = "Option::is_none")] pub brightness: Option<i64>, /// <p>Determines if colorspace conversion will be performed. If set to <em>None</em>, no conversion will be performed. If <em>Force 601</em> or <em>Force 709</em> are selected, conversion will be performed for inputs with differing colorspaces. An input's colorspace can be specified explicitly in the "Video Selector":#inputs-video_selector if necessary.</p> #[serde(rename = "ColorSpaceConversion")] #[serde(skip_serializing_if = "Option::is_none")] pub color_space_conversion: Option<String>, /// <p>Contrast level.</p> #[serde(rename = "Contrast")] #[serde(skip_serializing_if = "Option::is_none")] pub contrast: Option<i64>, /// <p>Use the HDR master display (Hdr10Metadata) settings to correct HDR metadata or to provide missing metadata. Note that these settings are not color correction.</p> #[serde(rename = "Hdr10Metadata")] #[serde(skip_serializing_if = "Option::is_none")] pub hdr_10_metadata: Option<Hdr10Metadata>, /// <p>Hue in degrees.</p> #[serde(rename = "Hue")] #[serde(skip_serializing_if = "Option::is_none")] pub hue: Option<i64>, /// <p>Saturation level.</p> #[serde(rename = "Saturation")] #[serde(skip_serializing_if = "Option::is_none")] pub saturation: Option<i64>, } /// <p>Container specific settings.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct ContainerSettings { /// <p>Container for this output. Some containers require a container settings object. If not specified, the default object will be created.</p> #[serde(rename = "Container")] #[serde(skip_serializing_if = "Option::is_none")] pub container: Option<String>, /// <p>Settings for F4v container</p> #[serde(rename = "F4vSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub f_4v_settings: Option<F4vSettings>, /// <p>MPEG-2 TS container settings. These apply to outputs in a File output group when the output's container (ContainerType) is MPEG-2 Transport Stream (M2TS). In these assets, data is organized by the program map table (PMT). Each transport stream program contains subsets of data, including audio, video, and metadata. Each of these subsets of data has a numerical label called a packet identifier (PID). Each transport stream program corresponds to one MediaConvert output. The PMT lists the types of data in a program along with their PID. Downstream systems and players use the program map table to look up the PID for each type of data it accesses and then uses the PIDs to locate specific data within the asset.</p> #[serde(rename = "M2tsSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub m_2ts_settings: Option<M2tsSettings>, /// <p>Settings for TS segments in HLS</p> #[serde(rename = "M3u8Settings")] #[serde(skip_serializing_if = "Option::is_none")] pub m_3u_8_settings: Option<M3u8Settings>, /// <p>Settings for MOV Container.</p> #[serde(rename = "MovSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub mov_settings: Option<MovSettings>, /// <p>Settings for MP4 Container</p> #[serde(rename = "Mp4Settings")] #[serde(skip_serializing_if = "Option::is_none")] pub mp_4_settings: Option<Mp4Settings>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct CreateJobRequest { /// <p>Accelerated transcoding can significantly speed up jobs with long, visually complex content. Outputs that use this feature incur pro-tier pricing. For information about feature limitations, see the AWS Elemental MediaConvert User Guide.</p> #[serde(rename = "AccelerationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub acceleration_settings: Option<AccelerationSettings>, /// <p>Optional. Choose a tag type that AWS Billing and Cost Management will use to sort your AWS Elemental MediaConvert costs on any billing report that you set up. Any transcoding outputs that don't have an associated tag will appear in your billing report unsorted. If you don't choose a valid value for this field, your job outputs will appear on the billing report unsorted.</p> #[serde(rename = "BillingTagsSource")] #[serde(skip_serializing_if = "Option::is_none")] pub billing_tags_source: Option<String>, /// <p>Idempotency token for CreateJob operation.</p> #[serde(rename = "ClientRequestToken")] #[serde(skip_serializing_if = "Option::is_none")] pub client_request_token: Option<String>, /// <p>When you create a job, you can either specify a job template or specify the transcoding settings individually</p> #[serde(rename = "JobTemplate")] #[serde(skip_serializing_if = "Option::is_none")] pub job_template: Option<String>, /// <p>Optional. When you create a job, you can specify a queue to send it to. If you don't specify, the job will go to the default queue. For more about queues, see the User Guide topic at http://docs.aws.amazon.com/mediaconvert/latest/ug/what-is.html.</p> #[serde(rename = "Queue")] #[serde(skip_serializing_if = "Option::is_none")] pub queue: Option<String>, /// <p>Required. The IAM role you use for creating this job. For details about permissions, see the User Guide topic at the User Guide at http://docs.aws.amazon.com/mediaconvert/latest/ug/iam-role.html.</p> #[serde(rename = "Role")] pub role: String, /// <p>JobSettings contains all the transcode settings for a job.</p> #[serde(rename = "Settings")] pub settings: JobSettings, /// <p>Specify how often MediaConvert sends STATUS_UPDATE events to Amazon CloudWatch Events. Set the interval, in seconds, between status updates. MediaConvert sends an update at this interval from the time the service begins processing your job to the time it completes the transcode or encounters an error.</p> #[serde(rename = "StatusUpdateInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub status_update_interval: Option<String>, /// <p>User-defined metadata that you want to associate with an MediaConvert job. You specify metadata in key/value pairs.</p> #[serde(rename = "UserMetadata")] #[serde(skip_serializing_if = "Option::is_none")] pub user_metadata: Option<::std::collections::HashMap<String, String>>, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct CreateJobResponse { /// <p>Each job converts an input file into an output file or files. For more information, see the User Guide at http://docs.aws.amazon.com/mediaconvert/latest/ug/what-is.html</p> #[serde(rename = "Job")] #[serde(skip_serializing_if = "Option::is_none")] pub job: Option<Job>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct CreateJobTemplateRequest { /// <p>Accelerated transcoding can significantly speed up jobs with long, visually complex content. Outputs that use this feature incur pro-tier pricing. For information about feature limitations, see the AWS Elemental MediaConvert User Guide.</p> #[serde(rename = "AccelerationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub acceleration_settings: Option<AccelerationSettings>, /// <p>Optional. A category for the job template you are creating</p> #[serde(rename = "Category")] #[serde(skip_serializing_if = "Option::is_none")] pub category: Option<String>, /// <p>Optional. A description of the job template you are creating.</p> #[serde(rename = "Description")] #[serde(skip_serializing_if = "Option::is_none")] pub description: Option<String>, /// <p>The name of the job template you are creating.</p> #[serde(rename = "Name")] pub name: String, /// <p>Optional. The queue that jobs created from this template are assigned to. If you don't specify this, jobs will go to the default queue.</p> #[serde(rename = "Queue")] #[serde(skip_serializing_if = "Option::is_none")] pub queue: Option<String>, /// <p>JobTemplateSettings contains all the transcode settings saved in the template that will be applied to jobs created from it.</p> #[serde(rename = "Settings")] pub settings: JobTemplateSettings, /// <p>Specify how often MediaConvert sends STATUS_UPDATE events to Amazon CloudWatch Events. Set the interval, in seconds, between status updates. MediaConvert sends an update at this interval from the time the service begins processing your job to the time it completes the transcode or encounters an error.</p> #[serde(rename = "StatusUpdateInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub status_update_interval: Option<String>, /// <p>The tags that you want to add to the resource. You can tag resources with a key-value pair or with only a key.</p> #[serde(rename = "Tags")] #[serde(skip_serializing_if = "Option::is_none")] pub tags: Option<::std::collections::HashMap<String, String>>, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct CreateJobTemplateResponse { /// <p>A job template is a pre-made set of encoding instructions that you can use to quickly create a job.</p> #[serde(rename = "JobTemplate")] #[serde(skip_serializing_if = "Option::is_none")] pub job_template: Option<JobTemplate>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct CreatePresetRequest { /// <p>Optional. A category for the preset you are creating.</p> #[serde(rename = "Category")] #[serde(skip_serializing_if = "Option::is_none")] pub category: Option<String>, /// <p>Optional. A description of the preset you are creating.</p> #[serde(rename = "Description")] #[serde(skip_serializing_if = "Option::is_none")] pub description: Option<String>, /// <p>The name of the preset you are creating.</p> #[serde(rename = "Name")] pub name: String, /// <p>Settings for preset</p> #[serde(rename = "Settings")] pub settings: PresetSettings, /// <p>The tags that you want to add to the resource. You can tag resources with a key-value pair or with only a key.</p> #[serde(rename = "Tags")] #[serde(skip_serializing_if = "Option::is_none")] pub tags: Option<::std::collections::HashMap<String, String>>, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct CreatePresetResponse { /// <p>A preset is a collection of preconfigured media conversion settings that you want MediaConvert to apply to the output during the conversion process.</p> #[serde(rename = "Preset")] #[serde(skip_serializing_if = "Option::is_none")] pub preset: Option<Preset>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct CreateQueueRequest { /// <p>Optional. A description of the queue that you are creating.</p> #[serde(rename = "Description")] #[serde(skip_serializing_if = "Option::is_none")] pub description: Option<String>, /// <p>The name of the queue that you are creating.</p> #[serde(rename = "Name")] pub name: String, /// <p>Specifies whether the pricing plan for the queue is on-demand or reserved. For on-demand, you pay per minute, billed in increments of .01 minute. For reserved, you pay for the transcoding capacity of the entire queue, regardless of how much or how little you use it. Reserved pricing requires a 12-month commitment. When you use the API to create a queue, the default is on-demand.</p> #[serde(rename = "PricingPlan")] #[serde(skip_serializing_if = "Option::is_none")] pub pricing_plan: Option<String>, /// <p>Details about the pricing plan for your reserved queue. Required for reserved queues and not applicable to on-demand queues.</p> #[serde(rename = "ReservationPlanSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub reservation_plan_settings: Option<ReservationPlanSettings>, /// <p>The tags that you want to add to the resource. You can tag resources with a key-value pair or with only a key.</p> #[serde(rename = "Tags")] #[serde(skip_serializing_if = "Option::is_none")] pub tags: Option<::std::collections::HashMap<String, String>>, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct CreateQueueResponse { /// <p>You can use queues to manage the resources that are available to your AWS account for running multiple transcoding jobs at the same time. If you don't specify a queue, the service sends all jobs through the default queue. For more information, see https://docs.aws.amazon.com/mediaconvert/latest/ug/working-with-queues.html.</p> #[serde(rename = "Queue")] #[serde(skip_serializing_if = "Option::is_none")] pub queue: Option<Queue>, } /// <p>Specifies DRM settings for DASH outputs.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct DashIsoEncryptionSettings { /// <p>This setting can improve the compatibility of your output with video players on obsolete devices. It applies only to DASH H.264 outputs with DRM encryption. Choose Unencrypted SEI (UNENCRYPTED<em>SEI) only to correct problems with playback on older devices. Otherwise, keep the default setting CENC v1 (CENC</em>V1). If you choose Unencrypted SEI, for that output, the service will exclude the access unit delimiter and will leave the SEI NAL units unencrypted.</p> #[serde(rename = "PlaybackDeviceCompatibility")] #[serde(skip_serializing_if = "Option::is_none")] pub playback_device_compatibility: Option<String>, /// <p>Settings for use with a SPEKE key provider</p> #[serde(rename = "SpekeKeyProvider")] #[serde(skip_serializing_if = "Option::is_none")] pub speke_key_provider: Option<SpekeKeyProvider>, } /// <p>Required when you set (Type) under (OutputGroups)>(OutputGroupSettings) to DASH<em>ISO</em>GROUP_SETTINGS.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct DashIsoGroupSettings { /// <p>A partial URI prefix that will be put in the manifest (.mpd) file at the top level BaseURL element. Can be used if streams are delivered from a different URL than the manifest file.</p> #[serde(rename = "BaseUrl")] #[serde(skip_serializing_if = "Option::is_none")] pub base_url: Option<String>, /// <p>Use Destination (Destination) to specify the S3 output location and the output filename base. Destination accepts format identifiers. If you do not specify the base filename in the URI, the service will use the filename of the input file. If your job has multiple inputs, the service uses the filename of the first input file.</p> #[serde(rename = "Destination")] #[serde(skip_serializing_if = "Option::is_none")] pub destination: Option<String>, /// <p>Settings associated with the destination. Will vary based on the type of destination</p> #[serde(rename = "DestinationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub destination_settings: Option<DestinationSettings>, /// <p>DRM settings.</p> #[serde(rename = "Encryption")] #[serde(skip_serializing_if = "Option::is_none")] pub encryption: Option<DashIsoEncryptionSettings>, /// <p>Length of fragments to generate (in seconds). Fragment length must be compatible with GOP size and Framerate. Note that fragments will end on the next keyframe after this number of seconds, so actual fragment length may be longer. When Emit Single File is checked, the fragmentation is internal to a single output file and it does not cause the creation of many output files as in other output types.</p> #[serde(rename = "FragmentLength")] #[serde(skip_serializing_if = "Option::is_none")] pub fragment_length: Option<i64>, /// <p>Supports HbbTV specification as indicated</p> #[serde(rename = "HbbtvCompliance")] #[serde(skip_serializing_if = "Option::is_none")] pub hbbtv_compliance: Option<String>, /// <p>Minimum time of initially buffered media that is needed to ensure smooth playout.</p> #[serde(rename = "MinBufferTime")] #[serde(skip_serializing_if = "Option::is_none")] pub min_buffer_time: Option<i64>, /// <p>When set to SINGLE<em>FILE, a single output file is generated, which is internally segmented using the Fragment Length and Segment Length. When set to SEGMENTED</em>FILES, separate segment files will be created.</p> #[serde(rename = "SegmentControl")] #[serde(skip_serializing_if = "Option::is_none")] pub segment_control: Option<String>, /// <p>Length of mpd segments to create (in seconds). Note that segments will end on the next keyframe after this number of seconds, so actual segment length may be longer. When Emit Single File is checked, the segmentation is internal to a single output file and it does not cause the creation of many output files as in other output types.</p> #[serde(rename = "SegmentLength")] #[serde(skip_serializing_if = "Option::is_none")] pub segment_length: Option<i64>, /// <p>When you enable Precise segment duration in manifests (writeSegmentTimelineInRepresentation), your DASH manifest shows precise segment durations. The segment duration information appears inside the SegmentTimeline element, inside SegmentTemplate at the Representation level. When this feature isn't enabled, the segment durations in your DASH manifest are approximate. The segment duration information appears in the duration attribute of the SegmentTemplate element.</p> #[serde(rename = "WriteSegmentTimelineInRepresentation")] #[serde(skip_serializing_if = "Option::is_none")] pub write_segment_timeline_in_representation: Option<String>, } /// <p>Settings for deinterlacer</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct Deinterlacer { /// <p>Only applies when you set Deinterlacer (DeinterlaceMode) to Deinterlace (DEINTERLACE) or Adaptive (ADAPTIVE). Motion adaptive interpolate (INTERPOLATE) produces sharper pictures, while blend (BLEND) produces smoother motion. Use (INTERPOLATE<em>TICKER) OR (BLEND</em>TICKER) if your source file includes a ticker, such as a scrolling headline at the bottom of the frame.</p> #[serde(rename = "Algorithm")] #[serde(skip_serializing_if = "Option::is_none")] pub algorithm: Option<String>, /// <ul> /// <li>When set to NORMAL (default), the deinterlacer does not convert frames that are tagged in metadata as progressive. It will only convert those that are tagged as some other type. - When set to FORCE<em>ALL</em>FRAMES, the deinterlacer converts every frame to progressive - even those that are already tagged as progressive. Turn Force mode on only if there is a good chance that the metadata has tagged frames as progressive when they are not progressive. Do not turn on otherwise; processing frames that are already progressive into progressive will probably result in lower quality video.</li> /// </ul> #[serde(rename = "Control")] #[serde(skip_serializing_if = "Option::is_none")] pub control: Option<String>, /// <p>Use Deinterlacer (DeinterlaceMode) to choose how the service will do deinterlacing. Default is Deinterlace. - Deinterlace converts interlaced to progressive. - Inverse telecine converts Hard Telecine 29.97i to progressive 23.976p. - Adaptive auto-detects and converts to progressive.</p> #[serde(rename = "Mode")] #[serde(skip_serializing_if = "Option::is_none")] pub mode: Option<String>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct DeleteJobTemplateRequest { /// <p>The name of the job template to be deleted.</p> #[serde(rename = "Name")] pub name: String, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct DeleteJobTemplateResponse {} #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct DeletePresetRequest { /// <p>The name of the preset to be deleted.</p> #[serde(rename = "Name")] pub name: String, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct DeletePresetResponse {} #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct DeleteQueueRequest { /// <p>The name of the queue that you want to delete.</p> #[serde(rename = "Name")] pub name: String, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct DeleteQueueResponse {} /// <p>DescribeEndpointsRequest</p> #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct DescribeEndpointsRequest { /// <p>Optional. Max number of endpoints, up to twenty, that will be returned at one time.</p> #[serde(rename = "MaxResults")] #[serde(skip_serializing_if = "Option::is_none")] pub max_results: Option<i64>, /// <p>Optional field, defaults to DEFAULT. Specify DEFAULT for this operation to return your endpoints if any exist, or to create an endpoint for you and return it if one doesn't already exist. Specify GET_ONLY to return your endpoints if any exist, or an empty list if none exist.</p> #[serde(rename = "Mode")] #[serde(skip_serializing_if = "Option::is_none")] pub mode: Option<String>, /// <p>Use this string, provided with the response to a previous request, to request the next batch of endpoints.</p> #[serde(rename = "NextToken")] #[serde(skip_serializing_if = "Option::is_none")] pub next_token: Option<String>, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct DescribeEndpointsResponse { /// <p>List of endpoints</p> #[serde(rename = "Endpoints")] #[serde(skip_serializing_if = "Option::is_none")] pub endpoints: Option<Vec<Endpoint>>, /// <p>Use this string to request the next batch of endpoints.</p> #[serde(rename = "NextToken")] #[serde(skip_serializing_if = "Option::is_none")] pub next_token: Option<String>, } /// <p>Settings associated with the destination. Will vary based on the type of destination</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct DestinationSettings { /// <p>Settings associated with S3 destination</p> #[serde(rename = "S3Settings")] #[serde(skip_serializing_if = "Option::is_none")] pub s3_settings: Option<S3DestinationSettings>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct DisassociateCertificateRequest { /// <p>The ARN of the ACM certificate that you want to disassociate from your MediaConvert resource.</p> #[serde(rename = "Arn")] pub arn: String, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct DisassociateCertificateResponse {} /// <p>Inserts DVB Network Information Table (NIT) at the specified table repetition interval.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct DvbNitSettings { /// <p>The numeric value placed in the Network Information Table (NIT).</p> #[serde(rename = "NetworkId")] #[serde(skip_serializing_if = "Option::is_none")] pub network_id: Option<i64>, /// <p>The network name text placed in the network<em>name</em>descriptor inside the Network Information Table. Maximum length is 256 characters.</p> #[serde(rename = "NetworkName")] #[serde(skip_serializing_if = "Option::is_none")] pub network_name: Option<String>, /// <p>The number of milliseconds between instances of this table in the output transport stream.</p> #[serde(rename = "NitInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub nit_interval: Option<i64>, } /// <p>Inserts DVB Service Description Table (NIT) at the specified table repetition interval.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct DvbSdtSettings { /// <p>Selects method of inserting SDT information into output stream. "Follow input SDT" copies SDT information from input stream to output stream. "Follow input SDT if present" copies SDT information from input stream to output stream if SDT information is present in the input, otherwise it will fall back on the user-defined values. Enter "SDT Manually" means user will enter the SDT information. "No SDT" means output stream will not contain SDT information.</p> #[serde(rename = "OutputSdt")] #[serde(skip_serializing_if = "Option::is_none")] pub output_sdt: Option<String>, /// <p>The number of milliseconds between instances of this table in the output transport stream.</p> #[serde(rename = "SdtInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub sdt_interval: Option<i64>, /// <p>The service name placed in the service_descriptor in the Service Description Table. Maximum length is 256 characters.</p> #[serde(rename = "ServiceName")] #[serde(skip_serializing_if = "Option::is_none")] pub service_name: Option<String>, /// <p>The service provider name placed in the service_descriptor in the Service Description Table. Maximum length is 256 characters.</p> #[serde(rename = "ServiceProviderName")] #[serde(skip_serializing_if = "Option::is_none")] pub service_provider_name: Option<String>, } /// <p>DVB-Sub Destination Settings</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct DvbSubDestinationSettings { /// <p>If no explicit x<em>position or y</em>position is provided, setting alignment to centered will place the captions at the bottom center of the output. Similarly, setting a left alignment will align captions to the bottom left of the output. If x and y positions are given in conjunction with the alignment parameter, the font will be justified (either left or centered) relative to those coordinates. This option is not valid for source captions that are STL, 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "Alignment")] #[serde(skip_serializing_if = "Option::is_none")] pub alignment: Option<String>, /// <p>Specifies the color of the rectangle behind the captions. /// All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "BackgroundColor")] #[serde(skip_serializing_if = "Option::is_none")] pub background_color: Option<String>, /// <p>Specifies the opacity of the background rectangle. 255 is opaque; 0 is transparent. Leaving this parameter blank is equivalent to setting it to 0 (transparent). All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "BackgroundOpacity")] #[serde(skip_serializing_if = "Option::is_none")] pub background_opacity: Option<i64>, /// <p>Specifies the color of the burned-in captions. This option is not valid for source captions that are STL, 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "FontColor")] #[serde(skip_serializing_if = "Option::is_none")] pub font_color: Option<String>, /// <p>Specifies the opacity of the burned-in captions. 255 is opaque; 0 is transparent. /// All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "FontOpacity")] #[serde(skip_serializing_if = "Option::is_none")] pub font_opacity: Option<i64>, /// <p>Font resolution in DPI (dots per inch); default is 96 dpi. /// All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "FontResolution")] #[serde(skip_serializing_if = "Option::is_none")] pub font_resolution: Option<i64>, /// <p>Provide the font script, using an ISO 15924 script code, if the LanguageCode is not sufficient for determining the script type. Where LanguageCode or CustomLanguageCode is sufficient, use "AUTOMATIC" or leave unset. This is used to help determine the appropriate font for rendering DVB-Sub captions.</p> #[serde(rename = "FontScript")] #[serde(skip_serializing_if = "Option::is_none")] pub font_script: Option<String>, /// <p>A positive integer indicates the exact font size in points. Set to 0 for automatic font size selection. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "FontSize")] #[serde(skip_serializing_if = "Option::is_none")] pub font_size: Option<i64>, /// <p>Specifies font outline color. This option is not valid for source captions that are either 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "OutlineColor")] #[serde(skip_serializing_if = "Option::is_none")] pub outline_color: Option<String>, /// <p>Specifies font outline size in pixels. This option is not valid for source captions that are either 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "OutlineSize")] #[serde(skip_serializing_if = "Option::is_none")] pub outline_size: Option<i64>, /// <p>Specifies the color of the shadow cast by the captions. /// All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "ShadowColor")] #[serde(skip_serializing_if = "Option::is_none")] pub shadow_color: Option<String>, /// <p>Specifies the opacity of the shadow. 255 is opaque; 0 is transparent. Leaving this parameter blank is equivalent to setting it to 0 (transparent). All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "ShadowOpacity")] #[serde(skip_serializing_if = "Option::is_none")] pub shadow_opacity: Option<i64>, /// <p>Specifies the horizontal offset of the shadow relative to the captions in pixels. A value of -2 would result in a shadow offset 2 pixels to the left. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "ShadowXOffset")] #[serde(skip_serializing_if = "Option::is_none")] pub shadow_x_offset: Option<i64>, /// <p>Specifies the vertical offset of the shadow relative to the captions in pixels. A value of -2 would result in a shadow offset 2 pixels above the text. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "ShadowYOffset")] #[serde(skip_serializing_if = "Option::is_none")] pub shadow_y_offset: Option<i64>, /// <p>Only applies to jobs with input captions in Teletext or STL formats. Specify whether the spacing between letters in your captions is set by the captions grid or varies depending on letter width. Choose fixed grid to conform to the spacing specified in the captions file more accurately. Choose proportional to make the text easier to read if the captions are closed caption.</p> #[serde(rename = "TeletextSpacing")] #[serde(skip_serializing_if = "Option::is_none")] pub teletext_spacing: Option<String>, /// <p>Specifies the horizontal position of the caption relative to the left side of the output in pixels. A value of 10 would result in the captions starting 10 pixels from the left of the output. If no explicit x_position is provided, the horizontal caption position will be determined by the alignment parameter. This option is not valid for source captions that are STL, 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "XPosition")] #[serde(skip_serializing_if = "Option::is_none")] pub x_position: Option<i64>, /// <p>Specifies the vertical position of the caption relative to the top of the output in pixels. A value of 10 would result in the captions starting 10 pixels from the top of the output. If no explicit y_position is provided, the caption will be positioned towards the bottom of the output. This option is not valid for source captions that are STL, 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match.</p> #[serde(rename = "YPosition")] #[serde(skip_serializing_if = "Option::is_none")] pub y_position: Option<i64>, } /// <p>DVB Sub Source Settings</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct DvbSubSourceSettings { /// <p>When using DVB-Sub with Burn-In or SMPTE-TT, use this PID for the source content. Unused for DVB-Sub passthrough. All DVB-Sub content is passed through, regardless of selectors.</p> #[serde(rename = "Pid")] #[serde(skip_serializing_if = "Option::is_none")] pub pid: Option<i64>, } /// <p>Inserts DVB Time and Date Table (TDT) at the specified table repetition interval.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct DvbTdtSettings { /// <p>The number of milliseconds between instances of this table in the output transport stream.</p> #[serde(rename = "TdtInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub tdt_interval: Option<i64>, } /// <p>Required when you set (Codec) under (AudioDescriptions)>(CodecSettings) to the value EAC3.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct Eac3Settings { /// <p>If set to ATTENUATE<em>3</em>DB, applies a 3 dB attenuation to the surround channels. Only used for 3/2 coding mode.</p> #[serde(rename = "AttenuationControl")] #[serde(skip_serializing_if = "Option::is_none")] pub attenuation_control: Option<String>, /// <p>Average bitrate in bits/second. Valid bitrates depend on the coding mode.</p> #[serde(rename = "Bitrate")] #[serde(skip_serializing_if = "Option::is_none")] pub bitrate: Option<i64>, /// <p>Specifies the "Bitstream Mode" (bsmod) for the emitted E-AC-3 stream. See ATSC A/52-2012 (Annex E) for background on these values.</p> #[serde(rename = "BitstreamMode")] #[serde(skip_serializing_if = "Option::is_none")] pub bitstream_mode: Option<String>, /// <p>Dolby Digital Plus coding mode. Determines number of channels.</p> #[serde(rename = "CodingMode")] #[serde(skip_serializing_if = "Option::is_none")] pub coding_mode: Option<String>, /// <p>Activates a DC highpass filter for all input channels.</p> #[serde(rename = "DcFilter")] #[serde(skip_serializing_if = "Option::is_none")] pub dc_filter: Option<String>, /// <p>Sets the dialnorm for the output. If blank and input audio is Dolby Digital Plus, dialnorm will be passed through.</p> #[serde(rename = "Dialnorm")] #[serde(skip_serializing_if = "Option::is_none")] pub dialnorm: Option<i64>, /// <p>Enables Dynamic Range Compression that restricts the absolute peak level for a signal.</p> #[serde(rename = "DynamicRangeCompressionLine")] #[serde(skip_serializing_if = "Option::is_none")] pub dynamic_range_compression_line: Option<String>, /// <p>Enables Heavy Dynamic Range Compression, ensures that the instantaneous signal peaks do not exceed specified levels.</p> #[serde(rename = "DynamicRangeCompressionRf")] #[serde(skip_serializing_if = "Option::is_none")] pub dynamic_range_compression_rf: Option<String>, /// <p>When encoding 3/2 audio, controls whether the LFE channel is enabled</p> #[serde(rename = "LfeControl")] #[serde(skip_serializing_if = "Option::is_none")] pub lfe_control: Option<String>, /// <p>Applies a 120Hz lowpass filter to the LFE channel prior to encoding. Only valid with 3<em>2</em>LFE coding mode.</p> #[serde(rename = "LfeFilter")] #[serde(skip_serializing_if = "Option::is_none")] pub lfe_filter: Option<String>, /// <p>Left only/Right only center mix level. Only used for 3/2 coding mode. /// Valid values: 3.0, 1.5, 0.0, -1.5 -3.0 -4.5 -6.0 -60</p> #[serde(rename = "LoRoCenterMixLevel")] #[serde(skip_serializing_if = "Option::is_none")] pub lo_ro_center_mix_level: Option<f64>, /// <p>Left only/Right only surround mix level. Only used for 3/2 coding mode. /// Valid values: -1.5 -3.0 -4.5 -6.0 -60</p> #[serde(rename = "LoRoSurroundMixLevel")] #[serde(skip_serializing_if = "Option::is_none")] pub lo_ro_surround_mix_level: Option<f64>, /// <p>Left total/Right total center mix level. Only used for 3/2 coding mode. /// Valid values: 3.0, 1.5, 0.0, -1.5 -3.0 -4.5 -6.0 -60</p> #[serde(rename = "LtRtCenterMixLevel")] #[serde(skip_serializing_if = "Option::is_none")] pub lt_rt_center_mix_level: Option<f64>, /// <p>Left total/Right total surround mix level. Only used for 3/2 coding mode. /// Valid values: -1.5 -3.0 -4.5 -6.0 -60</p> #[serde(rename = "LtRtSurroundMixLevel")] #[serde(skip_serializing_if = "Option::is_none")] pub lt_rt_surround_mix_level: Option<f64>, /// <p>When set to FOLLOW_INPUT, encoder metadata will be sourced from the DD, DD+, or DolbyE decoder that supplied this audio data. If audio was not supplied from one of these streams, then the static metadata settings will be used.</p> #[serde(rename = "MetadataControl")] #[serde(skip_serializing_if = "Option::is_none")] pub metadata_control: Option<String>, /// <p>When set to WHEN_POSSIBLE, input DD+ audio will be passed through if it is present on the input. this detection is dynamic over the life of the transcode. Inputs that alternate between DD+ and non-DD+ content will have a consistent DD+ output as the system alternates between passthrough and encoding.</p> #[serde(rename = "PassthroughControl")] #[serde(skip_serializing_if = "Option::is_none")] pub passthrough_control: Option<String>, /// <p>Controls the amount of phase-shift applied to the surround channels. Only used for 3/2 coding mode.</p> #[serde(rename = "PhaseControl")] #[serde(skip_serializing_if = "Option::is_none")] pub phase_control: Option<String>, /// <p>Sample rate in hz. Sample rate is always 48000.</p> #[serde(rename = "SampleRate")] #[serde(skip_serializing_if = "Option::is_none")] pub sample_rate: Option<i64>, /// <p>Stereo downmix preference. Only used for 3/2 coding mode.</p> #[serde(rename = "StereoDownmix")] #[serde(skip_serializing_if = "Option::is_none")] pub stereo_downmix: Option<String>, /// <p>When encoding 3/2 audio, sets whether an extra center back surround channel is matrix encoded into the left and right surround channels.</p> #[serde(rename = "SurroundExMode")] #[serde(skip_serializing_if = "Option::is_none")] pub surround_ex_mode: Option<String>, /// <p>When encoding 2/0 audio, sets whether Dolby Surround is matrix encoded into the two channels.</p> #[serde(rename = "SurroundMode")] #[serde(skip_serializing_if = "Option::is_none")] pub surround_mode: Option<String>, } /// <p>Settings specific to embedded/ancillary caption outputs, including 608/708 Channel destination number.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct EmbeddedDestinationSettings { /// <p>Ignore this setting unless your input captions are SCC format and your output container is MXF. With this combination of input captions format and output container, you can optionally use this setting to replace the input channel number with the track number that you specify. Specify a different number for each output captions track. If you don't specify an output track number, the system uses the input channel number for the output channel number. This setting applies to each output individually. You can optionally combine two captions channels in your output. The two output channel numbers can be one of the following pairs: 1,3; 2,4; 1,4; or 2,3.</p> #[serde(rename = "Destination608ChannelNumber")] #[serde(skip_serializing_if = "Option::is_none")] pub destination_608_channel_number: Option<i64>, } /// <p>Settings for embedded captions Source</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct EmbeddedSourceSettings { /// <p>When set to UPCONVERT, 608 data is both passed through via the "608 compatibility bytes" fields of the 708 wrapper as well as translated into 708. 708 data present in the source content will be discarded.</p> #[serde(rename = "Convert608To708")] #[serde(skip_serializing_if = "Option::is_none")] pub convert_608_to_708: Option<String>, /// <p>Specifies the 608/708 channel number within the video track from which to extract captions. Unused for passthrough.</p> #[serde(rename = "Source608ChannelNumber")] #[serde(skip_serializing_if = "Option::is_none")] pub source_608_channel_number: Option<i64>, /// <p>Specifies the video track index used for extracting captions. The system only supports one input video track, so this should always be set to '1'.</p> #[serde(rename = "Source608TrackNumber")] #[serde(skip_serializing_if = "Option::is_none")] pub source_608_track_number: Option<i64>, } /// <p>Describes an account-specific API endpoint.</p> #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct Endpoint { /// <p>URL of endpoint</p> #[serde(rename = "Url")] #[serde(skip_serializing_if = "Option::is_none")] pub url: Option<String>, } /// <p>ESAM ManifestConfirmConditionNotification defined by OC-SP-ESAM-API-I03-131025.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct EsamManifestConfirmConditionNotification { /// <p>Provide your ESAM ManifestConfirmConditionNotification XML document inside your JSON job settings. Form the XML document as per OC-SP-ESAM-API-I03-131025. The transcoder will use the Manifest Conditioning instructions in the message that you supply.</p> #[serde(rename = "MccXml")] #[serde(skip_serializing_if = "Option::is_none")] pub mcc_xml: Option<String>, } /// <p>Settings for Event Signaling And Messaging (ESAM). If you don't do ad insertion, you can ignore these settings.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct EsamSettings { /// <p>Specifies an ESAM ManifestConfirmConditionNotification XML as per OC-SP-ESAM-API-I03-131025. The transcoder uses the manifest conditioning instructions that you provide in the setting MCC XML (mccXml).</p> #[serde(rename = "ManifestConfirmConditionNotification")] #[serde(skip_serializing_if = "Option::is_none")] pub manifest_confirm_condition_notification: Option<EsamManifestConfirmConditionNotification>, /// <p>Specifies the stream distance, in milliseconds, between the SCTE 35 messages that the transcoder places and the splice points that they refer to. If the time between the start of the asset and the SCTE-35 message is less than this value, then the transcoder places the SCTE-35 marker at the beginning of the stream.</p> #[serde(rename = "ResponseSignalPreroll")] #[serde(skip_serializing_if = "Option::is_none")] pub response_signal_preroll: Option<i64>, /// <p>Specifies an ESAM SignalProcessingNotification XML as per OC-SP-ESAM-API-I03-131025. The transcoder uses the signal processing instructions that you provide in the setting SCC XML (sccXml).</p> #[serde(rename = "SignalProcessingNotification")] #[serde(skip_serializing_if = "Option::is_none")] pub signal_processing_notification: Option<EsamSignalProcessingNotification>, } /// <p>ESAM SignalProcessingNotification data defined by OC-SP-ESAM-API-I03-131025.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct EsamSignalProcessingNotification { /// <p>Provide your ESAM SignalProcessingNotification XML document inside your JSON job settings. Form the XML document as per OC-SP-ESAM-API-I03-131025. The transcoder will use the signal processing instructions in the message that you supply. Provide your ESAM SignalProcessingNotification XML document inside your JSON job settings. If you want the service to place SCTE-35 markers at the insertion points you specify in the XML document, you must also enable SCTE-35 ESAM (scte35Esam). Note that you can either specify an ESAM XML document or enable SCTE-35 passthrough. You can't do both.</p> #[serde(rename = "SccXml")] #[serde(skip_serializing_if = "Option::is_none")] pub scc_xml: Option<String>, } /// <p>Settings for F4v container</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct F4vSettings { /// <p>If set to PROGRESSIVE_DOWNLOAD, the MOOV atom is relocated to the beginning of the archive as required for progressive downloading. Otherwise it is placed normally at the end.</p> #[serde(rename = "MoovPlacement")] #[serde(skip_serializing_if = "Option::is_none")] pub moov_placement: Option<String>, } /// <p>Required when you set (Type) under (OutputGroups)>(OutputGroupSettings) to FILE<em>GROUP</em>SETTINGS.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct FileGroupSettings { /// <p>Use Destination (Destination) to specify the S3 output location and the output filename base. Destination accepts format identifiers. If you do not specify the base filename in the URI, the service will use the filename of the input file. If your job has multiple inputs, the service uses the filename of the first input file.</p> #[serde(rename = "Destination")] #[serde(skip_serializing_if = "Option::is_none")] pub destination: Option<String>, /// <p>Settings associated with the destination. Will vary based on the type of destination</p> #[serde(rename = "DestinationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub destination_settings: Option<DestinationSettings>, } /// <p>Settings for File-based Captions in Source</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct FileSourceSettings { /// <p>If set to UPCONVERT, 608 caption data is both passed through via the "608 compatibility bytes" fields of the 708 wrapper as well as translated into 708. 708 data present in the source content will be discarded.</p> #[serde(rename = "Convert608To708")] #[serde(skip_serializing_if = "Option::is_none")] pub convert_608_to_708: Option<String>, /// <p>External caption file used for loading captions. Accepted file extensions are 'scc', 'ttml', 'dfxp', 'stl', 'srt', and 'smi'.</p> #[serde(rename = "SourceFile")] #[serde(skip_serializing_if = "Option::is_none")] pub source_file: Option<String>, /// <p>Specifies a time delta in seconds to offset the captions from the source file.</p> #[serde(rename = "TimeDelta")] #[serde(skip_serializing_if = "Option::is_none")] pub time_delta: Option<i64>, } /// <p>Required when you set (Codec) under (VideoDescription)>(CodecSettings) to the value FRAME_CAPTURE.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct FrameCaptureSettings { /// <p>Frame capture will encode the first frame of the output stream, then one frame every framerateDenominator/framerateNumerator seconds. For example, settings of framerateNumerator = 1 and framerateDenominator = 3 (a rate of 1/3 frame per second) will capture the first frame, then 1 frame every 3s. Files will be named as filename.n.jpg where n is the 0-based sequence number of each Capture.</p> #[serde(rename = "FramerateDenominator")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_denominator: Option<i64>, /// <p>Frame capture will encode the first frame of the output stream, then one frame every framerateDenominator/framerateNumerator seconds. For example, settings of framerateNumerator = 1 and framerateDenominator = 3 (a rate of 1/3 frame per second) will capture the first frame, then 1 frame every 3s. Files will be named as filename.NNNNNNN.jpg where N is the 0-based frame sequence number zero padded to 7 decimal places.</p> #[serde(rename = "FramerateNumerator")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_numerator: Option<i64>, /// <p>Maximum number of captures (encoded jpg output files).</p> #[serde(rename = "MaxCaptures")] #[serde(skip_serializing_if = "Option::is_none")] pub max_captures: Option<i64>, /// <p>JPEG Quality - a higher value equals higher quality.</p> #[serde(rename = "Quality")] #[serde(skip_serializing_if = "Option::is_none")] pub quality: Option<i64>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct GetJobRequest { /// <p>the job ID of the job.</p> #[serde(rename = "Id")] pub id: String, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct GetJobResponse { /// <p>Each job converts an input file into an output file or files. For more information, see the User Guide at http://docs.aws.amazon.com/mediaconvert/latest/ug/what-is.html</p> #[serde(rename = "Job")] #[serde(skip_serializing_if = "Option::is_none")] pub job: Option<Job>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct GetJobTemplateRequest { /// <p>The name of the job template.</p> #[serde(rename = "Name")] pub name: String, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct GetJobTemplateResponse { /// <p>A job template is a pre-made set of encoding instructions that you can use to quickly create a job.</p> #[serde(rename = "JobTemplate")] #[serde(skip_serializing_if = "Option::is_none")] pub job_template: Option<JobTemplate>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct GetPresetRequest { /// <p>The name of the preset.</p> #[serde(rename = "Name")] pub name: String, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct GetPresetResponse { /// <p>A preset is a collection of preconfigured media conversion settings that you want MediaConvert to apply to the output during the conversion process.</p> #[serde(rename = "Preset")] #[serde(skip_serializing_if = "Option::is_none")] pub preset: Option<Preset>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct GetQueueRequest { /// <p>The name of the queue that you want information about.</p> #[serde(rename = "Name")] pub name: String, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct GetQueueResponse { /// <p>You can use queues to manage the resources that are available to your AWS account for running multiple transcoding jobs at the same time. If you don't specify a queue, the service sends all jobs through the default queue. For more information, see https://docs.aws.amazon.com/mediaconvert/latest/ug/working-with-queues.html.</p> #[serde(rename = "Queue")] #[serde(skip_serializing_if = "Option::is_none")] pub queue: Option<Queue>, } /// <p>Settings for quality-defined variable bitrate encoding with the H.264 codec. Required when you set Rate control mode to QVBR. Not valid when you set Rate control mode to a value other than QVBR, or when you don't define Rate control mode.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct H264QvbrSettings { /// <p>Use this setting only when Rate control mode is QVBR and Quality tuning level is Multi-pass HQ. For Max average bitrate values suited to the complexity of your input video, the service limits the average bitrate of the video part of this output to the value you choose. That is, the total size of the video element is less than or equal to the value you set multiplied by the number of seconds of encoded output.</p> #[serde(rename = "MaxAverageBitrate")] #[serde(skip_serializing_if = "Option::is_none")] pub max_average_bitrate: Option<i64>, /// <p>Required when you use QVBR rate control mode. That is, when you specify qvbrSettings within h264Settings. Specify the target quality level for this output, from 1 to 10. Use higher numbers for greater quality. Level 10 results in nearly lossless compression. The quality level for most broadcast-quality transcodes is between 6 and 9.</p> #[serde(rename = "QvbrQualityLevel")] #[serde(skip_serializing_if = "Option::is_none")] pub qvbr_quality_level: Option<i64>, } /// <p>Required when you set (Codec) under (VideoDescription)>(CodecSettings) to the value H_264.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct H264Settings { /// <p>Adaptive quantization. Allows intra-frame quantizers to vary to improve visual quality.</p> #[serde(rename = "AdaptiveQuantization")] #[serde(skip_serializing_if = "Option::is_none")] pub adaptive_quantization: Option<String>, /// <p>Average bitrate in bits/second. Required for VBR and CBR. For MS Smooth outputs, bitrates must be unique when rounded down to the nearest multiple of 1000.</p> #[serde(rename = "Bitrate")] #[serde(skip_serializing_if = "Option::is_none")] pub bitrate: Option<i64>, /// <p>Specify an H.264 level that is consistent with your output video settings. If you aren't sure what level to specify, choose Auto (AUTO).</p> #[serde(rename = "CodecLevel")] #[serde(skip_serializing_if = "Option::is_none")] pub codec_level: Option<String>, /// <p>H.264 Profile. High 4:2:2 and 10-bit profiles are only available with the AVC-I License.</p> #[serde(rename = "CodecProfile")] #[serde(skip_serializing_if = "Option::is_none")] pub codec_profile: Option<String>, /// <p>Choose Adaptive to improve subjective video quality for high-motion content. This will cause the service to use fewer B-frames (which infer information based on other frames) for high-motion portions of the video and more B-frames for low-motion portions. The maximum number of B-frames is limited by the value you provide for the setting B frames between reference frames (numberBFramesBetweenReferenceFrames).</p> #[serde(rename = "DynamicSubGop")] #[serde(skip_serializing_if = "Option::is_none")] pub dynamic_sub_gop: Option<String>, /// <p>Entropy encoding mode. Use CABAC (must be in Main or High profile) or CAVLC.</p> #[serde(rename = "EntropyEncoding")] #[serde(skip_serializing_if = "Option::is_none")] pub entropy_encoding: Option<String>, /// <p>Choosing FORCE_FIELD disables PAFF encoding for interlaced outputs.</p> #[serde(rename = "FieldEncoding")] #[serde(skip_serializing_if = "Option::is_none")] pub field_encoding: Option<String>, /// <p>Adjust quantization within each frame to reduce flicker or 'pop' on I-frames.</p> #[serde(rename = "FlickerAdaptiveQuantization")] #[serde(skip_serializing_if = "Option::is_none")] pub flicker_adaptive_quantization: Option<String>, /// <p>If you are using the console, use the Framerate setting to specify the frame rate for this output. If you want to keep the same frame rate as the input video, choose Follow source. If you want to do frame rate conversion, choose a frame rate from the dropdown list or choose Custom. The framerates shown in the dropdown list are decimal approximations of fractions. If you choose Custom, specify your frame rate as a fraction. If you are creating your transcoding job specification as a JSON file without the console, use FramerateControl to specify which value the service uses for the frame rate for this output. Choose INITIALIZE<em>FROM</em>SOURCE if you want the service to use the frame rate from the input. Choose SPECIFIED if you want the service to use the frame rate you specify in the settings FramerateNumerator and FramerateDenominator.</p> #[serde(rename = "FramerateControl")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_control: Option<String>, /// <p>When set to INTERPOLATE, produces smoother motion during frame rate conversion.</p> #[serde(rename = "FramerateConversionAlgorithm")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_conversion_algorithm: Option<String>, /// <p>When you use the API for transcode jobs that use frame rate conversion, specify the frame rate as a fraction. For example, 24000 / 1001 = 23.976 fps. Use FramerateDenominator to specify the denominator of this fraction. In this example, use 1001 for the value of FramerateDenominator. When you use the console for transcode jobs that use frame rate conversion, provide the value as a decimal number for Framerate. In this example, specify 23.976.</p> #[serde(rename = "FramerateDenominator")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_denominator: Option<i64>, /// <p>Frame rate numerator - frame rate is a fraction, e.g. 24000 / 1001 = 23.976 fps.</p> #[serde(rename = "FramerateNumerator")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_numerator: Option<i64>, /// <p>If enable, use reference B frames for GOP structures that have B frames > 1.</p> #[serde(rename = "GopBReference")] #[serde(skip_serializing_if = "Option::is_none")] pub gop_b_reference: Option<String>, /// <p>Frequency of closed GOPs. In streaming applications, it is recommended that this be set to 1 so a decoder joining mid-stream will receive an IDR frame as quickly as possible. Setting this value to 0 will break output segmenting.</p> #[serde(rename = "GopClosedCadence")] #[serde(skip_serializing_if = "Option::is_none")] pub gop_closed_cadence: Option<i64>, /// <p>GOP Length (keyframe interval) in frames or seconds. Must be greater than zero.</p> #[serde(rename = "GopSize")] #[serde(skip_serializing_if = "Option::is_none")] pub gop_size: Option<f64>, /// <p>Indicates if the GOP Size in H264 is specified in frames or seconds. If seconds the system will convert the GOP Size into a frame count at run time.</p> #[serde(rename = "GopSizeUnits")] #[serde(skip_serializing_if = "Option::is_none")] pub gop_size_units: Option<String>, /// <p>Percentage of the buffer that should initially be filled (HRD buffer model).</p> #[serde(rename = "HrdBufferInitialFillPercentage")] #[serde(skip_serializing_if = "Option::is_none")] pub hrd_buffer_initial_fill_percentage: Option<i64>, /// <p>Size of buffer (HRD buffer model) in bits. For example, enter five megabits as 5000000.</p> #[serde(rename = "HrdBufferSize")] #[serde(skip_serializing_if = "Option::is_none")] pub hrd_buffer_size: Option<i64>, /// <p>Use Interlace mode (InterlaceMode) to choose the scan line type for the output. * Top Field First (TOP<em>FIELD) and Bottom Field First (BOTTOM</em>FIELD) produce interlaced output with the entire output having the same field polarity (top or bottom first). * Follow, Default Top (FOLLOW<em>TOP</em>FIELD) and Follow, Default Bottom (FOLLOW<em>BOTTOM</em>FIELD) use the same field polarity as the source. Therefore, behavior depends on the input scan type, as follows. /// - If the source is interlaced, the output will be interlaced with the same polarity as the source (it will follow the source). The output could therefore be a mix of "top field first" and "bottom field first". /// - If the source is progressive, the output will be interlaced with "top field first" or "bottom field first" polarity, depending on which of the Follow options you chose.</p> #[serde(rename = "InterlaceMode")] #[serde(skip_serializing_if = "Option::is_none")] pub interlace_mode: Option<String>, /// <p>Maximum bitrate in bits/second. For example, enter five megabits per second as 5000000. Required when Rate control mode is QVBR.</p> #[serde(rename = "MaxBitrate")] #[serde(skip_serializing_if = "Option::is_none")] pub max_bitrate: Option<i64>, /// <p>Enforces separation between repeated (cadence) I-frames and I-frames inserted by Scene Change Detection. If a scene change I-frame is within I-interval frames of a cadence I-frame, the GOP is shrunk and/or stretched to the scene change I-frame. GOP stretch requires enabling lookahead as well as setting I-interval. The normal cadence resumes for the next GOP. This setting is only used when Scene Change Detect is enabled. Note: Maximum GOP stretch = GOP size + Min-I-interval - 1</p> #[serde(rename = "MinIInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub min_i_interval: Option<i64>, /// <p>Number of B-frames between reference frames.</p> #[serde(rename = "NumberBFramesBetweenReferenceFrames")] #[serde(skip_serializing_if = "Option::is_none")] pub number_b_frames_between_reference_frames: Option<i64>, /// <p>Number of reference frames to use. The encoder may use more than requested if using B-frames and/or interlaced encoding.</p> #[serde(rename = "NumberReferenceFrames")] #[serde(skip_serializing_if = "Option::is_none")] pub number_reference_frames: Option<i64>, /// <p>Using the API, enable ParFollowSource if you want the service to use the pixel aspect ratio from the input. Using the console, do this by choosing Follow source for Pixel aspect ratio.</p> #[serde(rename = "ParControl")] #[serde(skip_serializing_if = "Option::is_none")] pub par_control: Option<String>, /// <p>Pixel Aspect Ratio denominator.</p> #[serde(rename = "ParDenominator")] #[serde(skip_serializing_if = "Option::is_none")] pub par_denominator: Option<i64>, /// <p>Pixel Aspect Ratio numerator.</p> #[serde(rename = "ParNumerator")] #[serde(skip_serializing_if = "Option::is_none")] pub par_numerator: Option<i64>, /// <p>Use Quality tuning level (H264QualityTuningLevel) to specifiy whether to use fast single-pass, high-quality singlepass, or high-quality multipass video encoding.</p> #[serde(rename = "QualityTuningLevel")] #[serde(skip_serializing_if = "Option::is_none")] pub quality_tuning_level: Option<String>, /// <p>Settings for quality-defined variable bitrate encoding with the H.264 codec. Required when you set Rate control mode to QVBR. Not valid when you set Rate control mode to a value other than QVBR, or when you don't define Rate control mode.</p> #[serde(rename = "QvbrSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub qvbr_settings: Option<H264QvbrSettings>, /// <p>Use this setting to specify whether this output has a variable bitrate (VBR), constant bitrate (CBR) or quality-defined variable bitrate (QVBR).</p> #[serde(rename = "RateControlMode")] #[serde(skip_serializing_if = "Option::is_none")] pub rate_control_mode: Option<String>, /// <p>Places a PPS header on each encoded picture, even if repeated.</p> #[serde(rename = "RepeatPps")] #[serde(skip_serializing_if = "Option::is_none")] pub repeat_pps: Option<String>, /// <p>Scene change detection (inserts I-frames on scene changes).</p> #[serde(rename = "SceneChangeDetect")] #[serde(skip_serializing_if = "Option::is_none")] pub scene_change_detect: Option<String>, /// <p>Number of slices per picture. Must be less than or equal to the number of macroblock rows for progressive pictures, and less than or equal to half the number of macroblock rows for interlaced pictures.</p> #[serde(rename = "Slices")] #[serde(skip_serializing_if = "Option::is_none")] pub slices: Option<i64>, /// <p>Enables Slow PAL rate conversion. 23.976fps and 24fps input is relabeled as 25fps, and audio is sped up correspondingly.</p> #[serde(rename = "SlowPal")] #[serde(skip_serializing_if = "Option::is_none")] pub slow_pal: Option<String>, /// <p>Softness. Selects quantizer matrix, larger values reduce high-frequency content in the encoded image.</p> #[serde(rename = "Softness")] #[serde(skip_serializing_if = "Option::is_none")] pub softness: Option<i64>, /// <p>Adjust quantization within each frame based on spatial variation of content complexity.</p> #[serde(rename = "SpatialAdaptiveQuantization")] #[serde(skip_serializing_if = "Option::is_none")] pub spatial_adaptive_quantization: Option<String>, /// <p>Produces a bitstream compliant with SMPTE RP-2027.</p> #[serde(rename = "Syntax")] #[serde(skip_serializing_if = "Option::is_none")] pub syntax: Option<String>, /// <p>This field applies only if the Streams > Advanced > Framerate (framerate) field is set to 29.970. This field works with the Streams > Advanced > Preprocessors > Deinterlacer field (deinterlace<em>mode) and the Streams > Advanced > Interlaced Mode field (interlace</em>mode) to identify the scan type for the output: Progressive, Interlaced, Hard Telecine or Soft Telecine. - Hard: produces 29.97i output from 23.976 input. - Soft: produces 23.976; the player converts this output to 29.97i.</p> #[serde(rename = "Telecine")] #[serde(skip_serializing_if = "Option::is_none")] pub telecine: Option<String>, /// <p>Adjust quantization within each frame based on temporal variation of content complexity.</p> #[serde(rename = "TemporalAdaptiveQuantization")] #[serde(skip_serializing_if = "Option::is_none")] pub temporal_adaptive_quantization: Option<String>, /// <p>Inserts timecode for each frame as 4 bytes of an unregistered SEI message.</p> #[serde(rename = "UnregisteredSeiTimecode")] #[serde(skip_serializing_if = "Option::is_none")] pub unregistered_sei_timecode: Option<String>, } /// <p>Settings for quality-defined variable bitrate encoding with the H.265 codec. Required when you set Rate control mode to QVBR. Not valid when you set Rate control mode to a value other than QVBR, or when you don't define Rate control mode.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct H265QvbrSettings { /// <p>Use this setting only when Rate control mode is QVBR and Quality tuning level is Multi-pass HQ. For Max average bitrate values suited to the complexity of your input video, the service limits the average bitrate of the video part of this output to the value you choose. That is, the total size of the video element is less than or equal to the value you set multiplied by the number of seconds of encoded output.</p> #[serde(rename = "MaxAverageBitrate")] #[serde(skip_serializing_if = "Option::is_none")] pub max_average_bitrate: Option<i64>, /// <p>Required when you use QVBR rate control mode. That is, when you specify qvbrSettings within h265Settings. Specify the target quality level for this output, from 1 to 10. Use higher numbers for greater quality. Level 10 results in nearly lossless compression. The quality level for most broadcast-quality transcodes is between 6 and 9.</p> #[serde(rename = "QvbrQualityLevel")] #[serde(skip_serializing_if = "Option::is_none")] pub qvbr_quality_level: Option<i64>, } /// <p>Settings for H265 codec</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct H265Settings { /// <p>Adaptive quantization. Allows intra-frame quantizers to vary to improve visual quality.</p> #[serde(rename = "AdaptiveQuantization")] #[serde(skip_serializing_if = "Option::is_none")] pub adaptive_quantization: Option<String>, /// <p>Enables Alternate Transfer Function SEI message for outputs using Hybrid Log Gamma (HLG) Electro-Optical Transfer Function (EOTF).</p> #[serde(rename = "AlternateTransferFunctionSei")] #[serde(skip_serializing_if = "Option::is_none")] pub alternate_transfer_function_sei: Option<String>, /// <p>Average bitrate in bits/second. Required for VBR and CBR. For MS Smooth outputs, bitrates must be unique when rounded down to the nearest multiple of 1000.</p> #[serde(rename = "Bitrate")] #[serde(skip_serializing_if = "Option::is_none")] pub bitrate: Option<i64>, /// <p>H.265 Level.</p> #[serde(rename = "CodecLevel")] #[serde(skip_serializing_if = "Option::is_none")] pub codec_level: Option<String>, /// <p>Represents the Profile and Tier, per the HEVC (H.265) specification. Selections are grouped as [Profile] / [Tier], so "Main/High" represents Main Profile with High Tier. 4:2:2 profiles are only available with the HEVC 4:2:2 License.</p> #[serde(rename = "CodecProfile")] #[serde(skip_serializing_if = "Option::is_none")] pub codec_profile: Option<String>, /// <p>Choose Adaptive to improve subjective video quality for high-motion content. This will cause the service to use fewer B-frames (which infer information based on other frames) for high-motion portions of the video and more B-frames for low-motion portions. The maximum number of B-frames is limited by the value you provide for the setting B frames between reference frames (numberBFramesBetweenReferenceFrames).</p> #[serde(rename = "DynamicSubGop")] #[serde(skip_serializing_if = "Option::is_none")] pub dynamic_sub_gop: Option<String>, /// <p>Adjust quantization within each frame to reduce flicker or 'pop' on I-frames.</p> #[serde(rename = "FlickerAdaptiveQuantization")] #[serde(skip_serializing_if = "Option::is_none")] pub flicker_adaptive_quantization: Option<String>, /// <p>If you are using the console, use the Framerate setting to specify the frame rate for this output. If you want to keep the same frame rate as the input video, choose Follow source. If you want to do frame rate conversion, choose a frame rate from the dropdown list or choose Custom. The framerates shown in the dropdown list are decimal approximations of fractions. If you choose Custom, specify your frame rate as a fraction. If you are creating your transcoding job sepecification as a JSON file without the console, use FramerateControl to specify which value the service uses for the frame rate for this output. Choose INITIALIZE<em>FROM</em>SOURCE if you want the service to use the frame rate from the input. Choose SPECIFIED if you want the service to use the frame rate you specify in the settings FramerateNumerator and FramerateDenominator.</p> #[serde(rename = "FramerateControl")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_control: Option<String>, /// <p>When set to INTERPOLATE, produces smoother motion during frame rate conversion.</p> #[serde(rename = "FramerateConversionAlgorithm")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_conversion_algorithm: Option<String>, /// <p>Frame rate denominator.</p> #[serde(rename = "FramerateDenominator")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_denominator: Option<i64>, /// <p>Frame rate numerator - frame rate is a fraction, e.g. 24000 / 1001 = 23.976 fps.</p> #[serde(rename = "FramerateNumerator")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_numerator: Option<i64>, /// <p>If enable, use reference B frames for GOP structures that have B frames > 1.</p> #[serde(rename = "GopBReference")] #[serde(skip_serializing_if = "Option::is_none")] pub gop_b_reference: Option<String>, /// <p>Frequency of closed GOPs. In streaming applications, it is recommended that this be set to 1 so a decoder joining mid-stream will receive an IDR frame as quickly as possible. Setting this value to 0 will break output segmenting.</p> #[serde(rename = "GopClosedCadence")] #[serde(skip_serializing_if = "Option::is_none")] pub gop_closed_cadence: Option<i64>, /// <p>GOP Length (keyframe interval) in frames or seconds. Must be greater than zero.</p> #[serde(rename = "GopSize")] #[serde(skip_serializing_if = "Option::is_none")] pub gop_size: Option<f64>, /// <p>Indicates if the GOP Size in H265 is specified in frames or seconds. If seconds the system will convert the GOP Size into a frame count at run time.</p> #[serde(rename = "GopSizeUnits")] #[serde(skip_serializing_if = "Option::is_none")] pub gop_size_units: Option<String>, /// <p>Percentage of the buffer that should initially be filled (HRD buffer model).</p> #[serde(rename = "HrdBufferInitialFillPercentage")] #[serde(skip_serializing_if = "Option::is_none")] pub hrd_buffer_initial_fill_percentage: Option<i64>, /// <p>Size of buffer (HRD buffer model) in bits. For example, enter five megabits as 5000000.</p> #[serde(rename = "HrdBufferSize")] #[serde(skip_serializing_if = "Option::is_none")] pub hrd_buffer_size: Option<i64>, /// <p>Use Interlace mode (InterlaceMode) to choose the scan line type for the output. * Top Field First (TOP<em>FIELD) and Bottom Field First (BOTTOM</em>FIELD) produce interlaced output with the entire output having the same field polarity (top or bottom first). * Follow, Default Top (FOLLOW<em>TOP</em>FIELD) and Follow, Default Bottom (FOLLOW<em>BOTTOM</em>FIELD) use the same field polarity as the source. Therefore, behavior depends on the input scan type. /// - If the source is interlaced, the output will be interlaced with the same polarity as the source (it will follow the source). The output could therefore be a mix of "top field first" and "bottom field first". /// - If the source is progressive, the output will be interlaced with "top field first" or "bottom field first" polarity, depending on which of the Follow options you chose.</p> #[serde(rename = "InterlaceMode")] #[serde(skip_serializing_if = "Option::is_none")] pub interlace_mode: Option<String>, /// <p>Maximum bitrate in bits/second. For example, enter five megabits per second as 5000000. Required when Rate control mode is QVBR.</p> #[serde(rename = "MaxBitrate")] #[serde(skip_serializing_if = "Option::is_none")] pub max_bitrate: Option<i64>, /// <p>Enforces separation between repeated (cadence) I-frames and I-frames inserted by Scene Change Detection. If a scene change I-frame is within I-interval frames of a cadence I-frame, the GOP is shrunk and/or stretched to the scene change I-frame. GOP stretch requires enabling lookahead as well as setting I-interval. The normal cadence resumes for the next GOP. This setting is only used when Scene Change Detect is enabled. Note: Maximum GOP stretch = GOP size + Min-I-interval - 1</p> #[serde(rename = "MinIInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub min_i_interval: Option<i64>, /// <p>Number of B-frames between reference frames.</p> #[serde(rename = "NumberBFramesBetweenReferenceFrames")] #[serde(skip_serializing_if = "Option::is_none")] pub number_b_frames_between_reference_frames: Option<i64>, /// <p>Number of reference frames to use. The encoder may use more than requested if using B-frames and/or interlaced encoding.</p> #[serde(rename = "NumberReferenceFrames")] #[serde(skip_serializing_if = "Option::is_none")] pub number_reference_frames: Option<i64>, /// <p>Using the API, enable ParFollowSource if you want the service to use the pixel aspect ratio from the input. Using the console, do this by choosing Follow source for Pixel aspect ratio.</p> #[serde(rename = "ParControl")] #[serde(skip_serializing_if = "Option::is_none")] pub par_control: Option<String>, /// <p>Pixel Aspect Ratio denominator.</p> #[serde(rename = "ParDenominator")] #[serde(skip_serializing_if = "Option::is_none")] pub par_denominator: Option<i64>, /// <p>Pixel Aspect Ratio numerator.</p> #[serde(rename = "ParNumerator")] #[serde(skip_serializing_if = "Option::is_none")] pub par_numerator: Option<i64>, /// <p>Use Quality tuning level (H265QualityTuningLevel) to specifiy whether to use fast single-pass, high-quality singlepass, or high-quality multipass video encoding.</p> #[serde(rename = "QualityTuningLevel")] #[serde(skip_serializing_if = "Option::is_none")] pub quality_tuning_level: Option<String>, /// <p>Settings for quality-defined variable bitrate encoding with the H.265 codec. Required when you set Rate control mode to QVBR. Not valid when you set Rate control mode to a value other than QVBR, or when you don't define Rate control mode.</p> #[serde(rename = "QvbrSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub qvbr_settings: Option<H265QvbrSettings>, /// <p>Use this setting to specify whether this output has a variable bitrate (VBR), constant bitrate (CBR) or quality-defined variable bitrate (QVBR).</p> #[serde(rename = "RateControlMode")] #[serde(skip_serializing_if = "Option::is_none")] pub rate_control_mode: Option<String>, /// <p>Specify Sample Adaptive Offset (SAO) filter strength. Adaptive mode dynamically selects best strength based on content</p> #[serde(rename = "SampleAdaptiveOffsetFilterMode")] #[serde(skip_serializing_if = "Option::is_none")] pub sample_adaptive_offset_filter_mode: Option<String>, /// <p>Scene change detection (inserts I-frames on scene changes).</p> #[serde(rename = "SceneChangeDetect")] #[serde(skip_serializing_if = "Option::is_none")] pub scene_change_detect: Option<String>, /// <p>Number of slices per picture. Must be less than or equal to the number of macroblock rows for progressive pictures, and less than or equal to half the number of macroblock rows for interlaced pictures.</p> #[serde(rename = "Slices")] #[serde(skip_serializing_if = "Option::is_none")] pub slices: Option<i64>, /// <p>Enables Slow PAL rate conversion. 23.976fps and 24fps input is relabeled as 25fps, and audio is sped up correspondingly.</p> #[serde(rename = "SlowPal")] #[serde(skip_serializing_if = "Option::is_none")] pub slow_pal: Option<String>, /// <p>Adjust quantization within each frame based on spatial variation of content complexity.</p> #[serde(rename = "SpatialAdaptiveQuantization")] #[serde(skip_serializing_if = "Option::is_none")] pub spatial_adaptive_quantization: Option<String>, /// <p>This field applies only if the Streams > Advanced > Framerate (framerate) field is set to 29.970. This field works with the Streams > Advanced > Preprocessors > Deinterlacer field (deinterlace<em>mode) and the Streams > Advanced > Interlaced Mode field (interlace</em>mode) to identify the scan type for the output: Progressive, Interlaced, Hard Telecine or Soft Telecine. - Hard: produces 29.97i output from 23.976 input. - Soft: produces 23.976; the player converts this output to 29.97i.</p> #[serde(rename = "Telecine")] #[serde(skip_serializing_if = "Option::is_none")] pub telecine: Option<String>, /// <p>Adjust quantization within each frame based on temporal variation of content complexity.</p> #[serde(rename = "TemporalAdaptiveQuantization")] #[serde(skip_serializing_if = "Option::is_none")] pub temporal_adaptive_quantization: Option<String>, /// <p>Enables temporal layer identifiers in the encoded bitstream. Up to 3 layers are supported depending on GOP structure: I- and P-frames form one layer, reference B-frames can form a second layer and non-reference b-frames can form a third layer. Decoders can optionally decode only the lower temporal layers to generate a lower frame rate output. For example, given a bitstream with temporal IDs and with b-frames = 1 (i.e. IbPbPb display order), a decoder could decode all the frames for full frame rate output or only the I and P frames (lowest temporal layer) for a half frame rate output.</p> #[serde(rename = "TemporalIds")] #[serde(skip_serializing_if = "Option::is_none")] pub temporal_ids: Option<String>, /// <p>Enable use of tiles, allowing horizontal as well as vertical subdivision of the encoded pictures.</p> #[serde(rename = "Tiles")] #[serde(skip_serializing_if = "Option::is_none")] pub tiles: Option<String>, /// <p>Inserts timecode for each frame as 4 bytes of an unregistered SEI message.</p> #[serde(rename = "UnregisteredSeiTimecode")] #[serde(skip_serializing_if = "Option::is_none")] pub unregistered_sei_timecode: Option<String>, /// <p>Use this setting only for outputs encoded with H.265 that are in CMAF or DASH output groups. If you include writeMp4PackagingType in your JSON job specification for other outputs, your video might not work properly with downstream systems and video players. If the location of parameter set NAL units don't matter in your workflow, ignore this setting. The service defaults to marking your output as HEV1. Choose HVC1 to mark your output as HVC1. This makes your output compliant with this specification: ISO IECJTC1 SC29 N13798 Text ISO/IEC FDIS 14496-15 3rd Edition. For these outputs, the service stores parameter set NAL units in the sample headers but not in the samples directly. Keep the default HEV1 to mark your output as HEV1. For these outputs, the service writes parameter set NAL units directly into the samples.</p> #[serde(rename = "WriteMp4PackagingType")] #[serde(skip_serializing_if = "Option::is_none")] pub write_mp_4_packaging_type: Option<String>, } /// <p>Use the "HDR master display information" (Hdr10Metadata) settings to correct HDR metadata or to provide missing metadata. These values vary depending on the input video and must be provided by a color grader. Range is 0 to 50,000; each increment represents 0.00002 in CIE1931 color coordinate. Note that these settings are not color correction. Note that if you are creating HDR outputs inside of an HLS CMAF package, to comply with the Apple specification, you must use the following settings. Set "MP4 packaging type" (writeMp4PackagingType) to HVC1 (HVC1). Set "Profile" (H265Settings > codecProfile) to Main10/High (MAIN10<em>HIGH). Set "Level" (H265Settings > codecLevel) to 5 (LEVEL</em>5).</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct Hdr10Metadata { /// <p>HDR Master Display Information must be provided by a color grader, using color grading tools. Range is 0 to 50,000, each increment represents 0.00002 in CIE1931 color coordinate. Note that this setting is not for color correction.</p> #[serde(rename = "BluePrimaryX")] #[serde(skip_serializing_if = "Option::is_none")] pub blue_primary_x: Option<i64>, /// <p>HDR Master Display Information must be provided by a color grader, using color grading tools. Range is 0 to 50,000, each increment represents 0.00002 in CIE1931 color coordinate. Note that this setting is not for color correction.</p> #[serde(rename = "BluePrimaryY")] #[serde(skip_serializing_if = "Option::is_none")] pub blue_primary_y: Option<i64>, /// <p>HDR Master Display Information must be provided by a color grader, using color grading tools. Range is 0 to 50,000, each increment represents 0.00002 in CIE1931 color coordinate. Note that this setting is not for color correction.</p> #[serde(rename = "GreenPrimaryX")] #[serde(skip_serializing_if = "Option::is_none")] pub green_primary_x: Option<i64>, /// <p>HDR Master Display Information must be provided by a color grader, using color grading tools. Range is 0 to 50,000, each increment represents 0.00002 in CIE1931 color coordinate. Note that this setting is not for color correction.</p> #[serde(rename = "GreenPrimaryY")] #[serde(skip_serializing_if = "Option::is_none")] pub green_primary_y: Option<i64>, /// <p>Maximum light level among all samples in the coded video sequence, in units of candelas per square meter.</p> #[serde(rename = "MaxContentLightLevel")] #[serde(skip_serializing_if = "Option::is_none")] pub max_content_light_level: Option<i64>, /// <p>Maximum average light level of any frame in the coded video sequence, in units of candelas per square meter.</p> #[serde(rename = "MaxFrameAverageLightLevel")] #[serde(skip_serializing_if = "Option::is_none")] pub max_frame_average_light_level: Option<i64>, /// <p>Nominal maximum mastering display luminance in units of of 0.0001 candelas per square meter.</p> #[serde(rename = "MaxLuminance")] #[serde(skip_serializing_if = "Option::is_none")] pub max_luminance: Option<i64>, /// <p>Nominal minimum mastering display luminance in units of of 0.0001 candelas per square meter</p> #[serde(rename = "MinLuminance")] #[serde(skip_serializing_if = "Option::is_none")] pub min_luminance: Option<i64>, /// <p>HDR Master Display Information must be provided by a color grader, using color grading tools. Range is 0 to 50,000, each increment represents 0.00002 in CIE1931 color coordinate. Note that this setting is not for color correction.</p> #[serde(rename = "RedPrimaryX")] #[serde(skip_serializing_if = "Option::is_none")] pub red_primary_x: Option<i64>, /// <p>HDR Master Display Information must be provided by a color grader, using color grading tools. Range is 0 to 50,000, each increment represents 0.00002 in CIE1931 color coordinate. Note that this setting is not for color correction.</p> #[serde(rename = "RedPrimaryY")] #[serde(skip_serializing_if = "Option::is_none")] pub red_primary_y: Option<i64>, /// <p>HDR Master Display Information must be provided by a color grader, using color grading tools. Range is 0 to 50,000, each increment represents 0.00002 in CIE1931 color coordinate. Note that this setting is not for color correction.</p> #[serde(rename = "WhitePointX")] #[serde(skip_serializing_if = "Option::is_none")] pub white_point_x: Option<i64>, /// <p>HDR Master Display Information must be provided by a color grader, using color grading tools. Range is 0 to 50,000, each increment represents 0.00002 in CIE1931 color coordinate. Note that this setting is not for color correction.</p> #[serde(rename = "WhitePointY")] #[serde(skip_serializing_if = "Option::is_none")] pub white_point_y: Option<i64>, } /// <p>Caption Language Mapping</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct HlsCaptionLanguageMapping { /// <p>Caption channel.</p> #[serde(rename = "CaptionChannel")] #[serde(skip_serializing_if = "Option::is_none")] pub caption_channel: Option<i64>, /// <p>Specify the language for this caption channel, using the ISO 639-2 or ISO 639-3 three-letter language code</p> #[serde(rename = "CustomLanguageCode")] #[serde(skip_serializing_if = "Option::is_none")] pub custom_language_code: Option<String>, /// <p>Specify the language, using the ISO 639-2 three-letter code listed at https://www.loc.gov/standards/iso639-2/php/code_list.php.</p> #[serde(rename = "LanguageCode")] #[serde(skip_serializing_if = "Option::is_none")] pub language_code: Option<String>, /// <p>Caption language description.</p> #[serde(rename = "LanguageDescription")] #[serde(skip_serializing_if = "Option::is_none")] pub language_description: Option<String>, } /// <p>Settings for HLS encryption</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct HlsEncryptionSettings { /// <p>This is a 128-bit, 16-byte hex value represented by a 32-character text string. If this parameter is not set then the Initialization Vector will follow the segment number by default.</p> #[serde(rename = "ConstantInitializationVector")] #[serde(skip_serializing_if = "Option::is_none")] pub constant_initialization_vector: Option<String>, /// <p>Encrypts the segments with the given encryption scheme. Leave blank to disable. Selecting 'Disabled' in the web interface also disables encryption.</p> #[serde(rename = "EncryptionMethod")] #[serde(skip_serializing_if = "Option::is_none")] pub encryption_method: Option<String>, /// <p>The Initialization Vector is a 128-bit number used in conjunction with the key for encrypting blocks. If set to INCLUDE, Initialization Vector is listed in the manifest. Otherwise Initialization Vector is not in the manifest.</p> #[serde(rename = "InitializationVectorInManifest")] #[serde(skip_serializing_if = "Option::is_none")] pub initialization_vector_in_manifest: Option<String>, /// <p>Enable this setting to insert the EXT-X-SESSION-KEY element into the master playlist. This allows for offline Apple HLS FairPlay content protection.</p> #[serde(rename = "OfflineEncrypted")] #[serde(skip_serializing_if = "Option::is_none")] pub offline_encrypted: Option<String>, /// <p>Settings for use with a SPEKE key provider</p> #[serde(rename = "SpekeKeyProvider")] #[serde(skip_serializing_if = "Option::is_none")] pub speke_key_provider: Option<SpekeKeyProvider>, /// <p>Use these settings to set up encryption with a static key provider.</p> #[serde(rename = "StaticKeyProvider")] #[serde(skip_serializing_if = "Option::is_none")] pub static_key_provider: Option<StaticKeyProvider>, /// <p>Indicates which type of key provider is used for encryption.</p> #[serde(rename = "Type")] #[serde(skip_serializing_if = "Option::is_none")] pub type_: Option<String>, } /// <p>Required when you set (Type) under (OutputGroups)>(OutputGroupSettings) to HLS<em>GROUP</em>SETTINGS.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct HlsGroupSettings { /// <p>Choose one or more ad marker types to pass SCTE35 signals through to this group of Apple HLS outputs.</p> #[serde(rename = "AdMarkers")] #[serde(skip_serializing_if = "Option::is_none")] pub ad_markers: Option<Vec<String>>, /// <p>A partial URI prefix that will be prepended to each output in the media .m3u8 file. Can be used if base manifest is delivered from a different URL than the main .m3u8 file.</p> #[serde(rename = "BaseUrl")] #[serde(skip_serializing_if = "Option::is_none")] pub base_url: Option<String>, /// <p>Language to be used on Caption outputs</p> #[serde(rename = "CaptionLanguageMappings")] #[serde(skip_serializing_if = "Option::is_none")] pub caption_language_mappings: Option<Vec<HlsCaptionLanguageMapping>>, /// <p>Applies only to 608 Embedded output captions. Insert: Include CLOSED-CAPTIONS lines in the manifest. Specify at least one language in the CC1 Language Code field. One CLOSED-CAPTION line is added for each Language Code you specify. Make sure to specify the languages in the order in which they appear in the original source (if the source is embedded format) or the order of the caption selectors (if the source is other than embedded). Otherwise, languages in the manifest will not match up properly with the output captions. None: Include CLOSED-CAPTIONS=NONE line in the manifest. Omit: Omit any CLOSED-CAPTIONS line from the manifest.</p> #[serde(rename = "CaptionLanguageSetting")] #[serde(skip_serializing_if = "Option::is_none")] pub caption_language_setting: Option<String>, /// <p>When set to ENABLED, sets #EXT-X-ALLOW-CACHE:no tag, which prevents client from saving media segments for later replay.</p> #[serde(rename = "ClientCache")] #[serde(skip_serializing_if = "Option::is_none")] pub client_cache: Option<String>, /// <p>Specification to use (RFC-6381 or the default RFC-4281) during m3u8 playlist generation.</p> #[serde(rename = "CodecSpecification")] #[serde(skip_serializing_if = "Option::is_none")] pub codec_specification: Option<String>, /// <p>Use Destination (Destination) to specify the S3 output location and the output filename base. Destination accepts format identifiers. If you do not specify the base filename in the URI, the service will use the filename of the input file. If your job has multiple inputs, the service uses the filename of the first input file.</p> #[serde(rename = "Destination")] #[serde(skip_serializing_if = "Option::is_none")] pub destination: Option<String>, /// <p>Settings associated with the destination. Will vary based on the type of destination</p> #[serde(rename = "DestinationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub destination_settings: Option<DestinationSettings>, /// <p>Indicates whether segments should be placed in subdirectories.</p> #[serde(rename = "DirectoryStructure")] #[serde(skip_serializing_if = "Option::is_none")] pub directory_structure: Option<String>, /// <p>DRM settings.</p> #[serde(rename = "Encryption")] #[serde(skip_serializing_if = "Option::is_none")] pub encryption: Option<HlsEncryptionSettings>, /// <p>When set to GZIP, compresses HLS playlist.</p> #[serde(rename = "ManifestCompression")] #[serde(skip_serializing_if = "Option::is_none")] pub manifest_compression: Option<String>, /// <p>Indicates whether the output manifest should use floating point values for segment duration.</p> #[serde(rename = "ManifestDurationFormat")] #[serde(skip_serializing_if = "Option::is_none")] pub manifest_duration_format: Option<String>, /// <p>Keep this setting at the default value of 0, unless you are troubleshooting a problem with how devices play back the end of your video asset. If you know that player devices are hanging on the final segment of your video because the length of your final segment is too short, use this setting to specify a minimum final segment length, in seconds. Choose a value that is greater than or equal to 1 and less than your segment length. When you specify a value for this setting, the encoder will combine any final segment that is shorter than the length that you specify with the previous segment. For example, your segment length is 3 seconds and your final segment is .5 seconds without a minimum final segment length; when you set the minimum final segment length to 1, your final segment is 3.5 seconds.</p> #[serde(rename = "MinFinalSegmentLength")] #[serde(skip_serializing_if = "Option::is_none")] pub min_final_segment_length: Option<f64>, /// <p>When set, Minimum Segment Size is enforced by looking ahead and back within the specified range for a nearby avail and extending the segment size if needed.</p> #[serde(rename = "MinSegmentLength")] #[serde(skip_serializing_if = "Option::is_none")] pub min_segment_length: Option<i64>, /// <p>Indicates whether the .m3u8 manifest file should be generated for this HLS output group.</p> #[serde(rename = "OutputSelection")] #[serde(skip_serializing_if = "Option::is_none")] pub output_selection: Option<String>, /// <p>Includes or excludes EXT-X-PROGRAM-DATE-TIME tag in .m3u8 manifest files. The value is calculated as follows: either the program date and time are initialized using the input timecode source, or the time is initialized using the input timecode source and the date is initialized using the timestamp_offset.</p> #[serde(rename = "ProgramDateTime")] #[serde(skip_serializing_if = "Option::is_none")] pub program_date_time: Option<String>, /// <p>Period of insertion of EXT-X-PROGRAM-DATE-TIME entry, in seconds.</p> #[serde(rename = "ProgramDateTimePeriod")] #[serde(skip_serializing_if = "Option::is_none")] pub program_date_time_period: Option<i64>, /// <p>When set to SINGLE_FILE, emits program as a single media resource (.ts) file, uses #EXT-X-BYTERANGE tags to index segment for playback.</p> #[serde(rename = "SegmentControl")] #[serde(skip_serializing_if = "Option::is_none")] pub segment_control: Option<String>, /// <p>Length of MPEG-2 Transport Stream segments to create (in seconds). Note that segments will end on the next keyframe after this number of seconds, so actual segment length may be longer.</p> #[serde(rename = "SegmentLength")] #[serde(skip_serializing_if = "Option::is_none")] pub segment_length: Option<i64>, /// <p>Number of segments to write to a subdirectory before starting a new one. directoryStructure must be SINGLE_DIRECTORY for this setting to have an effect.</p> #[serde(rename = "SegmentsPerSubdirectory")] #[serde(skip_serializing_if = "Option::is_none")] pub segments_per_subdirectory: Option<i64>, /// <p>Include or exclude RESOLUTION attribute for video in EXT-X-STREAM-INF tag of variant manifest.</p> #[serde(rename = "StreamInfResolution")] #[serde(skip_serializing_if = "Option::is_none")] pub stream_inf_resolution: Option<String>, /// <p>Indicates ID3 frame that has the timecode.</p> #[serde(rename = "TimedMetadataId3Frame")] #[serde(skip_serializing_if = "Option::is_none")] pub timed_metadata_id_3_frame: Option<String>, /// <p>Timed Metadata interval in seconds.</p> #[serde(rename = "TimedMetadataId3Period")] #[serde(skip_serializing_if = "Option::is_none")] pub timed_metadata_id_3_period: Option<i64>, /// <p>Provides an extra millisecond delta offset to fine tune the timestamps.</p> #[serde(rename = "TimestampDeltaMilliseconds")] #[serde(skip_serializing_if = "Option::is_none")] pub timestamp_delta_milliseconds: Option<i64>, } /// <p>Settings for HLS output groups</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct HlsSettings { /// <p>Specifies the group to which the audio Rendition belongs.</p> #[serde(rename = "AudioGroupId")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_group_id: Option<String>, /// <p>List all the audio groups that are used with the video output stream. Input all the audio GROUP-IDs that are associated to the video, separate by ','.</p> #[serde(rename = "AudioRenditionSets")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_rendition_sets: Option<String>, /// <p>Four types of audio-only tracks are supported: Audio-Only Variant Stream The client can play back this audio-only stream instead of video in low-bandwidth scenarios. Represented as an EXT-X-STREAM-INF in the HLS manifest. Alternate Audio, Auto Select, Default Alternate rendition that the client should try to play back by default. Represented as an EXT-X-MEDIA in the HLS manifest with DEFAULT=YES, AUTOSELECT=YES Alternate Audio, Auto Select, Not Default Alternate rendition that the client may try to play back by default. Represented as an EXT-X-MEDIA in the HLS manifest with DEFAULT=NO, AUTOSELECT=YES Alternate Audio, not Auto Select Alternate rendition that the client will not try to play back by default. Represented as an EXT-X-MEDIA in the HLS manifest with DEFAULT=NO, AUTOSELECT=NO</p> #[serde(rename = "AudioTrackType")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_track_type: Option<String>, /// <p>When set to INCLUDE, writes I-Frame Only Manifest in addition to the HLS manifest</p> #[serde(rename = "IFrameOnlyManifest")] #[serde(skip_serializing_if = "Option::is_none")] pub i_frame_only_manifest: Option<String>, /// <p>String concatenated to end of segment filenames. Accepts "Format Identifiers":#format<em>identifier</em>parameters.</p> #[serde(rename = "SegmentModifier")] #[serde(skip_serializing_if = "Option::is_none")] pub segment_modifier: Option<String>, } /// <p>To insert ID3 tags in your output, specify two values. Use ID3 tag (Id3) to specify the base 64 encoded string and use Timecode (TimeCode) to specify the time when the tag should be inserted. To insert multiple ID3 tags in your output, create multiple instances of ID3 insertion (Id3Insertion).</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct Id3Insertion { /// <p>Use ID3 tag (Id3) to provide a tag value in base64-encode format.</p> #[serde(rename = "Id3")] #[serde(skip_serializing_if = "Option::is_none")] pub id_3: Option<String>, /// <p>Provide a Timecode (TimeCode) in HH:MM:SS:FF or HH:MM:SS;FF format.</p> #[serde(rename = "Timecode")] #[serde(skip_serializing_if = "Option::is_none")] pub timecode: Option<String>, } /// <p>Enable the image inserter feature to include a graphic overlay on your video. Enable or disable this feature for each input or output individually. This setting is disabled by default.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct ImageInserter { /// <p>Specify the images that you want to overlay on your video. The images must be PNG or TGA files.</p> #[serde(rename = "InsertableImages")] #[serde(skip_serializing_if = "Option::is_none")] pub insertable_images: Option<Vec<InsertableImage>>, } /// <p>Specifies media input</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct Input { /// <p>Specifies set of audio selectors within an input to combine. An input may have multiple audio selector groups. See "Audio Selector Group":#inputs-audio<em>selector</em>group for more information.</p> #[serde(rename = "AudioSelectorGroups")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_selector_groups: Option<::std::collections::HashMap<String, AudioSelectorGroup>>, /// <p>Use Audio selectors (AudioSelectors) to specify a track or set of tracks from the input that you will use in your outputs. You can use mutiple Audio selectors per input.</p> #[serde(rename = "AudioSelectors")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_selectors: Option<::std::collections::HashMap<String, AudioSelector>>, /// <p>Use Captions selectors (CaptionSelectors) to specify the captions data from the input that you will use in your outputs. You can use mutiple captions selectors per input.</p> #[serde(rename = "CaptionSelectors")] #[serde(skip_serializing_if = "Option::is_none")] pub caption_selectors: Option<::std::collections::HashMap<String, CaptionSelector>>, /// <p>Enable Deblock (InputDeblockFilter) to produce smoother motion in the output. Default is disabled. Only manaully controllable for MPEG2 and uncompressed video inputs.</p> #[serde(rename = "DeblockFilter")] #[serde(skip_serializing_if = "Option::is_none")] pub deblock_filter: Option<String>, /// <p>Settings for decrypting any input files that you encrypt before you upload them to Amazon S3. MediaConvert can decrypt files only when you use AWS Key Management Service (KMS) to encrypt the data key that you use to encrypt your content.</p> #[serde(rename = "DecryptionSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub decryption_settings: Option<InputDecryptionSettings>, /// <p>Enable Denoise (InputDenoiseFilter) to filter noise from the input. Default is disabled. Only applicable to MPEG2, H.264, H.265, and uncompressed video inputs.</p> #[serde(rename = "DenoiseFilter")] #[serde(skip_serializing_if = "Option::is_none")] pub denoise_filter: Option<String>, /// <p>Specify the source file for your transcoding job. You can use multiple inputs in a single job. The service concatenates these inputs, in the order that you specify them in the job, to create the outputs. If your input format is IMF, specify your input by providing the path to your CPL. For example, "s3://bucket/vf/cpl.xml". If the CPL is in an incomplete IMP, make sure to use <em>Supplemental IMPs</em> (SupplementalImps) to specify any supplemental IMPs that contain assets referenced by the CPL.</p> #[serde(rename = "FileInput")] #[serde(skip_serializing_if = "Option::is_none")] pub file_input: Option<String>, /// <p>Use Filter enable (InputFilterEnable) to specify how the transcoding service applies the denoise and deblock filters. You must also enable the filters separately, with Denoise (InputDenoiseFilter) and Deblock (InputDeblockFilter). * Auto - The transcoding service determines whether to apply filtering, depending on input type and quality. * Disable - The input is not filtered. This is true even if you use the API to enable them in (InputDeblockFilter) and (InputDeblockFilter). * Force - The in put is filtered regardless of input type.</p> #[serde(rename = "FilterEnable")] #[serde(skip_serializing_if = "Option::is_none")] pub filter_enable: Option<String>, /// <p>Use Filter strength (FilterStrength) to adjust the magnitude the input filter settings (Deblock and Denoise). The range is -5 to 5. Default is 0.</p> #[serde(rename = "FilterStrength")] #[serde(skip_serializing_if = "Option::is_none")] pub filter_strength: Option<i64>, /// <p>Enable the image inserter feature to include a graphic overlay on your video. Enable or disable this feature for each input individually. This setting is disabled by default.</p> #[serde(rename = "ImageInserter")] #[serde(skip_serializing_if = "Option::is_none")] pub image_inserter: Option<ImageInserter>, /// <p>(InputClippings) contains sets of start and end times that together specify a portion of the input to be used in the outputs. If you provide only a start time, the clip will be the entire input from that point to the end. If you provide only an end time, it will be the entire input up to that point. When you specify more than one input clip, the transcoding service creates the job outputs by stringing the clips together in the order you specify them.</p> #[serde(rename = "InputClippings")] #[serde(skip_serializing_if = "Option::is_none")] pub input_clippings: Option<Vec<InputClipping>>, /// <p>Use Program (programNumber) to select a specific program from within a multi-program transport stream. Note that Quad 4K is not currently supported. Default is the first program within the transport stream. If the program you specify doesn't exist, the transcoding service will use this default.</p> #[serde(rename = "ProgramNumber")] #[serde(skip_serializing_if = "Option::is_none")] pub program_number: Option<i64>, /// <p>Set PSI control (InputPsiControl) for transport stream inputs to specify which data the demux process to scans. * Ignore PSI - Scan all PIDs for audio and video. * Use PSI - Scan only PSI data.</p> #[serde(rename = "PsiControl")] #[serde(skip_serializing_if = "Option::is_none")] pub psi_control: Option<String>, /// <p>Provide a list of any necessary supplemental IMPs. You need supplemental IMPs if the CPL that you're using for your input is in an incomplete IMP. Specify either the supplemental IMP directories with a trailing slash or the ASSETMAP.xml files. For example ["s3://bucket/ov/", "s3://bucket/vf2/ASSETMAP.xml"]. You don't need to specify the IMP that contains your input CPL, because the service automatically detects it.</p> #[serde(rename = "SupplementalImps")] #[serde(skip_serializing_if = "Option::is_none")] pub supplemental_imps: Option<Vec<String>>, /// <p>Timecode source under input settings (InputTimecodeSource) only affects the behavior of features that apply to a single input at a time, such as input clipping and synchronizing some captions formats. Use this setting to specify whether the service counts frames by timecodes embedded in the video (EMBEDDED) or by starting the first frame at zero (ZEROBASED). In both cases, the timecode format is HH:MM:SS:FF or HH:MM:SS;FF, where FF is the frame number. Only set this to EMBEDDED if your source video has embedded timecodes.</p> #[serde(rename = "TimecodeSource")] #[serde(skip_serializing_if = "Option::is_none")] pub timecode_source: Option<String>, /// <p>Selector for video.</p> #[serde(rename = "VideoSelector")] #[serde(skip_serializing_if = "Option::is_none")] pub video_selector: Option<VideoSelector>, } /// <p>To transcode only portions of your input (clips), include one Input clipping (one instance of InputClipping in the JSON job file) for each input clip. All input clips you specify will be included in every output of the job.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct InputClipping { /// <p>Set End timecode (EndTimecode) to the end of the portion of the input you are clipping. The frame corresponding to the End timecode value is included in the clip. Start timecode or End timecode may be left blank, but not both. Use the format HH:MM:SS:FF or HH:MM:SS;FF, where HH is the hour, MM is the minute, SS is the second, and FF is the frame number. When choosing this value, take into account your setting for timecode source under input settings (InputTimecodeSource). For example, if you have embedded timecodes that start at 01:00:00:00 and you want your clip to end six minutes into the video, use 01:06:00:00.</p> #[serde(rename = "EndTimecode")] #[serde(skip_serializing_if = "Option::is_none")] pub end_timecode: Option<String>, /// <p>Set Start timecode (StartTimecode) to the beginning of the portion of the input you are clipping. The frame corresponding to the Start timecode value is included in the clip. Start timecode or End timecode may be left blank, but not both. Use the format HH:MM:SS:FF or HH:MM:SS;FF, where HH is the hour, MM is the minute, SS is the second, and FF is the frame number. When choosing this value, take into account your setting for Input timecode source. For example, if you have embedded timecodes that start at 01:00:00:00 and you want your clip to begin five minutes into the video, use 01:05:00:00.</p> #[serde(rename = "StartTimecode")] #[serde(skip_serializing_if = "Option::is_none")] pub start_timecode: Option<String>, } /// <p>Settings for decrypting any input files that you encrypt before you upload them to Amazon S3. MediaConvert can decrypt files only when you use AWS Key Management Service (KMS) to encrypt the data key that you use to encrypt your content.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct InputDecryptionSettings { /// <p>Specify the encryption mode that you used to encrypt your input files.</p> #[serde(rename = "DecryptionMode")] #[serde(skip_serializing_if = "Option::is_none")] pub decryption_mode: Option<String>, /// <p>Warning! Don't provide your encryption key in plaintext. Your job settings could be intercepted, making your encrypted content vulnerable. Specify the encrypted version of the data key that you used to encrypt your content. The data key must be encrypted by AWS Key Management Service (KMS). The key can be 128, 192, or 256 bits.</p> #[serde(rename = "EncryptedDecryptionKey")] #[serde(skip_serializing_if = "Option::is_none")] pub encrypted_decryption_key: Option<String>, /// <p>Specify the initialization vector that you used when you encrypted your content before uploading it to Amazon S3. You can use a 16-byte initialization vector with any encryption mode. Or, you can use a 12-byte initialization vector with GCM or CTR. MediaConvert accepts only initialization vectors that are base64-encoded.</p> #[serde(rename = "InitializationVector")] #[serde(skip_serializing_if = "Option::is_none")] pub initialization_vector: Option<String>, /// <p>Specify the AWS Region for AWS Key Management Service (KMS) that you used to encrypt your data key, if that Region is different from the one you are using for AWS Elemental MediaConvert.</p> #[serde(rename = "KmsKeyRegion")] #[serde(skip_serializing_if = "Option::is_none")] pub kms_key_region: Option<String>, } /// <p>Specified video input in a template.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct InputTemplate { /// <p>Specifies set of audio selectors within an input to combine. An input may have multiple audio selector groups. See "Audio Selector Group":#inputs-audio<em>selector</em>group for more information.</p> #[serde(rename = "AudioSelectorGroups")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_selector_groups: Option<::std::collections::HashMap<String, AudioSelectorGroup>>, /// <p>Use Audio selectors (AudioSelectors) to specify a track or set of tracks from the input that you will use in your outputs. You can use mutiple Audio selectors per input.</p> #[serde(rename = "AudioSelectors")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_selectors: Option<::std::collections::HashMap<String, AudioSelector>>, /// <p>Use Captions selectors (CaptionSelectors) to specify the captions data from the input that you will use in your outputs. You can use mutiple captions selectors per input.</p> #[serde(rename = "CaptionSelectors")] #[serde(skip_serializing_if = "Option::is_none")] pub caption_selectors: Option<::std::collections::HashMap<String, CaptionSelector>>, /// <p>Enable Deblock (InputDeblockFilter) to produce smoother motion in the output. Default is disabled. Only manaully controllable for MPEG2 and uncompressed video inputs.</p> #[serde(rename = "DeblockFilter")] #[serde(skip_serializing_if = "Option::is_none")] pub deblock_filter: Option<String>, /// <p>Enable Denoise (InputDenoiseFilter) to filter noise from the input. Default is disabled. Only applicable to MPEG2, H.264, H.265, and uncompressed video inputs.</p> #[serde(rename = "DenoiseFilter")] #[serde(skip_serializing_if = "Option::is_none")] pub denoise_filter: Option<String>, /// <p>Use Filter enable (InputFilterEnable) to specify how the transcoding service applies the denoise and deblock filters. You must also enable the filters separately, with Denoise (InputDenoiseFilter) and Deblock (InputDeblockFilter). * Auto - The transcoding service determines whether to apply filtering, depending on input type and quality. * Disable - The input is not filtered. This is true even if you use the API to enable them in (InputDeblockFilter) and (InputDeblockFilter). * Force - The in put is filtered regardless of input type.</p> #[serde(rename = "FilterEnable")] #[serde(skip_serializing_if = "Option::is_none")] pub filter_enable: Option<String>, /// <p>Use Filter strength (FilterStrength) to adjust the magnitude the input filter settings (Deblock and Denoise). The range is -5 to 5. Default is 0.</p> #[serde(rename = "FilterStrength")] #[serde(skip_serializing_if = "Option::is_none")] pub filter_strength: Option<i64>, /// <p>Enable the image inserter feature to include a graphic overlay on your video. Enable or disable this feature for each input individually. This setting is disabled by default.</p> #[serde(rename = "ImageInserter")] #[serde(skip_serializing_if = "Option::is_none")] pub image_inserter: Option<ImageInserter>, /// <p>(InputClippings) contains sets of start and end times that together specify a portion of the input to be used in the outputs. If you provide only a start time, the clip will be the entire input from that point to the end. If you provide only an end time, it will be the entire input up to that point. When you specify more than one input clip, the transcoding service creates the job outputs by stringing the clips together in the order you specify them.</p> #[serde(rename = "InputClippings")] #[serde(skip_serializing_if = "Option::is_none")] pub input_clippings: Option<Vec<InputClipping>>, /// <p>Use Program (programNumber) to select a specific program from within a multi-program transport stream. Note that Quad 4K is not currently supported. Default is the first program within the transport stream. If the program you specify doesn't exist, the transcoding service will use this default.</p> #[serde(rename = "ProgramNumber")] #[serde(skip_serializing_if = "Option::is_none")] pub program_number: Option<i64>, /// <p>Set PSI control (InputPsiControl) for transport stream inputs to specify which data the demux process to scans. * Ignore PSI - Scan all PIDs for audio and video. * Use PSI - Scan only PSI data.</p> #[serde(rename = "PsiControl")] #[serde(skip_serializing_if = "Option::is_none")] pub psi_control: Option<String>, /// <p>Timecode source under input settings (InputTimecodeSource) only affects the behavior of features that apply to a single input at a time, such as input clipping and synchronizing some captions formats. Use this setting to specify whether the service counts frames by timecodes embedded in the video (EMBEDDED) or by starting the first frame at zero (ZEROBASED). In both cases, the timecode format is HH:MM:SS:FF or HH:MM:SS;FF, where FF is the frame number. Only set this to EMBEDDED if your source video has embedded timecodes.</p> #[serde(rename = "TimecodeSource")] #[serde(skip_serializing_if = "Option::is_none")] pub timecode_source: Option<String>, /// <p>Selector for video.</p> #[serde(rename = "VideoSelector")] #[serde(skip_serializing_if = "Option::is_none")] pub video_selector: Option<VideoSelector>, } /// <p>Settings that specify how your still graphic overlay appears.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct InsertableImage { /// <p>Specify the time, in milliseconds, for the image to remain on the output video. This duration includes fade-in time but not fade-out time.</p> #[serde(rename = "Duration")] #[serde(skip_serializing_if = "Option::is_none")] pub duration: Option<i64>, /// <p>Specify the length of time, in milliseconds, between the Start time that you specify for the image insertion and the time that the image appears at full opacity. Full opacity is the level that you specify for the opacity setting. If you don't specify a value for Fade-in, the image will appear abruptly at the overlay start time.</p> #[serde(rename = "FadeIn")] #[serde(skip_serializing_if = "Option::is_none")] pub fade_in: Option<i64>, /// <p>Specify the length of time, in milliseconds, between the end of the time that you have specified for the image overlay Duration and when the overlaid image has faded to total transparency. If you don't specify a value for Fade-out, the image will disappear abruptly at the end of the inserted image duration.</p> #[serde(rename = "FadeOut")] #[serde(skip_serializing_if = "Option::is_none")] pub fade_out: Option<i64>, /// <p>Specify the height of the inserted image in pixels. If you specify a value that's larger than the video resolution height, the service will crop your overlaid image to fit. To use the native height of the image, keep this setting blank.</p> #[serde(rename = "Height")] #[serde(skip_serializing_if = "Option::is_none")] pub height: Option<i64>, /// <p>Specify the Amazon S3 location of the image that you want to overlay on the video. Use a PNG or TGA file.</p> #[serde(rename = "ImageInserterInput")] #[serde(skip_serializing_if = "Option::is_none")] pub image_inserter_input: Option<String>, /// <p>Specify the distance, in pixels, between the inserted image and the left edge of the video frame. Required for any image overlay that you specify.</p> #[serde(rename = "ImageX")] #[serde(skip_serializing_if = "Option::is_none")] pub image_x: Option<i64>, /// <p>Specify the distance, in pixels, between the overlaid image and the top edge of the video frame. Required for any image overlay that you specify.</p> #[serde(rename = "ImageY")] #[serde(skip_serializing_if = "Option::is_none")] pub image_y: Option<i64>, /// <p>Specify how overlapping inserted images appear. Images with higher values for Layer appear on top of images with lower values for Layer.</p> #[serde(rename = "Layer")] #[serde(skip_serializing_if = "Option::is_none")] pub layer: Option<i64>, /// <p>Use Opacity (Opacity) to specify how much of the underlying video shows through the inserted image. 0 is transparent and 100 is fully opaque. Default is 50.</p> #[serde(rename = "Opacity")] #[serde(skip_serializing_if = "Option::is_none")] pub opacity: Option<i64>, /// <p>Specify the timecode of the frame that you want the overlay to first appear on. This must be in timecode (HH:MM:SS:FF or HH:MM:SS;FF) format. Remember to take into account your timecode source settings.</p> #[serde(rename = "StartTime")] #[serde(skip_serializing_if = "Option::is_none")] pub start_time: Option<String>, /// <p>Specify the width of the inserted image in pixels. If you specify a value that's larger than the video resolution width, the service will crop your overlaid image to fit. To use the native width of the image, keep this setting blank.</p> #[serde(rename = "Width")] #[serde(skip_serializing_if = "Option::is_none")] pub width: Option<i64>, } /// <p>Each job converts an input file into an output file or files. For more information, see the User Guide at http://docs.aws.amazon.com/mediaconvert/latest/ug/what-is.html</p> #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct Job { /// <p>Accelerated transcoding can significantly speed up jobs with long, visually complex content.</p> #[serde(rename = "AccelerationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub acceleration_settings: Option<AccelerationSettings>, /// <p>An identifier for this resource that is unique within all of AWS.</p> #[serde(rename = "Arn")] #[serde(skip_serializing_if = "Option::is_none")] pub arn: Option<String>, /// <p>Optional. Choose a tag type that AWS Billing and Cost Management will use to sort your AWS Elemental MediaConvert costs on any billing report that you set up. Any transcoding outputs that don't have an associated tag will appear in your billing report unsorted. If you don't choose a valid value for this field, your job outputs will appear on the billing report unsorted.</p> #[serde(rename = "BillingTagsSource")] #[serde(skip_serializing_if = "Option::is_none")] pub billing_tags_source: Option<String>, /// <p>The time, in Unix epoch format in seconds, when the job got created.</p> #[serde(rename = "CreatedAt")] #[serde(skip_serializing_if = "Option::is_none")] pub created_at: Option<f64>, /// <p>A job's phase can be PROBING, TRANSCODING OR UPLOADING</p> #[serde(rename = "CurrentPhase")] #[serde(skip_serializing_if = "Option::is_none")] pub current_phase: Option<String>, /// <p>Error code for the job</p> #[serde(rename = "ErrorCode")] #[serde(skip_serializing_if = "Option::is_none")] pub error_code: Option<i64>, /// <p>Error message of Job</p> #[serde(rename = "ErrorMessage")] #[serde(skip_serializing_if = "Option::is_none")] pub error_message: Option<String>, /// <p>A portion of the job's ARN, unique within your AWS Elemental MediaConvert resources</p> #[serde(rename = "Id")] #[serde(skip_serializing_if = "Option::is_none")] pub id: Option<String>, /// <p>An estimate of how far your job has progressed. This estimate is shown as a percentage of the total time from when your job leaves its queue to when your output files appear in your output Amazon S3 bucket. AWS Elemental MediaConvert provides jobPercentComplete in CloudWatch STATUS_UPDATE events and in the response to GetJob and ListJobs requests. The jobPercentComplete estimate is reliable for the following input containers: Quicktime, Transport Stream, MP4, and MXF. For some jobs, including audio-only jobs and jobs that use input clipping, the service can't provide information about job progress. In those cases, jobPercentComplete returns a null value.</p> #[serde(rename = "JobPercentComplete")] #[serde(skip_serializing_if = "Option::is_none")] pub job_percent_complete: Option<i64>, /// <p>The job template that the job is created from, if it is created from a job template.</p> #[serde(rename = "JobTemplate")] #[serde(skip_serializing_if = "Option::is_none")] pub job_template: Option<String>, /// <p>List of output group details</p> #[serde(rename = "OutputGroupDetails")] #[serde(skip_serializing_if = "Option::is_none")] pub output_group_details: Option<Vec<OutputGroupDetail>>, /// <p>Optional. When you create a job, you can specify a queue to send it to. If you don't specify, the job will go to the default queue. For more about queues, see the User Guide topic at http://docs.aws.amazon.com/mediaconvert/latest/ug/what-is.html</p> #[serde(rename = "Queue")] #[serde(skip_serializing_if = "Option::is_none")] pub queue: Option<String>, /// <p>The number of times that the service automatically attempted to process your job after encountering an error.</p> #[serde(rename = "RetryCount")] #[serde(skip_serializing_if = "Option::is_none")] pub retry_count: Option<i64>, /// <p>The IAM role you use for creating this job. For details about permissions, see the User Guide topic at the User Guide at http://docs.aws.amazon.com/mediaconvert/latest/ug/iam-role.html</p> #[serde(rename = "Role")] pub role: String, /// <p>JobSettings contains all the transcode settings for a job.</p> #[serde(rename = "Settings")] pub settings: JobSettings, /// <p>A job's status can be SUBMITTED, PROGRESSING, COMPLETE, CANCELED, or ERROR.</p> #[serde(rename = "Status")] #[serde(skip_serializing_if = "Option::is_none")] pub status: Option<String>, /// <p>Specify how often MediaConvert sends STATUS_UPDATE events to Amazon CloudWatch Events. Set the interval, in seconds, between status updates. MediaConvert sends an update at this interval from the time the service begins processing your job to the time it completes the transcode or encounters an error.</p> #[serde(rename = "StatusUpdateInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub status_update_interval: Option<String>, /// <p>Information about when jobs are submitted, started, and finished is specified in Unix epoch format in seconds.</p> #[serde(rename = "Timing")] #[serde(skip_serializing_if = "Option::is_none")] pub timing: Option<Timing>, /// <p>User-defined metadata that you want to associate with an MediaConvert job. You specify metadata in key/value pairs.</p> #[serde(rename = "UserMetadata")] #[serde(skip_serializing_if = "Option::is_none")] pub user_metadata: Option<::std::collections::HashMap<String, String>>, } /// <p>JobSettings contains all the transcode settings for a job.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct JobSettings { /// <p>When specified, this offset (in milliseconds) is added to the input Ad Avail PTS time.</p> #[serde(rename = "AdAvailOffset")] #[serde(skip_serializing_if = "Option::is_none")] pub ad_avail_offset: Option<i64>, /// <p>Settings for ad avail blanking. Video can be blanked or overlaid with an image, and audio muted during SCTE-35 triggered ad avails.</p> #[serde(rename = "AvailBlanking")] #[serde(skip_serializing_if = "Option::is_none")] pub avail_blanking: Option<AvailBlanking>, /// <p>Settings for Event Signaling And Messaging (ESAM).</p> #[serde(rename = "Esam")] #[serde(skip_serializing_if = "Option::is_none")] pub esam: Option<EsamSettings>, /// <p>Use Inputs (inputs) to define source file used in the transcode job. There can be multiple inputs add in a job. These inputs will be concantenated together to create the output.</p> #[serde(rename = "Inputs")] #[serde(skip_serializing_if = "Option::is_none")] pub inputs: Option<Vec<Input>>, /// <p>Overlay motion graphics on top of your video. The motion graphics that you specify here appear on all outputs in all output groups.</p> #[serde(rename = "MotionImageInserter")] #[serde(skip_serializing_if = "Option::is_none")] pub motion_image_inserter: Option<MotionImageInserter>, /// <p>Settings for Nielsen Configuration</p> #[serde(rename = "NielsenConfiguration")] #[serde(skip_serializing_if = "Option::is_none")] pub nielsen_configuration: Option<NielsenConfiguration>, /// <p>(OutputGroups) contains one group of settings for each set of outputs that share a common package type. All unpackaged files (MPEG-4, MPEG-2 TS, Quicktime, MXF, and no container) are grouped in a single output group as well. Required in (OutputGroups) is a group of settings that apply to the whole group. This required object depends on the value you set for (Type) under (OutputGroups)>(OutputGroupSettings). Type, settings object pairs are as follows. * FILE<em>GROUP</em>SETTINGS, FileGroupSettings * HLS<em>GROUP</em>SETTINGS, HlsGroupSettings * DASH<em>ISO</em>GROUP<em>SETTINGS, DashIsoGroupSettings * MS</em>SMOOTH<em>GROUP</em>SETTINGS, MsSmoothGroupSettings * CMAF<em>GROUP</em>SETTINGS, CmafGroupSettings</p> #[serde(rename = "OutputGroups")] #[serde(skip_serializing_if = "Option::is_none")] pub output_groups: Option<Vec<OutputGroup>>, /// <p>Contains settings used to acquire and adjust timecode information from inputs.</p> #[serde(rename = "TimecodeConfig")] #[serde(skip_serializing_if = "Option::is_none")] pub timecode_config: Option<TimecodeConfig>, /// <p>Enable Timed metadata insertion (TimedMetadataInsertion) to include ID3 tags in your job. To include timed metadata, you must enable it here, enable it in each output container, and specify tags and timecodes in ID3 insertion (Id3Insertion) objects.</p> #[serde(rename = "TimedMetadataInsertion")] #[serde(skip_serializing_if = "Option::is_none")] pub timed_metadata_insertion: Option<TimedMetadataInsertion>, } /// <p>A job template is a pre-made set of encoding instructions that you can use to quickly create a job.</p> #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct JobTemplate { /// <p>Accelerated transcoding is currently in private preview. Contact AWS for more information.</p> #[serde(rename = "AccelerationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub acceleration_settings: Option<AccelerationSettings>, /// <p>An identifier for this resource that is unique within all of AWS.</p> #[serde(rename = "Arn")] #[serde(skip_serializing_if = "Option::is_none")] pub arn: Option<String>, /// <p>An optional category you create to organize your job templates.</p> #[serde(rename = "Category")] #[serde(skip_serializing_if = "Option::is_none")] pub category: Option<String>, /// <p>The timestamp in epoch seconds for Job template creation.</p> #[serde(rename = "CreatedAt")] #[serde(skip_serializing_if = "Option::is_none")] pub created_at: Option<f64>, /// <p>An optional description you create for each job template.</p> #[serde(rename = "Description")] #[serde(skip_serializing_if = "Option::is_none")] pub description: Option<String>, /// <p>The timestamp in epoch seconds when the Job template was last updated.</p> #[serde(rename = "LastUpdated")] #[serde(skip_serializing_if = "Option::is_none")] pub last_updated: Option<f64>, /// <p>A name you create for each job template. Each name must be unique within your account.</p> #[serde(rename = "Name")] pub name: String, /// <p>Optional. The queue that jobs created from this template are assigned to. If you don't specify this, jobs will go to the default queue.</p> #[serde(rename = "Queue")] #[serde(skip_serializing_if = "Option::is_none")] pub queue: Option<String>, /// <p>JobTemplateSettings contains all the transcode settings saved in the template that will be applied to jobs created from it.</p> #[serde(rename = "Settings")] pub settings: JobTemplateSettings, /// <p>Specify how often MediaConvert sends STATUS_UPDATE events to Amazon CloudWatch Events. Set the interval, in seconds, between status updates. MediaConvert sends an update at this interval from the time the service begins processing your job to the time it completes the transcode or encounters an error.</p> #[serde(rename = "StatusUpdateInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub status_update_interval: Option<String>, /// <p>A job template can be of two types: system or custom. System or built-in job templates can't be modified or deleted by the user.</p> #[serde(rename = "Type")] #[serde(skip_serializing_if = "Option::is_none")] pub type_: Option<String>, } /// <p>JobTemplateSettings contains all the transcode settings saved in the template that will be applied to jobs created from it.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct JobTemplateSettings { /// <p>When specified, this offset (in milliseconds) is added to the input Ad Avail PTS time.</p> #[serde(rename = "AdAvailOffset")] #[serde(skip_serializing_if = "Option::is_none")] pub ad_avail_offset: Option<i64>, /// <p>Settings for ad avail blanking. Video can be blanked or overlaid with an image, and audio muted during SCTE-35 triggered ad avails.</p> #[serde(rename = "AvailBlanking")] #[serde(skip_serializing_if = "Option::is_none")] pub avail_blanking: Option<AvailBlanking>, /// <p>Settings for Event Signaling And Messaging (ESAM).</p> #[serde(rename = "Esam")] #[serde(skip_serializing_if = "Option::is_none")] pub esam: Option<EsamSettings>, /// <p>Use Inputs (inputs) to define the source file used in the transcode job. There can only be one input in a job template. Using the API, you can include multiple inputs when referencing a job template.</p> #[serde(rename = "Inputs")] #[serde(skip_serializing_if = "Option::is_none")] pub inputs: Option<Vec<InputTemplate>>, /// <p>Overlay motion graphics on top of your video. The motion graphics that you specify here appear on all outputs in all output groups.</p> #[serde(rename = "MotionImageInserter")] #[serde(skip_serializing_if = "Option::is_none")] pub motion_image_inserter: Option<MotionImageInserter>, /// <p>Settings for Nielsen Configuration</p> #[serde(rename = "NielsenConfiguration")] #[serde(skip_serializing_if = "Option::is_none")] pub nielsen_configuration: Option<NielsenConfiguration>, /// <p>(OutputGroups) contains one group of settings for each set of outputs that share a common package type. All unpackaged files (MPEG-4, MPEG-2 TS, Quicktime, MXF, and no container) are grouped in a single output group as well. Required in (OutputGroups) is a group of settings that apply to the whole group. This required object depends on the value you set for (Type) under (OutputGroups)>(OutputGroupSettings). Type, settings object pairs are as follows. * FILE<em>GROUP</em>SETTINGS, FileGroupSettings * HLS<em>GROUP</em>SETTINGS, HlsGroupSettings * DASH<em>ISO</em>GROUP<em>SETTINGS, DashIsoGroupSettings * MS</em>SMOOTH<em>GROUP</em>SETTINGS, MsSmoothGroupSettings * CMAF<em>GROUP</em>SETTINGS, CmafGroupSettings</p> #[serde(rename = "OutputGroups")] #[serde(skip_serializing_if = "Option::is_none")] pub output_groups: Option<Vec<OutputGroup>>, /// <p>Contains settings used to acquire and adjust timecode information from inputs.</p> #[serde(rename = "TimecodeConfig")] #[serde(skip_serializing_if = "Option::is_none")] pub timecode_config: Option<TimecodeConfig>, /// <p>Enable Timed metadata insertion (TimedMetadataInsertion) to include ID3 tags in your job. To include timed metadata, you must enable it here, enable it in each output container, and specify tags and timecodes in ID3 insertion (Id3Insertion) objects.</p> #[serde(rename = "TimedMetadataInsertion")] #[serde(skip_serializing_if = "Option::is_none")] pub timed_metadata_insertion: Option<TimedMetadataInsertion>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct ListJobTemplatesRequest { /// <p>Optionally, specify a job template category to limit responses to only job templates from that category.</p> #[serde(rename = "Category")] #[serde(skip_serializing_if = "Option::is_none")] pub category: Option<String>, /// <p>Optional. When you request a list of job templates, you can choose to list them alphabetically by NAME or chronologically by CREATION_DATE. If you don't specify, the service will list them by name.</p> #[serde(rename = "ListBy")] #[serde(skip_serializing_if = "Option::is_none")] pub list_by: Option<String>, /// <p>Optional. Number of job templates, up to twenty, that will be returned at one time.</p> #[serde(rename = "MaxResults")] #[serde(skip_serializing_if = "Option::is_none")] pub max_results: Option<i64>, /// <p>Use this string, provided with the response to a previous request, to request the next batch of job templates.</p> #[serde(rename = "NextToken")] #[serde(skip_serializing_if = "Option::is_none")] pub next_token: Option<String>, /// <p>When you request lists of resources, you can optionally specify whether they are sorted in ASCENDING or DESCENDING order. Default varies by resource.</p> #[serde(rename = "Order")] #[serde(skip_serializing_if = "Option::is_none")] pub order: Option<String>, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct ListJobTemplatesResponse { /// <p>List of Job templates.</p> #[serde(rename = "JobTemplates")] #[serde(skip_serializing_if = "Option::is_none")] pub job_templates: Option<Vec<JobTemplate>>, /// <p>Use this string to request the next batch of job templates.</p> #[serde(rename = "NextToken")] #[serde(skip_serializing_if = "Option::is_none")] pub next_token: Option<String>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct ListJobsRequest { /// <p>Optional. Number of jobs, up to twenty, that will be returned at one time.</p> #[serde(rename = "MaxResults")] #[serde(skip_serializing_if = "Option::is_none")] pub max_results: Option<i64>, /// <p>Use this string, provided with the response to a previous request, to request the next batch of jobs.</p> #[serde(rename = "NextToken")] #[serde(skip_serializing_if = "Option::is_none")] pub next_token: Option<String>, /// <p>When you request lists of resources, you can optionally specify whether they are sorted in ASCENDING or DESCENDING order. Default varies by resource.</p> #[serde(rename = "Order")] #[serde(skip_serializing_if = "Option::is_none")] pub order: Option<String>, /// <p>Provide a queue name to get back only jobs from that queue.</p> #[serde(rename = "Queue")] #[serde(skip_serializing_if = "Option::is_none")] pub queue: Option<String>, /// <p>A job's status can be SUBMITTED, PROGRESSING, COMPLETE, CANCELED, or ERROR.</p> #[serde(rename = "Status")] #[serde(skip_serializing_if = "Option::is_none")] pub status: Option<String>, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct ListJobsResponse { /// <p>List of jobs</p> #[serde(rename = "Jobs")] #[serde(skip_serializing_if = "Option::is_none")] pub jobs: Option<Vec<Job>>, /// <p>Use this string to request the next batch of jobs.</p> #[serde(rename = "NextToken")] #[serde(skip_serializing_if = "Option::is_none")] pub next_token: Option<String>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct ListPresetsRequest { /// <p>Optionally, specify a preset category to limit responses to only presets from that category.</p> #[serde(rename = "Category")] #[serde(skip_serializing_if = "Option::is_none")] pub category: Option<String>, /// <p>Optional. When you request a list of presets, you can choose to list them alphabetically by NAME or chronologically by CREATION_DATE. If you don't specify, the service will list them by name.</p> #[serde(rename = "ListBy")] #[serde(skip_serializing_if = "Option::is_none")] pub list_by: Option<String>, /// <p>Optional. Number of presets, up to twenty, that will be returned at one time</p> #[serde(rename = "MaxResults")] #[serde(skip_serializing_if = "Option::is_none")] pub max_results: Option<i64>, /// <p>Use this string, provided with the response to a previous request, to request the next batch of presets.</p> #[serde(rename = "NextToken")] #[serde(skip_serializing_if = "Option::is_none")] pub next_token: Option<String>, /// <p>When you request lists of resources, you can optionally specify whether they are sorted in ASCENDING or DESCENDING order. Default varies by resource.</p> #[serde(rename = "Order")] #[serde(skip_serializing_if = "Option::is_none")] pub order: Option<String>, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct ListPresetsResponse { /// <p>Use this string to request the next batch of presets.</p> #[serde(rename = "NextToken")] #[serde(skip_serializing_if = "Option::is_none")] pub next_token: Option<String>, /// <p>List of presets</p> #[serde(rename = "Presets")] #[serde(skip_serializing_if = "Option::is_none")] pub presets: Option<Vec<Preset>>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct ListQueuesRequest { /// <p>Optional. When you request a list of queues, you can choose to list them alphabetically by NAME or chronologically by CREATION_DATE. If you don't specify, the service will list them by creation date.</p> #[serde(rename = "ListBy")] #[serde(skip_serializing_if = "Option::is_none")] pub list_by: Option<String>, /// <p>Optional. Number of queues, up to twenty, that will be returned at one time.</p> #[serde(rename = "MaxResults")] #[serde(skip_serializing_if = "Option::is_none")] pub max_results: Option<i64>, /// <p>Use this string, provided with the response to a previous request, to request the next batch of queues.</p> #[serde(rename = "NextToken")] #[serde(skip_serializing_if = "Option::is_none")] pub next_token: Option<String>, /// <p>When you request lists of resources, you can optionally specify whether they are sorted in ASCENDING or DESCENDING order. Default varies by resource.</p> #[serde(rename = "Order")] #[serde(skip_serializing_if = "Option::is_none")] pub order: Option<String>, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct ListQueuesResponse { /// <p>Use this string to request the next batch of queues.</p> #[serde(rename = "NextToken")] #[serde(skip_serializing_if = "Option::is_none")] pub next_token: Option<String>, /// <p>List of queues.</p> #[serde(rename = "Queues")] #[serde(skip_serializing_if = "Option::is_none")] pub queues: Option<Vec<Queue>>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct ListTagsForResourceRequest { /// <p>The Amazon Resource Name (ARN) of the resource that you want to list tags for. To get the ARN, send a GET request with the resource name.</p> #[serde(rename = "Arn")] pub arn: String, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct ListTagsForResourceResponse { /// <p>The Amazon Resource Name (ARN) and tags for an AWS Elemental MediaConvert resource.</p> #[serde(rename = "ResourceTags")] #[serde(skip_serializing_if = "Option::is_none")] pub resource_tags: Option<ResourceTags>, } /// <p>Settings for SCTE-35 signals from ESAM. Include this in your job settings to put SCTE-35 markers in your HLS and transport stream outputs at the insertion points that you specify in an ESAM XML document. Provide the document in the setting SCC XML (sccXml).</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct M2tsScte35Esam { /// <p>Packet Identifier (PID) of the SCTE-35 stream in the transport stream generated by ESAM.</p> #[serde(rename = "Scte35EsamPid")] #[serde(skip_serializing_if = "Option::is_none")] pub scte_35_esam_pid: Option<i64>, } /// <p>MPEG-2 TS container settings. These apply to outputs in a File output group when the output's container (ContainerType) is MPEG-2 Transport Stream (M2TS). In these assets, data is organized by the program map table (PMT). Each transport stream program contains subsets of data, including audio, video, and metadata. Each of these subsets of data has a numerical label called a packet identifier (PID). Each transport stream program corresponds to one MediaConvert output. The PMT lists the types of data in a program along with their PID. Downstream systems and players use the program map table to look up the PID for each type of data it accesses and then uses the PIDs to locate specific data within the asset.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct M2tsSettings { /// <p>Selects between the DVB and ATSC buffer models for Dolby Digital audio.</p> #[serde(rename = "AudioBufferModel")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_buffer_model: Option<String>, /// <p>The number of audio frames to insert for each PES packet.</p> #[serde(rename = "AudioFramesPerPes")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_frames_per_pes: Option<i64>, /// <p>Specify the packet identifiers (PIDs) for any elementary audio streams you include in this output. Specify multiple PIDs as a JSON array. Default is the range 482-492.</p> #[serde(rename = "AudioPids")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_pids: Option<Vec<i64>>, /// <p>Specify the output bitrate of the transport stream in bits per second. Setting to 0 lets the muxer automatically determine the appropriate bitrate. Other common values are 3750000, 7500000, and 15000000.</p> #[serde(rename = "Bitrate")] #[serde(skip_serializing_if = "Option::is_none")] pub bitrate: Option<i64>, /// <p>Controls what buffer model to use for accurate interleaving. If set to MULTIPLEX, use multiplex buffer model. If set to NONE, this can lead to lower latency, but low-memory devices may not be able to play back the stream without interruptions.</p> #[serde(rename = "BufferModel")] #[serde(skip_serializing_if = "Option::is_none")] pub buffer_model: Option<String>, /// <p>Inserts DVB Network Information Table (NIT) at the specified table repetition interval.</p> #[serde(rename = "DvbNitSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub dvb_nit_settings: Option<DvbNitSettings>, /// <p>Inserts DVB Service Description Table (NIT) at the specified table repetition interval.</p> #[serde(rename = "DvbSdtSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub dvb_sdt_settings: Option<DvbSdtSettings>, /// <p>Specify the packet identifiers (PIDs) for DVB subtitle data included in this output. Specify multiple PIDs as a JSON array. Default is the range 460-479.</p> #[serde(rename = "DvbSubPids")] #[serde(skip_serializing_if = "Option::is_none")] pub dvb_sub_pids: Option<Vec<i64>>, /// <p>Inserts DVB Time and Date Table (TDT) at the specified table repetition interval.</p> #[serde(rename = "DvbTdtSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub dvb_tdt_settings: Option<DvbTdtSettings>, /// <p>Specify the packet identifier (PID) for DVB teletext data you include in this output. Default is 499.</p> #[serde(rename = "DvbTeletextPid")] #[serde(skip_serializing_if = "Option::is_none")] pub dvb_teletext_pid: Option<i64>, /// <p>When set to VIDEO<em>AND</em>FIXED<em>INTERVALS, audio EBP markers will be added to partitions 3 and 4. The interval between these additional markers will be fixed, and will be slightly shorter than the video EBP marker interval. When set to VIDEO</em>INTERVAL, these additional markers will not be inserted. Only applicable when EBP segmentation markers are is selected (segmentationMarkers is EBP or EBP_LEGACY).</p> #[serde(rename = "EbpAudioInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub ebp_audio_interval: Option<String>, /// <p>Selects which PIDs to place EBP markers on. They can either be placed only on the video PID, or on both the video PID and all audio PIDs. Only applicable when EBP segmentation markers are is selected (segmentationMarkers is EBP or EBP_LEGACY).</p> #[serde(rename = "EbpPlacement")] #[serde(skip_serializing_if = "Option::is_none")] pub ebp_placement: Option<String>, /// <p>Controls whether to include the ES Rate field in the PES header.</p> #[serde(rename = "EsRateInPes")] #[serde(skip_serializing_if = "Option::is_none")] pub es_rate_in_pes: Option<String>, /// <p>Keep the default value (DEFAULT) unless you know that your audio EBP markers are incorrectly appearing before your video EBP markers. To correct this problem, set this value to Force (FORCE).</p> #[serde(rename = "ForceTsVideoEbpOrder")] #[serde(skip_serializing_if = "Option::is_none")] pub force_ts_video_ebp_order: Option<String>, /// <p>The length, in seconds, of each fragment. Only used with EBP markers.</p> #[serde(rename = "FragmentTime")] #[serde(skip_serializing_if = "Option::is_none")] pub fragment_time: Option<f64>, /// <p>Specify the maximum time, in milliseconds, between Program Clock References (PCRs) inserted into the transport stream.</p> #[serde(rename = "MaxPcrInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub max_pcr_interval: Option<i64>, /// <p>When set, enforces that Encoder Boundary Points do not come within the specified time interval of each other by looking ahead at input video. If another EBP is going to come in within the specified time interval, the current EBP is not emitted, and the segment is "stretched" to the next marker. The lookahead value does not add latency to the system. The Live Event must be configured elsewhere to create sufficient latency to make the lookahead accurate.</p> #[serde(rename = "MinEbpInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub min_ebp_interval: Option<i64>, /// <p>If INSERT, Nielsen inaudible tones for media tracking will be detected in the input audio and an equivalent ID3 tag will be inserted in the output.</p> #[serde(rename = "NielsenId3")] #[serde(skip_serializing_if = "Option::is_none")] pub nielsen_id_3: Option<String>, /// <p>Value in bits per second of extra null packets to insert into the transport stream. This can be used if a downstream encryption system requires periodic null packets.</p> #[serde(rename = "NullPacketBitrate")] #[serde(skip_serializing_if = "Option::is_none")] pub null_packet_bitrate: Option<f64>, /// <p>The number of milliseconds between instances of this table in the output transport stream.</p> #[serde(rename = "PatInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub pat_interval: Option<i64>, /// <p>When set to PCR<em>EVERY</em>PES_PACKET, a Program Clock Reference value is inserted for every Packetized Elementary Stream (PES) header. This is effective only when the PCR PID is the same as the video or audio elementary stream.</p> #[serde(rename = "PcrControl")] #[serde(skip_serializing_if = "Option::is_none")] pub pcr_control: Option<String>, /// <p>Specify the packet identifier (PID) for the program clock reference (PCR) in this output. If you do not specify a value, the service will use the value for Video PID (VideoPid).</p> #[serde(rename = "PcrPid")] #[serde(skip_serializing_if = "Option::is_none")] pub pcr_pid: Option<i64>, /// <p>Specify the number of milliseconds between instances of the program map table (PMT) in the output transport stream.</p> #[serde(rename = "PmtInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub pmt_interval: Option<i64>, /// <p>Specify the packet identifier (PID) for the program map table (PMT) itself. Default is 480.</p> #[serde(rename = "PmtPid")] #[serde(skip_serializing_if = "Option::is_none")] pub pmt_pid: Option<i64>, /// <p>Specify the packet identifier (PID) of the private metadata stream. Default is 503.</p> #[serde(rename = "PrivateMetadataPid")] #[serde(skip_serializing_if = "Option::is_none")] pub private_metadata_pid: Option<i64>, /// <p>Use Program number (programNumber) to specify the program number used in the program map table (PMT) for this output. Default is 1. Program numbers and program map tables are parts of MPEG-2 transport stream containers, used for organizing data.</p> #[serde(rename = "ProgramNumber")] #[serde(skip_serializing_if = "Option::is_none")] pub program_number: Option<i64>, /// <p>When set to CBR, inserts null packets into transport stream to fill specified bitrate. When set to VBR, the bitrate setting acts as the maximum bitrate, but the output will not be padded up to that bitrate.</p> #[serde(rename = "RateMode")] #[serde(skip_serializing_if = "Option::is_none")] pub rate_mode: Option<String>, /// <p>Include this in your job settings to put SCTE-35 markers in your HLS and transport stream outputs at the insertion points that you specify in an ESAM XML document. Provide the document in the setting SCC XML (sccXml).</p> #[serde(rename = "Scte35Esam")] #[serde(skip_serializing_if = "Option::is_none")] pub scte_35_esam: Option<M2tsScte35Esam>, /// <p>Specify the packet identifier (PID) of the SCTE-35 stream in the transport stream.</p> #[serde(rename = "Scte35Pid")] #[serde(skip_serializing_if = "Option::is_none")] pub scte_35_pid: Option<i64>, /// <p>Enables SCTE-35 passthrough (scte35Source) to pass any SCTE-35 signals from input to output.</p> #[serde(rename = "Scte35Source")] #[serde(skip_serializing_if = "Option::is_none")] pub scte_35_source: Option<String>, /// <p>Inserts segmentation markers at each segmentation<em>time period. rai</em>segstart sets the Random Access Indicator bit in the adaptation field. rai<em>adapt sets the RAI bit and adds the current timecode in the private data bytes. psi</em>segstart inserts PAT and PMT tables at the start of segments. ebp adds Encoder Boundary Point information to the adaptation field as per OpenCable specification OC-SP-EBP-I01-130118. ebp_legacy adds Encoder Boundary Point information to the adaptation field using a legacy proprietary format.</p> #[serde(rename = "SegmentationMarkers")] #[serde(skip_serializing_if = "Option::is_none")] pub segmentation_markers: Option<String>, /// <p>The segmentation style parameter controls how segmentation markers are inserted into the transport stream. With avails, it is possible that segments may be truncated, which can influence where future segmentation markers are inserted. When a segmentation style of "reset<em>cadence" is selected and a segment is truncated due to an avail, we will reset the segmentation cadence. This means the subsequent segment will have a duration of of $segmentation</em>time seconds. When a segmentation style of "maintain<em>cadence" is selected and a segment is truncated due to an avail, we will not reset the segmentation cadence. This means the subsequent segment will likely be truncated as well. However, all segments after that will have a duration of $segmentation</em>time seconds. Note that EBP lookahead is a slight exception to this rule.</p> #[serde(rename = "SegmentationStyle")] #[serde(skip_serializing_if = "Option::is_none")] pub segmentation_style: Option<String>, /// <p>Specify the length, in seconds, of each segment. Required unless markers is set to <em>none</em>.</p> #[serde(rename = "SegmentationTime")] #[serde(skip_serializing_if = "Option::is_none")] pub segmentation_time: Option<f64>, /// <p>Specify the packet identifier (PID) for timed metadata in this output. Default is 502.</p> #[serde(rename = "TimedMetadataPid")] #[serde(skip_serializing_if = "Option::is_none")] pub timed_metadata_pid: Option<i64>, /// <p>Specify the ID for the transport stream itself in the program map table for this output. Transport stream IDs and program map tables are parts of MPEG-2 transport stream containers, used for organizing data.</p> #[serde(rename = "TransportStreamId")] #[serde(skip_serializing_if = "Option::is_none")] pub transport_stream_id: Option<i64>, /// <p>Specify the packet identifier (PID) of the elementary video stream in the transport stream.</p> #[serde(rename = "VideoPid")] #[serde(skip_serializing_if = "Option::is_none")] pub video_pid: Option<i64>, } /// <p>Settings for TS segments in HLS</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct M3u8Settings { /// <p>The number of audio frames to insert for each PES packet.</p> #[serde(rename = "AudioFramesPerPes")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_frames_per_pes: Option<i64>, /// <p>Packet Identifier (PID) of the elementary audio stream(s) in the transport stream. Multiple values are accepted, and can be entered in ranges and/or by comma separation.</p> #[serde(rename = "AudioPids")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_pids: Option<Vec<i64>>, /// <p>If INSERT, Nielsen inaudible tones for media tracking will be detected in the input audio and an equivalent ID3 tag will be inserted in the output.</p> #[serde(rename = "NielsenId3")] #[serde(skip_serializing_if = "Option::is_none")] pub nielsen_id_3: Option<String>, /// <p>The number of milliseconds between instances of this table in the output transport stream.</p> #[serde(rename = "PatInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub pat_interval: Option<i64>, /// <p>When set to PCR<em>EVERY</em>PES_PACKET a Program Clock Reference value is inserted for every Packetized Elementary Stream (PES) header. This parameter is effective only when the PCR PID is the same as the video or audio elementary stream.</p> #[serde(rename = "PcrControl")] #[serde(skip_serializing_if = "Option::is_none")] pub pcr_control: Option<String>, /// <p>Packet Identifier (PID) of the Program Clock Reference (PCR) in the transport stream. When no value is given, the encoder will assign the same value as the Video PID.</p> #[serde(rename = "PcrPid")] #[serde(skip_serializing_if = "Option::is_none")] pub pcr_pid: Option<i64>, /// <p>The number of milliseconds between instances of this table in the output transport stream.</p> #[serde(rename = "PmtInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub pmt_interval: Option<i64>, /// <p>Packet Identifier (PID) for the Program Map Table (PMT) in the transport stream.</p> #[serde(rename = "PmtPid")] #[serde(skip_serializing_if = "Option::is_none")] pub pmt_pid: Option<i64>, /// <p>Packet Identifier (PID) of the private metadata stream in the transport stream.</p> #[serde(rename = "PrivateMetadataPid")] #[serde(skip_serializing_if = "Option::is_none")] pub private_metadata_pid: Option<i64>, /// <p>The value of the program number field in the Program Map Table.</p> #[serde(rename = "ProgramNumber")] #[serde(skip_serializing_if = "Option::is_none")] pub program_number: Option<i64>, /// <p>Packet Identifier (PID) of the SCTE-35 stream in the transport stream.</p> #[serde(rename = "Scte35Pid")] #[serde(skip_serializing_if = "Option::is_none")] pub scte_35_pid: Option<i64>, /// <p>Enables SCTE-35 passthrough (scte35Source) to pass any SCTE-35 signals from input to output.</p> #[serde(rename = "Scte35Source")] #[serde(skip_serializing_if = "Option::is_none")] pub scte_35_source: Option<String>, /// <p>Applies only to HLS outputs. Use this setting to specify whether the service inserts the ID3 timed metadata from the input in this output.</p> #[serde(rename = "TimedMetadata")] #[serde(skip_serializing_if = "Option::is_none")] pub timed_metadata: Option<String>, /// <p>Packet Identifier (PID) of the timed metadata stream in the transport stream.</p> #[serde(rename = "TimedMetadataPid")] #[serde(skip_serializing_if = "Option::is_none")] pub timed_metadata_pid: Option<i64>, /// <p>The value of the transport stream ID field in the Program Map Table.</p> #[serde(rename = "TransportStreamId")] #[serde(skip_serializing_if = "Option::is_none")] pub transport_stream_id: Option<i64>, /// <p>Packet Identifier (PID) of the elementary video stream in the transport stream.</p> #[serde(rename = "VideoPid")] #[serde(skip_serializing_if = "Option::is_none")] pub video_pid: Option<i64>, } /// <p>Overlay motion graphics on top of your video at the time that you specify.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct MotionImageInserter { /// <p>If your motion graphic asset is a .mov file, keep this setting unspecified. If your motion graphic asset is a series of .png files, specify the frame rate of the overlay in frames per second, as a fraction. For example, specify 24 fps as 24/1. Make sure that the number of images in your series matches the frame rate and your intended overlay duration. For example, if you want a 30-second overlay at 30 fps, you should have 900 .png images. This overlay frame rate doesn't need to match the frame rate of the underlying video.</p> #[serde(rename = "Framerate")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate: Option<MotionImageInsertionFramerate>, /// <p>Specify the .mov file or series of .png files that you want to overlay on your video. For .png files, provide the file name of the first file in the series. Make sure that the names of the .png files end with sequential numbers that specify the order that they are played in. For example, overlay<em>000.png, overlay</em>001.png, overlay<em>002.png, and so on. The sequence must start at zero, and each image file name must have the same number of digits. Pad your initial file names with enough zeros to complete the sequence. For example, if the first image is overlay</em>0.png, there can be only 10 images in the sequence, with the last image being overlay<em>9.png. But if the first image is overlay</em>00.png, there can be 100 images in the sequence.</p> #[serde(rename = "Input")] #[serde(skip_serializing_if = "Option::is_none")] pub input: Option<String>, /// <p>Choose the type of motion graphic asset that you are providing for your overlay. You can choose either a .mov file or a series of .png files.</p> #[serde(rename = "InsertionMode")] #[serde(skip_serializing_if = "Option::is_none")] pub insertion_mode: Option<String>, /// <p>Use Offset to specify the placement of your motion graphic overlay on the video frame. Specify in pixels, from the upper-left corner of the frame. If you don't specify an offset, the service scales your overlay to the full size of the frame. Otherwise, the service inserts the overlay at its native resolution and scales the size up or down with any video scaling.</p> #[serde(rename = "Offset")] #[serde(skip_serializing_if = "Option::is_none")] pub offset: Option<MotionImageInsertionOffset>, /// <p>Specify whether your motion graphic overlay repeats on a loop or plays only once.</p> #[serde(rename = "Playback")] #[serde(skip_serializing_if = "Option::is_none")] pub playback: Option<String>, /// <p>Specify when the motion overlay begins. Use timecode format (HH:MM:SS:FF or HH:MM:SS;FF). Make sure that the timecode you provide here takes into account how you have set up your timecode configuration under both job settings and input settings. The simplest way to do that is to set both to start at 0. If you need to set up your job to follow timecodes embedded in your source that don't start at zero, make sure that you specify a start time that is after the first embedded timecode. For more information, see https://docs.aws.amazon.com/mediaconvert/latest/ug/setting-up-timecode.html Find job-wide and input timecode configuration settings in your JSON job settings specification at settings>timecodeConfig>source and settings>inputs>timecodeSource.</p> #[serde(rename = "StartTime")] #[serde(skip_serializing_if = "Option::is_none")] pub start_time: Option<String>, } /// <p>For motion overlays that don't have a built-in frame rate, specify the frame rate of the overlay in frames per second, as a fraction. For example, specify 24 fps as 24/1. The overlay frame rate doesn't need to match the frame rate of the underlying video.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct MotionImageInsertionFramerate { /// <p>The bottom of the fraction that expresses your overlay frame rate. For example, if your frame rate is 24 fps, set this value to 1.</p> #[serde(rename = "FramerateDenominator")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_denominator: Option<i64>, /// <p>The top of the fraction that expresses your overlay frame rate. For example, if your frame rate is 24 fps, set this value to 24.</p> #[serde(rename = "FramerateNumerator")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_numerator: Option<i64>, } /// <p>Specify the offset between the upper-left corner of the video frame and the top left corner of the overlay.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct MotionImageInsertionOffset { /// <p>Set the distance, in pixels, between the overlay and the left edge of the video frame.</p> #[serde(rename = "ImageX")] #[serde(skip_serializing_if = "Option::is_none")] pub image_x: Option<i64>, /// <p>Set the distance, in pixels, between the overlay and the top edge of the video frame.</p> #[serde(rename = "ImageY")] #[serde(skip_serializing_if = "Option::is_none")] pub image_y: Option<i64>, } /// <p>Settings for MOV Container.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct MovSettings { /// <p>When enabled, include 'clap' atom if appropriate for the video output settings.</p> #[serde(rename = "ClapAtom")] #[serde(skip_serializing_if = "Option::is_none")] pub clap_atom: Option<String>, /// <p>When enabled, file composition times will start at zero, composition times in the 'ctts' (composition time to sample) box for B-frames will be negative, and a 'cslg' (composition shift least greatest) box will be included per 14496-1 amendment 1. This improves compatibility with Apple players and tools.</p> #[serde(rename = "CslgAtom")] #[serde(skip_serializing_if = "Option::is_none")] pub cslg_atom: Option<String>, /// <p>When set to XDCAM, writes MPEG2 video streams into the QuickTime file using XDCAM fourcc codes. This increases compatibility with Apple editors and players, but may decrease compatibility with other players. Only applicable when the video codec is MPEG2.</p> #[serde(rename = "Mpeg2FourCCControl")] #[serde(skip_serializing_if = "Option::is_none")] pub mpeg_2_four_cc_control: Option<String>, /// <p>If set to OMNEON, inserts Omneon-compatible padding</p> #[serde(rename = "PaddingControl")] #[serde(skip_serializing_if = "Option::is_none")] pub padding_control: Option<String>, /// <p>Always keep the default value (SELF_CONTAINED) for this setting.</p> #[serde(rename = "Reference")] #[serde(skip_serializing_if = "Option::is_none")] pub reference: Option<String>, } /// <p>Required when you set (Codec) under (AudioDescriptions)>(CodecSettings) to the value MP2.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct Mp2Settings { /// <p>Average bitrate in bits/second.</p> #[serde(rename = "Bitrate")] #[serde(skip_serializing_if = "Option::is_none")] pub bitrate: Option<i64>, /// <p>Set Channels to specify the number of channels in this output audio track. Choosing Mono in the console will give you 1 output channel; choosing Stereo will give you 2. In the API, valid values are 1 and 2.</p> #[serde(rename = "Channels")] #[serde(skip_serializing_if = "Option::is_none")] pub channels: Option<i64>, /// <p>Sample rate in hz.</p> #[serde(rename = "SampleRate")] #[serde(skip_serializing_if = "Option::is_none")] pub sample_rate: Option<i64>, } /// <p>Settings for MP4 Container</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct Mp4Settings { /// <p>When enabled, file composition times will start at zero, composition times in the 'ctts' (composition time to sample) box for B-frames will be negative, and a 'cslg' (composition shift least greatest) box will be included per 14496-1 amendment 1. This improves compatibility with Apple players and tools.</p> #[serde(rename = "CslgAtom")] #[serde(skip_serializing_if = "Option::is_none")] pub cslg_atom: Option<String>, /// <p>Inserts a free-space box immediately after the moov box.</p> #[serde(rename = "FreeSpaceBox")] #[serde(skip_serializing_if = "Option::is_none")] pub free_space_box: Option<String>, /// <p>If set to PROGRESSIVE_DOWNLOAD, the MOOV atom is relocated to the beginning of the archive as required for progressive downloading. Otherwise it is placed normally at the end.</p> #[serde(rename = "MoovPlacement")] #[serde(skip_serializing_if = "Option::is_none")] pub moov_placement: Option<String>, /// <p>Overrides the "Major Brand" field in the output file. Usually not necessary to specify.</p> #[serde(rename = "Mp4MajorBrand")] #[serde(skip_serializing_if = "Option::is_none")] pub mp_4_major_brand: Option<String>, } /// <p>Required when you set (Codec) under (VideoDescription)>(CodecSettings) to the value MPEG2.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct Mpeg2Settings { /// <p>Adaptive quantization. Allows intra-frame quantizers to vary to improve visual quality.</p> #[serde(rename = "AdaptiveQuantization")] #[serde(skip_serializing_if = "Option::is_none")] pub adaptive_quantization: Option<String>, /// <p>Average bitrate in bits/second. Required for VBR and CBR. For MS Smooth outputs, bitrates must be unique when rounded down to the nearest multiple of 1000.</p> #[serde(rename = "Bitrate")] #[serde(skip_serializing_if = "Option::is_none")] pub bitrate: Option<i64>, /// <p>Use Level (Mpeg2CodecLevel) to set the MPEG-2 level for the video output.</p> #[serde(rename = "CodecLevel")] #[serde(skip_serializing_if = "Option::is_none")] pub codec_level: Option<String>, /// <p>Use Profile (Mpeg2CodecProfile) to set the MPEG-2 profile for the video output.</p> #[serde(rename = "CodecProfile")] #[serde(skip_serializing_if = "Option::is_none")] pub codec_profile: Option<String>, /// <p>Choose Adaptive to improve subjective video quality for high-motion content. This will cause the service to use fewer B-frames (which infer information based on other frames) for high-motion portions of the video and more B-frames for low-motion portions. The maximum number of B-frames is limited by the value you provide for the setting B frames between reference frames (numberBFramesBetweenReferenceFrames).</p> #[serde(rename = "DynamicSubGop")] #[serde(skip_serializing_if = "Option::is_none")] pub dynamic_sub_gop: Option<String>, /// <p>If you are using the console, use the Framerate setting to specify the frame rate for this output. If you want to keep the same frame rate as the input video, choose Follow source. If you want to do frame rate conversion, choose a frame rate from the dropdown list or choose Custom. The framerates shown in the dropdown list are decimal approximations of fractions. If you choose Custom, specify your frame rate as a fraction. If you are creating your transcoding job sepecification as a JSON file without the console, use FramerateControl to specify which value the service uses for the frame rate for this output. Choose INITIALIZE<em>FROM</em>SOURCE if you want the service to use the frame rate from the input. Choose SPECIFIED if you want the service to use the frame rate you specify in the settings FramerateNumerator and FramerateDenominator.</p> #[serde(rename = "FramerateControl")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_control: Option<String>, /// <p>When set to INTERPOLATE, produces smoother motion during frame rate conversion.</p> #[serde(rename = "FramerateConversionAlgorithm")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_conversion_algorithm: Option<String>, /// <p>Frame rate denominator.</p> #[serde(rename = "FramerateDenominator")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_denominator: Option<i64>, /// <p>Frame rate numerator - frame rate is a fraction, e.g. 24000 / 1001 = 23.976 fps.</p> #[serde(rename = "FramerateNumerator")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_numerator: Option<i64>, /// <p>Frequency of closed GOPs. In streaming applications, it is recommended that this be set to 1 so a decoder joining mid-stream will receive an IDR frame as quickly as possible. Setting this value to 0 will break output segmenting.</p> #[serde(rename = "GopClosedCadence")] #[serde(skip_serializing_if = "Option::is_none")] pub gop_closed_cadence: Option<i64>, /// <p>GOP Length (keyframe interval) in frames or seconds. Must be greater than zero.</p> #[serde(rename = "GopSize")] #[serde(skip_serializing_if = "Option::is_none")] pub gop_size: Option<f64>, /// <p>Indicates if the GOP Size in MPEG2 is specified in frames or seconds. If seconds the system will convert the GOP Size into a frame count at run time.</p> #[serde(rename = "GopSizeUnits")] #[serde(skip_serializing_if = "Option::is_none")] pub gop_size_units: Option<String>, /// <p>Percentage of the buffer that should initially be filled (HRD buffer model).</p> #[serde(rename = "HrdBufferInitialFillPercentage")] #[serde(skip_serializing_if = "Option::is_none")] pub hrd_buffer_initial_fill_percentage: Option<i64>, /// <p>Size of buffer (HRD buffer model) in bits. For example, enter five megabits as 5000000.</p> #[serde(rename = "HrdBufferSize")] #[serde(skip_serializing_if = "Option::is_none")] pub hrd_buffer_size: Option<i64>, /// <p>Use Interlace mode (InterlaceMode) to choose the scan line type for the output. * Top Field First (TOP<em>FIELD) and Bottom Field First (BOTTOM</em>FIELD) produce interlaced output with the entire output having the same field polarity (top or bottom first). * Follow, Default Top (FOLLOW<em>TOP</em>FIELD) and Follow, Default Bottom (FOLLOW<em>BOTTOM</em>FIELD) use the same field polarity as the source. Therefore, behavior depends on the input scan type. /// - If the source is interlaced, the output will be interlaced with the same polarity as the source (it will follow the source). The output could therefore be a mix of "top field first" and "bottom field first". /// - If the source is progressive, the output will be interlaced with "top field first" or "bottom field first" polarity, depending on which of the Follow options you chose.</p> #[serde(rename = "InterlaceMode")] #[serde(skip_serializing_if = "Option::is_none")] pub interlace_mode: Option<String>, /// <p>Use Intra DC precision (Mpeg2IntraDcPrecision) to set quantization precision for intra-block DC coefficients. If you choose the value auto, the service will automatically select the precision based on the per-frame compression ratio.</p> #[serde(rename = "IntraDcPrecision")] #[serde(skip_serializing_if = "Option::is_none")] pub intra_dc_precision: Option<String>, /// <p>Maximum bitrate in bits/second. For example, enter five megabits per second as 5000000.</p> #[serde(rename = "MaxBitrate")] #[serde(skip_serializing_if = "Option::is_none")] pub max_bitrate: Option<i64>, /// <p>Enforces separation between repeated (cadence) I-frames and I-frames inserted by Scene Change Detection. If a scene change I-frame is within I-interval frames of a cadence I-frame, the GOP is shrunk and/or stretched to the scene change I-frame. GOP stretch requires enabling lookahead as well as setting I-interval. The normal cadence resumes for the next GOP. This setting is only used when Scene Change Detect is enabled. Note: Maximum GOP stretch = GOP size + Min-I-interval - 1</p> #[serde(rename = "MinIInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub min_i_interval: Option<i64>, /// <p>Number of B-frames between reference frames.</p> #[serde(rename = "NumberBFramesBetweenReferenceFrames")] #[serde(skip_serializing_if = "Option::is_none")] pub number_b_frames_between_reference_frames: Option<i64>, /// <p>Using the API, enable ParFollowSource if you want the service to use the pixel aspect ratio from the input. Using the console, do this by choosing Follow source for Pixel aspect ratio.</p> #[serde(rename = "ParControl")] #[serde(skip_serializing_if = "Option::is_none")] pub par_control: Option<String>, /// <p>Pixel Aspect Ratio denominator.</p> #[serde(rename = "ParDenominator")] #[serde(skip_serializing_if = "Option::is_none")] pub par_denominator: Option<i64>, /// <p>Pixel Aspect Ratio numerator.</p> #[serde(rename = "ParNumerator")] #[serde(skip_serializing_if = "Option::is_none")] pub par_numerator: Option<i64>, /// <p>Use Quality tuning level (Mpeg2QualityTuningLevel) to specifiy whether to use single-pass or multipass video encoding.</p> #[serde(rename = "QualityTuningLevel")] #[serde(skip_serializing_if = "Option::is_none")] pub quality_tuning_level: Option<String>, /// <p>Use Rate control mode (Mpeg2RateControlMode) to specifiy whether the bitrate is variable (vbr) or constant (cbr).</p> #[serde(rename = "RateControlMode")] #[serde(skip_serializing_if = "Option::is_none")] pub rate_control_mode: Option<String>, /// <p>Scene change detection (inserts I-frames on scene changes).</p> #[serde(rename = "SceneChangeDetect")] #[serde(skip_serializing_if = "Option::is_none")] pub scene_change_detect: Option<String>, /// <p>Enables Slow PAL rate conversion. 23.976fps and 24fps input is relabeled as 25fps, and audio is sped up correspondingly.</p> #[serde(rename = "SlowPal")] #[serde(skip_serializing_if = "Option::is_none")] pub slow_pal: Option<String>, /// <p>Softness. Selects quantizer matrix, larger values reduce high-frequency content in the encoded image.</p> #[serde(rename = "Softness")] #[serde(skip_serializing_if = "Option::is_none")] pub softness: Option<i64>, /// <p>Adjust quantization within each frame based on spatial variation of content complexity.</p> #[serde(rename = "SpatialAdaptiveQuantization")] #[serde(skip_serializing_if = "Option::is_none")] pub spatial_adaptive_quantization: Option<String>, /// <p>Produces a Type D-10 compatible bitstream (SMPTE 356M-2001).</p> #[serde(rename = "Syntax")] #[serde(skip_serializing_if = "Option::is_none")] pub syntax: Option<String>, /// <p>Only use Telecine (Mpeg2Telecine) when you set Framerate (Framerate) to 29.970. Set Telecine (Mpeg2Telecine) to Hard (hard) to produce a 29.97i output from a 23.976 input. Set it to Soft (soft) to produce 23.976 output and leave converstion to the player.</p> #[serde(rename = "Telecine")] #[serde(skip_serializing_if = "Option::is_none")] pub telecine: Option<String>, /// <p>Adjust quantization within each frame based on temporal variation of content complexity.</p> #[serde(rename = "TemporalAdaptiveQuantization")] #[serde(skip_serializing_if = "Option::is_none")] pub temporal_adaptive_quantization: Option<String>, } /// <p>If you are using DRM, set DRM System (MsSmoothEncryptionSettings) to specify the value SpekeKeyProvider.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct MsSmoothEncryptionSettings { /// <p>Settings for use with a SPEKE key provider</p> #[serde(rename = "SpekeKeyProvider")] #[serde(skip_serializing_if = "Option::is_none")] pub speke_key_provider: Option<SpekeKeyProvider>, } /// <p>Required when you set (Type) under (OutputGroups)>(OutputGroupSettings) to MS<em>SMOOTH</em>GROUP_SETTINGS.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct MsSmoothGroupSettings { /// <p>COMBINE<em>DUPLICATE</em>STREAMS combines identical audio encoding settings across a Microsoft Smooth output group into a single audio stream.</p> #[serde(rename = "AudioDeduplication")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_deduplication: Option<String>, /// <p>Use Destination (Destination) to specify the S3 output location and the output filename base. Destination accepts format identifiers. If you do not specify the base filename in the URI, the service will use the filename of the input file. If your job has multiple inputs, the service uses the filename of the first input file.</p> #[serde(rename = "Destination")] #[serde(skip_serializing_if = "Option::is_none")] pub destination: Option<String>, /// <p>Settings associated with the destination. Will vary based on the type of destination</p> #[serde(rename = "DestinationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub destination_settings: Option<DestinationSettings>, /// <p>If you are using DRM, set DRM System (MsSmoothEncryptionSettings) to specify the value SpekeKeyProvider.</p> #[serde(rename = "Encryption")] #[serde(skip_serializing_if = "Option::is_none")] pub encryption: Option<MsSmoothEncryptionSettings>, /// <p>Use Fragment length (FragmentLength) to specify the mp4 fragment sizes in seconds. Fragment length must be compatible with GOP size and frame rate.</p> #[serde(rename = "FragmentLength")] #[serde(skip_serializing_if = "Option::is_none")] pub fragment_length: Option<i64>, /// <p>Use Manifest encoding (MsSmoothManifestEncoding) to specify the encoding format for the server and client manifest. Valid options are utf8 and utf16.</p> #[serde(rename = "ManifestEncoding")] #[serde(skip_serializing_if = "Option::is_none")] pub manifest_encoding: Option<String>, } /// <p>Settings for Nielsen Configuration</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct NielsenConfiguration { /// <p>Use Nielsen Configuration (NielsenConfiguration) to set the Nielsen measurement system breakout code. Supported values are 0, 3, 7, and 9.</p> #[serde(rename = "BreakoutCode")] #[serde(skip_serializing_if = "Option::is_none")] pub breakout_code: Option<i64>, /// <p>Use Distributor ID (DistributorID) to specify the distributor ID that is assigned to your organization by Neilsen.</p> #[serde(rename = "DistributorId")] #[serde(skip_serializing_if = "Option::is_none")] pub distributor_id: Option<String>, } /// <p>Enable the Noise reducer (NoiseReducer) feature to remove noise from your video output if necessary. Enable or disable this feature for each output individually. This setting is disabled by default. When you enable Noise reducer (NoiseReducer), you must also select a value for Noise reducer filter (NoiseReducerFilter).</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct NoiseReducer { /// <p>Use Noise reducer filter (NoiseReducerFilter) to select one of the following spatial image filtering functions. To use this setting, you must also enable Noise reducer (NoiseReducer). * Bilateral is an edge preserving noise reduction filter. * Mean (softest), Gaussian, Lanczos, and Sharpen (sharpest) are convolution filters. * Conserve is a min/max noise reduction filter. * Spatial is a frequency-domain filter based on JND principles.</p> #[serde(rename = "Filter")] #[serde(skip_serializing_if = "Option::is_none")] pub filter: Option<String>, /// <p>Settings for a noise reducer filter</p> #[serde(rename = "FilterSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub filter_settings: Option<NoiseReducerFilterSettings>, /// <p>Noise reducer filter settings for spatial filter.</p> #[serde(rename = "SpatialFilterSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub spatial_filter_settings: Option<NoiseReducerSpatialFilterSettings>, } /// <p>Settings for a noise reducer filter</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct NoiseReducerFilterSettings { /// <p>Relative strength of noise reducing filter. Higher values produce stronger filtering.</p> #[serde(rename = "Strength")] #[serde(skip_serializing_if = "Option::is_none")] pub strength: Option<i64>, } /// <p>Noise reducer filter settings for spatial filter.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct NoiseReducerSpatialFilterSettings { /// <p>Specify strength of post noise reduction sharpening filter, with 0 disabling the filter and 3 enabling it at maximum strength.</p> #[serde(rename = "PostFilterSharpenStrength")] #[serde(skip_serializing_if = "Option::is_none")] pub post_filter_sharpen_strength: Option<i64>, /// <p>The speed of the filter, from -2 (lower speed) to 3 (higher speed), with 0 being the nominal value.</p> #[serde(rename = "Speed")] #[serde(skip_serializing_if = "Option::is_none")] pub speed: Option<i64>, /// <p>Relative strength of noise reducing filter. Higher values produce stronger filtering.</p> #[serde(rename = "Strength")] #[serde(skip_serializing_if = "Option::is_none")] pub strength: Option<i64>, } /// <p>An output object describes the settings for a single output file or stream in an output group.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct Output { /// <p>(AudioDescriptions) contains groups of audio encoding settings organized by audio codec. Include one instance of (AudioDescriptions) per output. (AudioDescriptions) can contain multiple groups of encoding settings.</p> #[serde(rename = "AudioDescriptions")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_descriptions: Option<Vec<AudioDescription>>, /// <p>(CaptionDescriptions) contains groups of captions settings. For each output that has captions, include one instance of (CaptionDescriptions). (CaptionDescriptions) can contain multiple groups of captions settings.</p> #[serde(rename = "CaptionDescriptions")] #[serde(skip_serializing_if = "Option::is_none")] pub caption_descriptions: Option<Vec<CaptionDescription>>, /// <p>Container specific settings.</p> #[serde(rename = "ContainerSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub container_settings: Option<ContainerSettings>, /// <p>Use Extension (Extension) to specify the file extension for outputs in File output groups. If you do not specify a value, the service will use default extensions by container type as follows * MPEG-2 transport stream, m2ts * Quicktime, mov * MXF container, mxf * MPEG-4 container, mp4 * No Container, the service will use codec extensions (e.g. AAC, H265, H265, AC3)</p> #[serde(rename = "Extension")] #[serde(skip_serializing_if = "Option::is_none")] pub extension: Option<String>, /// <p>Use Name modifier (NameModifier) to have the service add a string to the end of each output filename. You specify the base filename as part of your destination URI. When you create multiple outputs in the same output group, Name modifier (NameModifier) is required. Name modifier also accepts format identifiers. For DASH ISO outputs, if you use the format identifiers $Number$ or $Time$ in one output, you must use them in the same way in all outputs of the output group.</p> #[serde(rename = "NameModifier")] #[serde(skip_serializing_if = "Option::is_none")] pub name_modifier: Option<String>, /// <p>Specific settings for this type of output.</p> #[serde(rename = "OutputSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub output_settings: Option<OutputSettings>, /// <p>Use Preset (Preset) to specifiy a preset for your transcoding settings. Provide the system or custom preset name. You can specify either Preset (Preset) or Container settings (ContainerSettings), but not both.</p> #[serde(rename = "Preset")] #[serde(skip_serializing_if = "Option::is_none")] pub preset: Option<String>, /// <p>(VideoDescription) contains a group of video encoding settings. The specific video settings depend on the video codec you choose when you specify a value for Video codec (codec). Include one instance of (VideoDescription) per output.</p> #[serde(rename = "VideoDescription")] #[serde(skip_serializing_if = "Option::is_none")] pub video_description: Option<VideoDescription>, } /// <p>OutputChannel mapping settings.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct OutputChannelMapping { /// <p>List of input channels</p> #[serde(rename = "InputChannels")] #[serde(skip_serializing_if = "Option::is_none")] pub input_channels: Option<Vec<i64>>, } /// <p>Details regarding output</p> #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct OutputDetail { /// <p>Duration in milliseconds</p> #[serde(rename = "DurationInMs")] #[serde(skip_serializing_if = "Option::is_none")] pub duration_in_ms: Option<i64>, /// <p>Contains details about the output's video stream</p> #[serde(rename = "VideoDetails")] #[serde(skip_serializing_if = "Option::is_none")] pub video_details: Option<VideoDetail>, } /// <p>Group of outputs</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct OutputGroup { /// <p>Use Custom Group Name (CustomName) to specify a name for the output group. This value is displayed on the console and can make your job settings JSON more human-readable. It does not affect your outputs. Use up to twelve characters that are either letters, numbers, spaces, or underscores.</p> #[serde(rename = "CustomName")] #[serde(skip_serializing_if = "Option::is_none")] pub custom_name: Option<String>, /// <p>Name of the output group</p> #[serde(rename = "Name")] #[serde(skip_serializing_if = "Option::is_none")] pub name: Option<String>, /// <p>Output Group settings, including type</p> #[serde(rename = "OutputGroupSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub output_group_settings: Option<OutputGroupSettings>, /// <p>This object holds groups of encoding settings, one group of settings per output.</p> #[serde(rename = "Outputs")] #[serde(skip_serializing_if = "Option::is_none")] pub outputs: Option<Vec<Output>>, } /// <p>Contains details about the output groups specified in the job settings.</p> #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct OutputGroupDetail { /// <p>Details about the output</p> #[serde(rename = "OutputDetails")] #[serde(skip_serializing_if = "Option::is_none")] pub output_details: Option<Vec<OutputDetail>>, } /// <p>Output Group settings, including type</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct OutputGroupSettings { /// <p>Required when you set (Type) under (OutputGroups)>(OutputGroupSettings) to CMAF<em>GROUP</em>SETTINGS. Each output in a CMAF Output Group may only contain a single video, audio, or caption output.</p> #[serde(rename = "CmafGroupSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub cmaf_group_settings: Option<CmafGroupSettings>, /// <p>Required when you set (Type) under (OutputGroups)>(OutputGroupSettings) to DASH<em>ISO</em>GROUP_SETTINGS.</p> #[serde(rename = "DashIsoGroupSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub dash_iso_group_settings: Option<DashIsoGroupSettings>, /// <p>Required when you set (Type) under (OutputGroups)>(OutputGroupSettings) to FILE<em>GROUP</em>SETTINGS.</p> #[serde(rename = "FileGroupSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub file_group_settings: Option<FileGroupSettings>, /// <p>Required when you set (Type) under (OutputGroups)>(OutputGroupSettings) to HLS<em>GROUP</em>SETTINGS.</p> #[serde(rename = "HlsGroupSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub hls_group_settings: Option<HlsGroupSettings>, /// <p>Required when you set (Type) under (OutputGroups)>(OutputGroupSettings) to MS<em>SMOOTH</em>GROUP_SETTINGS.</p> #[serde(rename = "MsSmoothGroupSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub ms_smooth_group_settings: Option<MsSmoothGroupSettings>, /// <p>Type of output group (File group, Apple HLS, DASH ISO, Microsoft Smooth Streaming, CMAF)</p> #[serde(rename = "Type")] #[serde(skip_serializing_if = "Option::is_none")] pub type_: Option<String>, } /// <p>Specific settings for this type of output.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct OutputSettings { /// <p>Settings for HLS output groups</p> #[serde(rename = "HlsSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub hls_settings: Option<HlsSettings>, } /// <p>A preset is a collection of preconfigured media conversion settings that you want MediaConvert to apply to the output during the conversion process.</p> #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct Preset { /// <p>An identifier for this resource that is unique within all of AWS.</p> #[serde(rename = "Arn")] #[serde(skip_serializing_if = "Option::is_none")] pub arn: Option<String>, /// <p>An optional category you create to organize your presets.</p> #[serde(rename = "Category")] #[serde(skip_serializing_if = "Option::is_none")] pub category: Option<String>, /// <p>The timestamp in epoch seconds for preset creation.</p> #[serde(rename = "CreatedAt")] #[serde(skip_serializing_if = "Option::is_none")] pub created_at: Option<f64>, /// <p>An optional description you create for each preset.</p> #[serde(rename = "Description")] #[serde(skip_serializing_if = "Option::is_none")] pub description: Option<String>, /// <p>The timestamp in epoch seconds when the preset was last updated.</p> #[serde(rename = "LastUpdated")] #[serde(skip_serializing_if = "Option::is_none")] pub last_updated: Option<f64>, /// <p>A name you create for each preset. Each name must be unique within your account.</p> #[serde(rename = "Name")] pub name: String, /// <p>Settings for preset</p> #[serde(rename = "Settings")] pub settings: PresetSettings, /// <p>A preset can be of two types: system or custom. System or built-in preset can't be modified or deleted by the user.</p> #[serde(rename = "Type")] #[serde(skip_serializing_if = "Option::is_none")] pub type_: Option<String>, } /// <p>Settings for preset</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct PresetSettings { /// <p>(AudioDescriptions) contains groups of audio encoding settings organized by audio codec. Include one instance of (AudioDescriptions) per output. (AudioDescriptions) can contain multiple groups of encoding settings.</p> #[serde(rename = "AudioDescriptions")] #[serde(skip_serializing_if = "Option::is_none")] pub audio_descriptions: Option<Vec<AudioDescription>>, /// <p>Caption settings for this preset. There can be multiple caption settings in a single output.</p> #[serde(rename = "CaptionDescriptions")] #[serde(skip_serializing_if = "Option::is_none")] pub caption_descriptions: Option<Vec<CaptionDescriptionPreset>>, /// <p>Container specific settings.</p> #[serde(rename = "ContainerSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub container_settings: Option<ContainerSettings>, /// <p>(VideoDescription) contains a group of video encoding settings. The specific video settings depend on the video codec you choose when you specify a value for Video codec (codec). Include one instance of (VideoDescription) per output.</p> #[serde(rename = "VideoDescription")] #[serde(skip_serializing_if = "Option::is_none")] pub video_description: Option<VideoDescription>, } /// <p>Required when you set (Codec) under (VideoDescription)>(CodecSettings) to the value PRORES.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct ProresSettings { /// <p>Use Profile (ProResCodecProfile) to specifiy the type of Apple ProRes codec to use for this output.</p> #[serde(rename = "CodecProfile")] #[serde(skip_serializing_if = "Option::is_none")] pub codec_profile: Option<String>, /// <p>If you are using the console, use the Framerate setting to specify the frame rate for this output. If you want to keep the same frame rate as the input video, choose Follow source. If you want to do frame rate conversion, choose a frame rate from the dropdown list or choose Custom. The framerates shown in the dropdown list are decimal approximations of fractions. If you choose Custom, specify your frame rate as a fraction. If you are creating your transcoding job sepecification as a JSON file without the console, use FramerateControl to specify which value the service uses for the frame rate for this output. Choose INITIALIZE<em>FROM</em>SOURCE if you want the service to use the frame rate from the input. Choose SPECIFIED if you want the service to use the frame rate you specify in the settings FramerateNumerator and FramerateDenominator.</p> #[serde(rename = "FramerateControl")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_control: Option<String>, /// <p>When set to INTERPOLATE, produces smoother motion during frame rate conversion.</p> #[serde(rename = "FramerateConversionAlgorithm")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_conversion_algorithm: Option<String>, /// <p>Frame rate denominator.</p> #[serde(rename = "FramerateDenominator")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_denominator: Option<i64>, /// <p>When you use the API for transcode jobs that use frame rate conversion, specify the frame rate as a fraction. For example, 24000 / 1001 = 23.976 fps. Use FramerateNumerator to specify the numerator of this fraction. In this example, use 24000 for the value of FramerateNumerator.</p> #[serde(rename = "FramerateNumerator")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate_numerator: Option<i64>, /// <p>Use Interlace mode (InterlaceMode) to choose the scan line type for the output. * Top Field First (TOP<em>FIELD) and Bottom Field First (BOTTOM</em>FIELD) produce interlaced output with the entire output having the same field polarity (top or bottom first). * Follow, Default Top (FOLLOW<em>TOP</em>FIELD) and Follow, Default Bottom (FOLLOW<em>BOTTOM</em>FIELD) use the same field polarity as the source. Therefore, behavior depends on the input scan type. /// - If the source is interlaced, the output will be interlaced with the same polarity as the source (it will follow the source). The output could therefore be a mix of "top field first" and "bottom field first". /// - If the source is progressive, the output will be interlaced with "top field first" or "bottom field first" polarity, depending on which of the Follow options you chose.</p> #[serde(rename = "InterlaceMode")] #[serde(skip_serializing_if = "Option::is_none")] pub interlace_mode: Option<String>, /// <p>Use (ProresParControl) to specify how the service determines the pixel aspect ratio. Set to Follow source (INITIALIZE<em>FROM</em>SOURCE) to use the pixel aspect ratio from the input. To specify a different pixel aspect ratio: Using the console, choose it from the dropdown menu. Using the API, set ProresParControl to (SPECIFIED) and provide for (ParNumerator) and (ParDenominator).</p> #[serde(rename = "ParControl")] #[serde(skip_serializing_if = "Option::is_none")] pub par_control: Option<String>, /// <p>Pixel Aspect Ratio denominator.</p> #[serde(rename = "ParDenominator")] #[serde(skip_serializing_if = "Option::is_none")] pub par_denominator: Option<i64>, /// <p>Pixel Aspect Ratio numerator.</p> #[serde(rename = "ParNumerator")] #[serde(skip_serializing_if = "Option::is_none")] pub par_numerator: Option<i64>, /// <p>Enables Slow PAL rate conversion. 23.976fps and 24fps input is relabeled as 25fps, and audio is sped up correspondingly.</p> #[serde(rename = "SlowPal")] #[serde(skip_serializing_if = "Option::is_none")] pub slow_pal: Option<String>, /// <p>Only use Telecine (ProresTelecine) when you set Framerate (Framerate) to 29.970. Set Telecine (ProresTelecine) to Hard (hard) to produce a 29.97i output from a 23.976 input. Set it to Soft (soft) to produce 23.976 output and leave converstion to the player.</p> #[serde(rename = "Telecine")] #[serde(skip_serializing_if = "Option::is_none")] pub telecine: Option<String>, } /// <p>You can use queues to manage the resources that are available to your AWS account for running multiple transcoding jobs at the same time. If you don't specify a queue, the service sends all jobs through the default queue. For more information, see https://docs.aws.amazon.com/mediaconvert/latest/ug/working-with-queues.html.</p> #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct Queue { /// <p>An identifier for this resource that is unique within all of AWS.</p> #[serde(rename = "Arn")] #[serde(skip_serializing_if = "Option::is_none")] pub arn: Option<String>, /// <p>The timestamp in epoch seconds for when you created the queue.</p> #[serde(rename = "CreatedAt")] #[serde(skip_serializing_if = "Option::is_none")] pub created_at: Option<f64>, /// <p>An optional description that you create for each queue.</p> #[serde(rename = "Description")] #[serde(skip_serializing_if = "Option::is_none")] pub description: Option<String>, /// <p>The timestamp in epoch seconds for when you most recently updated the queue.</p> #[serde(rename = "LastUpdated")] #[serde(skip_serializing_if = "Option::is_none")] pub last_updated: Option<f64>, /// <p>A name that you create for each queue. Each name must be unique within your account.</p> #[serde(rename = "Name")] pub name: String, /// <p>Specifies whether the pricing plan for the queue is on-demand or reserved. For on-demand, you pay per minute, billed in increments of .01 minute. For reserved, you pay for the transcoding capacity of the entire queue, regardless of how much or how little you use it. Reserved pricing requires a 12-month commitment.</p> #[serde(rename = "PricingPlan")] #[serde(skip_serializing_if = "Option::is_none")] pub pricing_plan: Option<String>, /// <p>The estimated number of jobs with a PROGRESSING status.</p> #[serde(rename = "ProgressingJobsCount")] #[serde(skip_serializing_if = "Option::is_none")] pub progressing_jobs_count: Option<i64>, /// <p>Details about the pricing plan for your reserved queue. Required for reserved queues and not applicable to on-demand queues.</p> #[serde(rename = "ReservationPlan")] #[serde(skip_serializing_if = "Option::is_none")] pub reservation_plan: Option<ReservationPlan>, /// <p>Queues can be ACTIVE or PAUSED. If you pause a queue, the service won't begin processing jobs in that queue. Jobs that are running when you pause the queue continue to run until they finish or result in an error.</p> #[serde(rename = "Status")] #[serde(skip_serializing_if = "Option::is_none")] pub status: Option<String>, /// <p>The estimated number of jobs with a SUBMITTED status.</p> #[serde(rename = "SubmittedJobsCount")] #[serde(skip_serializing_if = "Option::is_none")] pub submitted_jobs_count: Option<i64>, /// <p>Specifies whether this on-demand queue is system or custom. System queues are built in. You can't modify or delete system queues. You can create and modify custom queues.</p> #[serde(rename = "Type")] #[serde(skip_serializing_if = "Option::is_none")] pub type_: Option<String>, } /// <p>Use Rectangle to identify a specific area of the video frame.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct Rectangle { /// <p>Height of rectangle in pixels. Specify only even numbers.</p> #[serde(rename = "Height")] #[serde(skip_serializing_if = "Option::is_none")] pub height: Option<i64>, /// <p>Width of rectangle in pixels. Specify only even numbers.</p> #[serde(rename = "Width")] #[serde(skip_serializing_if = "Option::is_none")] pub width: Option<i64>, /// <p>The distance, in pixels, between the rectangle and the left edge of the video frame. Specify only even numbers.</p> #[serde(rename = "X")] #[serde(skip_serializing_if = "Option::is_none")] pub x: Option<i64>, /// <p>The distance, in pixels, between the rectangle and the top edge of the video frame. Specify only even numbers.</p> #[serde(rename = "Y")] #[serde(skip_serializing_if = "Option::is_none")] pub y: Option<i64>, } /// <p>Use Manual audio remixing (RemixSettings) to adjust audio levels for each audio channel in each output of your job. With audio remixing, you can output more or fewer audio channels than your input audio source provides.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct RemixSettings { /// <p>Channel mapping (ChannelMapping) contains the group of fields that hold the remixing value for each channel. Units are in dB. Acceptable values are within the range from -60 (mute) through 6. A setting of 0 passes the input channel unchanged to the output channel (no attenuation or amplification).</p> #[serde(rename = "ChannelMapping")] #[serde(skip_serializing_if = "Option::is_none")] pub channel_mapping: Option<ChannelMapping>, /// <p>Specify the number of audio channels from your input that you want to use in your output. With remixing, you might combine or split the data in these channels, so the number of channels in your final output might be different.</p> #[serde(rename = "ChannelsIn")] #[serde(skip_serializing_if = "Option::is_none")] pub channels_in: Option<i64>, /// <p>Specify the number of channels in this output after remixing. Valid values: 1, 2, 4, 6, 8</p> #[serde(rename = "ChannelsOut")] #[serde(skip_serializing_if = "Option::is_none")] pub channels_out: Option<i64>, } /// <p>Details about the pricing plan for your reserved queue. Required for reserved queues and not applicable to on-demand queues.</p> #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct ReservationPlan { /// <p>The length of the term of your reserved queue pricing plan commitment.</p> #[serde(rename = "Commitment")] #[serde(skip_serializing_if = "Option::is_none")] pub commitment: Option<String>, /// <p>The timestamp in epoch seconds for when the current pricing plan term for this reserved queue expires.</p> #[serde(rename = "ExpiresAt")] #[serde(skip_serializing_if = "Option::is_none")] pub expires_at: Option<f64>, /// <p>The timestamp in epoch seconds for when you set up the current pricing plan for this reserved queue.</p> #[serde(rename = "PurchasedAt")] #[serde(skip_serializing_if = "Option::is_none")] pub purchased_at: Option<f64>, /// <p>Specifies whether the term of your reserved queue pricing plan is automatically extended (AUTO_RENEW) or expires (EXPIRE) at the end of the term.</p> #[serde(rename = "RenewalType")] #[serde(skip_serializing_if = "Option::is_none")] pub renewal_type: Option<String>, /// <p>Specifies the number of reserved transcode slots (RTS) for this queue. The number of RTS determines how many jobs the queue can process in parallel; each RTS can process one job at a time. When you increase this number, you extend your existing commitment with a new 12-month commitment for a larger number of RTS. The new commitment begins when you purchase the additional capacity. You can't decrease the number of RTS in your reserved queue.</p> #[serde(rename = "ReservedSlots")] #[serde(skip_serializing_if = "Option::is_none")] pub reserved_slots: Option<i64>, /// <p>Specifies whether the pricing plan for your reserved queue is ACTIVE or EXPIRED.</p> #[serde(rename = "Status")] #[serde(skip_serializing_if = "Option::is_none")] pub status: Option<String>, } /// <p>Details about the pricing plan for your reserved queue. Required for reserved queues and not applicable to on-demand queues.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct ReservationPlanSettings { /// <p>The length of the term of your reserved queue pricing plan commitment.</p> #[serde(rename = "Commitment")] pub commitment: String, /// <p>Specifies whether the term of your reserved queue pricing plan is automatically extended (AUTO_RENEW) or expires (EXPIRE) at the end of the term. When your term is auto renewed, you extend your commitment by 12 months from the auto renew date. You can cancel this commitment.</p> #[serde(rename = "RenewalType")] pub renewal_type: String, /// <p>Specifies the number of reserved transcode slots (RTS) for this queue. The number of RTS determines how many jobs the queue can process in parallel; each RTS can process one job at a time. You can't decrease the number of RTS in your reserved queue. You can increase the number of RTS by extending your existing commitment with a new 12-month commitment for the larger number. The new commitment begins when you purchase the additional capacity. You can't cancel your commitment or revert to your original commitment after you increase the capacity.</p> #[serde(rename = "ReservedSlots")] pub reserved_slots: i64, } /// <p>The Amazon Resource Name (ARN) and tags for an AWS Elemental MediaConvert resource.</p> #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct ResourceTags { /// <p>The Amazon Resource Name (ARN) of the resource.</p> #[serde(rename = "Arn")] #[serde(skip_serializing_if = "Option::is_none")] pub arn: Option<String>, /// <p>The tags for the resource.</p> #[serde(rename = "Tags")] #[serde(skip_serializing_if = "Option::is_none")] pub tags: Option<::std::collections::HashMap<String, String>>, } /// <p>Settings associated with S3 destination</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct S3DestinationSettings { /// <p>Settings for how your job outputs are encrypted as they are uploaded to Amazon S3.</p> #[serde(rename = "Encryption")] #[serde(skip_serializing_if = "Option::is_none")] pub encryption: Option<S3EncryptionSettings>, } /// <p>Settings for how your job outputs are encrypted as they are uploaded to Amazon S3.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct S3EncryptionSettings { /// <p>Specify how you want your data keys managed. AWS uses data keys to encrypt your content. AWS also encrypts the data keys themselves, using a customer master key (CMK), and then stores the encrypted data keys alongside your encrypted content. Use this setting to specify which AWS service manages the CMK. For simplest set up, choose Amazon S3 (SERVER<em>SIDE</em>ENCRYPTION<em>S3). If you want your master key to be managed by AWS Key Management Service (KMS), choose AWS KMS (SERVER</em>SIDE<em>ENCRYPTION</em>KMS). By default, when you choose AWS KMS, KMS uses the AWS managed customer master key (CMK) associated with Amazon S3 to encrypt your data keys. You can optionally choose to specify a different, customer managed CMK. Do so by specifying the Amazon Resource Name (ARN) of the key for the setting KMS ARN (kmsKeyArn).</p> #[serde(rename = "EncryptionType")] #[serde(skip_serializing_if = "Option::is_none")] pub encryption_type: Option<String>, /// <p>Optionally, specify the customer master key (CMK) that you want to use to encrypt the data key that AWS uses to encrypt your output content. Enter the Amazon Resource Name (ARN) of the CMK. To use this setting, you must also set Server-side encryption (S3ServerSideEncryptionType) to AWS KMS (SERVER<em>SIDE</em>ENCRYPTION_KMS). If you set Server-side encryption to AWS KMS but don't specify a CMK here, AWS uses the AWS managed CMK associated with Amazon S3.</p> #[serde(rename = "KmsKeyArn")] #[serde(skip_serializing_if = "Option::is_none")] pub kms_key_arn: Option<String>, } /// <p>Settings for SCC caption output.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct SccDestinationSettings { /// <p>Set Framerate (SccDestinationFramerate) to make sure that the captions and the video are synchronized in the output. Specify a frame rate that matches the frame rate of the associated video. If the video frame rate is 29.97, choose 29.97 dropframe (FRAMERATE<em>29</em>97<em>DROPFRAME) only if the video has video</em>insertion=true and drop<em>frame</em>timecode=true; otherwise, choose 29.97 non-dropframe (FRAMERATE<em>29</em>97<em>NON</em>DROPFRAME).</p> #[serde(rename = "Framerate")] #[serde(skip_serializing_if = "Option::is_none")] pub framerate: Option<String>, } /// <p>Settings for use with a SPEKE key provider</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct SpekeKeyProvider { /// <p>Optional AWS Certificate Manager ARN for a certificate to send to the keyprovider. The certificate holds a key used by the keyprovider to encrypt the keys in its response.</p> #[serde(rename = "CertificateArn")] #[serde(skip_serializing_if = "Option::is_none")] pub certificate_arn: Option<String>, /// <p>The SPEKE-compliant server uses Resource ID (ResourceId) to identify content.</p> #[serde(rename = "ResourceId")] #[serde(skip_serializing_if = "Option::is_none")] pub resource_id: Option<String>, /// <p>Relates to SPEKE implementation. DRM system identifiers. DASH output groups support a max of two system ids. Other group types support one system id.</p> #[serde(rename = "SystemIds")] #[serde(skip_serializing_if = "Option::is_none")] pub system_ids: Option<Vec<String>>, /// <p>Use URL (Url) to specify the SPEKE-compliant server that will provide keys for content.</p> #[serde(rename = "Url")] #[serde(skip_serializing_if = "Option::is_none")] pub url: Option<String>, } /// <p>Use these settings to set up encryption with a static key provider.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct StaticKeyProvider { /// <p>Relates to DRM implementation. Sets the value of the KEYFORMAT attribute. Must be 'identity' or a reverse DNS string. May be omitted to indicate an implicit value of 'identity'.</p> #[serde(rename = "KeyFormat")] #[serde(skip_serializing_if = "Option::is_none")] pub key_format: Option<String>, /// <p>Relates to DRM implementation. Either a single positive integer version value or a slash delimited list of version values (1/2/3).</p> #[serde(rename = "KeyFormatVersions")] #[serde(skip_serializing_if = "Option::is_none")] pub key_format_versions: Option<String>, /// <p>Relates to DRM implementation. Use a 32-character hexidecimal string to specify Key Value (StaticKeyValue).</p> #[serde(rename = "StaticKeyValue")] #[serde(skip_serializing_if = "Option::is_none")] pub static_key_value: Option<String>, /// <p>Relates to DRM implementation. The location of the license server used for protecting content.</p> #[serde(rename = "Url")] #[serde(skip_serializing_if = "Option::is_none")] pub url: Option<String>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct TagResourceRequest { /// <p>The Amazon Resource Name (ARN) of the resource that you want to tag. To get the ARN, send a GET request with the resource name.</p> #[serde(rename = "Arn")] pub arn: String, /// <p>The tags that you want to add to the resource. You can tag resources with a key-value pair or with only a key.</p> #[serde(rename = "Tags")] pub tags: ::std::collections::HashMap<String, String>, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct TagResourceResponse {} /// <p>Settings for Teletext caption output</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct TeletextDestinationSettings { /// <p>Set pageNumber to the Teletext page number for the destination captions for this output. This value must be a three-digit hexadecimal string; strings ending in -FF are invalid. If you are passing through the entire set of Teletext data, do not use this field.</p> #[serde(rename = "PageNumber")] #[serde(skip_serializing_if = "Option::is_none")] pub page_number: Option<String>, } /// <p>Settings specific to Teletext caption sources, including Page number.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct TeletextSourceSettings { /// <p>Use Page Number (PageNumber) to specify the three-digit hexadecimal page number that will be used for Teletext captions. Do not use this setting if you are passing through teletext from the input source to output.</p> #[serde(rename = "PageNumber")] #[serde(skip_serializing_if = "Option::is_none")] pub page_number: Option<String>, } /// <p>Timecode burn-in (TimecodeBurnIn)--Burns the output timecode and specified prefix into the output.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct TimecodeBurnin { /// <p>Use Font Size (FontSize) to set the font size of any burned-in timecode. Valid values are 10, 16, 32, 48.</p> #[serde(rename = "FontSize")] #[serde(skip_serializing_if = "Option::is_none")] pub font_size: Option<i64>, /// <p>Use Position (Position) under under Timecode burn-in (TimecodeBurnIn) to specify the location the burned-in timecode on output video.</p> #[serde(rename = "Position")] #[serde(skip_serializing_if = "Option::is_none")] pub position: Option<String>, /// <p>Use Prefix (Prefix) to place ASCII characters before any burned-in timecode. For example, a prefix of "EZ-" will result in the timecode "EZ-00:00:00:00". Provide either the characters themselves or the ASCII code equivalents. The supported range of characters is 0x20 through 0x7e. This includes letters, numbers, and all special characters represented on a standard English keyboard.</p> #[serde(rename = "Prefix")] #[serde(skip_serializing_if = "Option::is_none")] pub prefix: Option<String>, } /// <p>These settings control how the service handles timecodes throughout the job. These settings don't affect input clipping.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct TimecodeConfig { /// <p>If you use an editing platform that relies on an anchor timecode, use Anchor Timecode (Anchor) to specify a timecode that will match the input video frame to the output video frame. Use 24-hour format with frame number, (HH:MM:SS:FF) or (HH:MM:SS;FF). This setting ignores frame rate conversion. System behavior for Anchor Timecode varies depending on your setting for Source (TimecodeSource). * If Source (TimecodeSource) is set to Specified Start (SPECIFIEDSTART), the first input frame is the specified value in Start Timecode (Start). Anchor Timecode (Anchor) and Start Timecode (Start) are used calculate output timecode. * If Source (TimecodeSource) is set to Start at 0 (ZEROBASED) the first frame is 00:00:00:00. * If Source (TimecodeSource) is set to Embedded (EMBEDDED), the first frame is the timecode value on the first input frame of the input.</p> #[serde(rename = "Anchor")] #[serde(skip_serializing_if = "Option::is_none")] pub anchor: Option<String>, /// <p>Use Source (TimecodeSource) to set how timecodes are handled within this job. To make sure that your video, audio, captions, and markers are synchronized and that time-based features, such as image inserter, work correctly, choose the Timecode source option that matches your assets. All timecodes are in a 24-hour format with frame number (HH:MM:SS:FF). * Embedded (EMBEDDED) - Use the timecode that is in the input video. If no embedded timecode is in the source, the service will use Start at 0 (ZEROBASED) instead. * Start at 0 (ZEROBASED) - Set the timecode of the initial frame to 00:00:00:00. * Specified Start (SPECIFIEDSTART) - Set the timecode of the initial frame to a value other than zero. You use Start timecode (Start) to provide this value.</p> #[serde(rename = "Source")] #[serde(skip_serializing_if = "Option::is_none")] pub source: Option<String>, /// <p>Only use when you set Source (TimecodeSource) to Specified start (SPECIFIEDSTART). Use Start timecode (Start) to specify the timecode for the initial frame. Use 24-hour format with frame number, (HH:MM:SS:FF) or (HH:MM:SS;FF).</p> #[serde(rename = "Start")] #[serde(skip_serializing_if = "Option::is_none")] pub start: Option<String>, /// <p>Only applies to outputs that support program-date-time stamp. Use Timestamp offset (TimestampOffset) to overwrite the timecode date without affecting the time and frame number. Provide the new date as a string in the format "yyyy-mm-dd". To use Time stamp offset, you must also enable Insert program-date-time (InsertProgramDateTime) in the output settings. For example, if the date part of your timecodes is 2002-1-25 and you want to change it to one year later, set Timestamp offset (TimestampOffset) to 2003-1-25.</p> #[serde(rename = "TimestampOffset")] #[serde(skip_serializing_if = "Option::is_none")] pub timestamp_offset: Option<String>, } /// <p>Enable Timed metadata insertion (TimedMetadataInsertion) to include ID3 tags in your job. To include timed metadata, you must enable it here, enable it in each output container, and specify tags and timecodes in ID3 insertion (Id3Insertion) objects.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct TimedMetadataInsertion { /// <p>Id3Insertions contains the array of Id3Insertion instances.</p> #[serde(rename = "Id3Insertions")] #[serde(skip_serializing_if = "Option::is_none")] pub id_3_insertions: Option<Vec<Id3Insertion>>, } /// <p>Information about when jobs are submitted, started, and finished is specified in Unix epoch format in seconds.</p> #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct Timing { /// <p>The time, in Unix epoch format, that the transcoding job finished</p> #[serde(rename = "FinishTime")] #[serde(skip_serializing_if = "Option::is_none")] pub finish_time: Option<f64>, /// <p>The time, in Unix epoch format, that transcoding for the job began.</p> #[serde(rename = "StartTime")] #[serde(skip_serializing_if = "Option::is_none")] pub start_time: Option<f64>, /// <p>The time, in Unix epoch format, that you submitted the job.</p> #[serde(rename = "SubmitTime")] #[serde(skip_serializing_if = "Option::is_none")] pub submit_time: Option<f64>, } /// <p>Settings specific to caption sources that are specfied by track number. Sources include IMSC in IMF.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct TrackSourceSettings { /// <p>Use this setting to select a single captions track from a source. Track numbers correspond to the order in the captions source file. For IMF sources, track numbering is based on the order that the captions appear in the CPL. For example, use 1 to select the captions asset that is listed first in the CPL. To include more than one captions track in your job outputs, create multiple input captions selectors. Specify one track per selector.</p> #[serde(rename = "TrackNumber")] #[serde(skip_serializing_if = "Option::is_none")] pub track_number: Option<i64>, } /// <p>Settings specific to TTML caption outputs, including Pass style information (TtmlStylePassthrough).</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct TtmlDestinationSettings { /// <p>Pass through style and position information from a TTML-like input source (TTML, SMPTE-TT, CFF-TT) to the CFF-TT output or TTML output.</p> #[serde(rename = "StylePassthrough")] #[serde(skip_serializing_if = "Option::is_none")] pub style_passthrough: Option<String>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct UntagResourceRequest { /// <p>The Amazon Resource Name (ARN) of the resource that you want to remove tags from. To get the ARN, send a GET request with the resource name.</p> #[serde(rename = "Arn")] pub arn: String, /// <p>The keys of the tags that you want to remove from the resource.</p> #[serde(rename = "TagKeys")] #[serde(skip_serializing_if = "Option::is_none")] pub tag_keys: Option<Vec<String>>, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct UntagResourceResponse {} #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct UpdateJobTemplateRequest { /// <p>Accelerated transcoding can significantly speed up jobs with long, visually complex content. Outputs that use this feature incur pro-tier pricing. For information about feature limitations, see the AWS Elemental MediaConvert User Guide.</p> #[serde(rename = "AccelerationSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub acceleration_settings: Option<AccelerationSettings>, /// <p>The new category for the job template, if you are changing it.</p> #[serde(rename = "Category")] #[serde(skip_serializing_if = "Option::is_none")] pub category: Option<String>, /// <p>The new description for the job template, if you are changing it.</p> #[serde(rename = "Description")] #[serde(skip_serializing_if = "Option::is_none")] pub description: Option<String>, /// <p>The name of the job template you are modifying</p> #[serde(rename = "Name")] pub name: String, /// <p>The new queue for the job template, if you are changing it.</p> #[serde(rename = "Queue")] #[serde(skip_serializing_if = "Option::is_none")] pub queue: Option<String>, /// <p>JobTemplateSettings contains all the transcode settings saved in the template that will be applied to jobs created from it.</p> #[serde(rename = "Settings")] #[serde(skip_serializing_if = "Option::is_none")] pub settings: Option<JobTemplateSettings>, /// <p>Specify how often MediaConvert sends STATUS_UPDATE events to Amazon CloudWatch Events. Set the interval, in seconds, between status updates. MediaConvert sends an update at this interval from the time the service begins processing your job to the time it completes the transcode or encounters an error.</p> #[serde(rename = "StatusUpdateInterval")] #[serde(skip_serializing_if = "Option::is_none")] pub status_update_interval: Option<String>, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct UpdateJobTemplateResponse { /// <p>A job template is a pre-made set of encoding instructions that you can use to quickly create a job.</p> #[serde(rename = "JobTemplate")] #[serde(skip_serializing_if = "Option::is_none")] pub job_template: Option<JobTemplate>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct UpdatePresetRequest { /// <p>The new category for the preset, if you are changing it.</p> #[serde(rename = "Category")] #[serde(skip_serializing_if = "Option::is_none")] pub category: Option<String>, /// <p>The new description for the preset, if you are changing it.</p> #[serde(rename = "Description")] #[serde(skip_serializing_if = "Option::is_none")] pub description: Option<String>, /// <p>The name of the preset you are modifying.</p> #[serde(rename = "Name")] pub name: String, /// <p>Settings for preset</p> #[serde(rename = "Settings")] #[serde(skip_serializing_if = "Option::is_none")] pub settings: Option<PresetSettings>, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct UpdatePresetResponse { /// <p>A preset is a collection of preconfigured media conversion settings that you want MediaConvert to apply to the output during the conversion process.</p> #[serde(rename = "Preset")] #[serde(skip_serializing_if = "Option::is_none")] pub preset: Option<Preset>, } #[derive(Default, Debug, Clone, PartialEq, Serialize)] pub struct UpdateQueueRequest { /// <p>The new description for the queue, if you are changing it.</p> #[serde(rename = "Description")] #[serde(skip_serializing_if = "Option::is_none")] pub description: Option<String>, /// <p>The name of the queue that you are modifying.</p> #[serde(rename = "Name")] pub name: String, /// <p>The new details of your pricing plan for your reserved queue. When you set up a new pricing plan to replace an expired one, you enter into another 12-month commitment. When you add capacity to your queue by increasing the number of RTS, you extend the term of your commitment to 12 months from when you add capacity. After you make these commitments, you can't cancel them.</p> #[serde(rename = "ReservationPlanSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub reservation_plan_settings: Option<ReservationPlanSettings>, /// <p>Pause or activate a queue by changing its status between ACTIVE and PAUSED. If you pause a queue, jobs in that queue won't begin. Jobs that are running when you pause the queue continue to run until they finish or result in an error.</p> #[serde(rename = "Status")] #[serde(skip_serializing_if = "Option::is_none")] pub status: Option<String>, } #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct UpdateQueueResponse { /// <p>You can use queues to manage the resources that are available to your AWS account for running multiple transcoding jobs at the same time. If you don't specify a queue, the service sends all jobs through the default queue. For more information, see https://docs.aws.amazon.com/mediaconvert/latest/ug/working-with-queues.html.</p> #[serde(rename = "Queue")] #[serde(skip_serializing_if = "Option::is_none")] pub queue: Option<Queue>, } /// <p>Video codec settings, (CodecSettings) under (VideoDescription), contains the group of settings related to video encoding. The settings in this group vary depending on the value you choose for Video codec (Codec). For each codec enum you choose, define the corresponding settings object. The following lists the codec enum, settings object pairs. * H<em>264, H264Settings * H</em>265, H265Settings * MPEG2, Mpeg2Settings * PRORES, ProresSettings * FRAME_CAPTURE, FrameCaptureSettings</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct VideoCodecSettings { /// <p>Specifies the video codec. This must be equal to one of the enum values defined by the object VideoCodec.</p> #[serde(rename = "Codec")] #[serde(skip_serializing_if = "Option::is_none")] pub codec: Option<String>, /// <p>Required when you set (Codec) under (VideoDescription)>(CodecSettings) to the value FRAME_CAPTURE.</p> #[serde(rename = "FrameCaptureSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub frame_capture_settings: Option<FrameCaptureSettings>, /// <p>Required when you set (Codec) under (VideoDescription)>(CodecSettings) to the value H_264.</p> #[serde(rename = "H264Settings")] #[serde(skip_serializing_if = "Option::is_none")] pub h264_settings: Option<H264Settings>, /// <p>Settings for H265 codec</p> #[serde(rename = "H265Settings")] #[serde(skip_serializing_if = "Option::is_none")] pub h265_settings: Option<H265Settings>, /// <p>Required when you set (Codec) under (VideoDescription)>(CodecSettings) to the value MPEG2.</p> #[serde(rename = "Mpeg2Settings")] #[serde(skip_serializing_if = "Option::is_none")] pub mpeg_2_settings: Option<Mpeg2Settings>, /// <p>Required when you set (Codec) under (VideoDescription)>(CodecSettings) to the value PRORES.</p> #[serde(rename = "ProresSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub prores_settings: Option<ProresSettings>, } /// <p>Settings for video outputs</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct VideoDescription { /// <p>This setting only applies to H.264, H.265, and MPEG2 outputs. Use Insert AFD signaling (AfdSignaling) to specify whether the service includes AFD values in the output video data and what those values are. * Choose None to remove all AFD values from this output. * Choose Fixed to ignore input AFD values and instead encode the value specified in the job. * Choose Auto to calculate output AFD values based on the input AFD scaler data.</p> #[serde(rename = "AfdSignaling")] #[serde(skip_serializing_if = "Option::is_none")] pub afd_signaling: Option<String>, /// <p>The service automatically applies the anti-alias filter to all outputs. The service no longer accepts the value DISABLED for AntiAlias. If you specify that in your job, the service will ignore the setting.</p> #[serde(rename = "AntiAlias")] #[serde(skip_serializing_if = "Option::is_none")] pub anti_alias: Option<String>, /// <p>Video codec settings, (CodecSettings) under (VideoDescription), contains the group of settings related to video encoding. The settings in this group vary depending on the value you choose for Video codec (Codec). For each codec enum you choose, define the corresponding settings object. The following lists the codec enum, settings object pairs. * H<em>264, H264Settings * H</em>265, H265Settings * MPEG2, Mpeg2Settings * PRORES, ProresSettings * FRAME_CAPTURE, FrameCaptureSettings</p> #[serde(rename = "CodecSettings")] #[serde(skip_serializing_if = "Option::is_none")] pub codec_settings: Option<VideoCodecSettings>, /// <p>Enable Insert color metadata (ColorMetadata) to include color metadata in this output. This setting is enabled by default.</p> #[serde(rename = "ColorMetadata")] #[serde(skip_serializing_if = "Option::is_none")] pub color_metadata: Option<String>, /// <p>Applies only if your input aspect ratio is different from your output aspect ratio. Use Input cropping rectangle (Crop) to specify the video area the service will include in the output. This will crop the input source, causing video pixels to be removed on encode. If you crop your input frame size to smaller than your output frame size, make sure to specify the behavior you want in your output setting "Scaling behavior".</p> #[serde(rename = "Crop")] #[serde(skip_serializing_if = "Option::is_none")] pub crop: Option<Rectangle>, /// <p>Applies only to 29.97 fps outputs. When this feature is enabled, the service will use drop-frame timecode on outputs. If it is not possible to use drop-frame timecode, the system will fall back to non-drop-frame. This setting is enabled by default when Timecode insertion (TimecodeInsertion) is enabled.</p> #[serde(rename = "DropFrameTimecode")] #[serde(skip_serializing_if = "Option::is_none")] pub drop_frame_timecode: Option<String>, /// <p>Applies only if you set AFD Signaling(AfdSignaling) to Fixed (FIXED). Use Fixed (FixedAfd) to specify a four-bit AFD value which the service will write on all frames of this video output.</p> #[serde(rename = "FixedAfd")] #[serde(skip_serializing_if = "Option::is_none")] pub fixed_afd: Option<i64>, /// <p>Use the Height (Height) setting to define the video resolution height for this output. Specify in pixels. If you don't provide a value here, the service will use the input height.</p> #[serde(rename = "Height")] #[serde(skip_serializing_if = "Option::is_none")] pub height: Option<i64>, /// <p>Use Position (Position) to point to a rectangle object to define your position. This setting overrides any other aspect ratio.</p> #[serde(rename = "Position")] #[serde(skip_serializing_if = "Option::is_none")] pub position: Option<Rectangle>, /// <p>Use Respond to AFD (RespondToAfd) to specify how the service changes the video itself in response to AFD values in the input. * Choose Respond to clip the input video frame according to the AFD value, input display aspect ratio, and output display aspect ratio. * Choose Passthrough to include the input AFD values. Do not choose this when AfdSignaling is set to (NONE). A preferred implementation of this workflow is to set RespondToAfd to (NONE) and set AfdSignaling to (AUTO). * Choose None to remove all input AFD values from this output.</p> #[serde(rename = "RespondToAfd")] #[serde(skip_serializing_if = "Option::is_none")] pub respond_to_afd: Option<String>, /// <p>Applies only if your input aspect ratio is different from your output aspect ratio. Choose "Stretch to output" to have the service stretch your video image to fit. Keep the setting "Default" to allow the service to letterbox your video instead. This setting overrides any positioning value you specify elsewhere in the job.</p> #[serde(rename = "ScalingBehavior")] #[serde(skip_serializing_if = "Option::is_none")] pub scaling_behavior: Option<String>, /// <p>Use Sharpness (Sharpness) setting to specify the strength of anti-aliasing. This setting changes the width of the anti-alias filter kernel used for scaling. Sharpness only applies if your output resolution is different from your input resolution. 0 is the softest setting, 100 the sharpest, and 50 recommended for most content.</p> #[serde(rename = "Sharpness")] #[serde(skip_serializing_if = "Option::is_none")] pub sharpness: Option<i64>, /// <p>Applies only to H.264, H.265, MPEG2, and ProRes outputs. Only enable Timecode insertion when the input frame rate is identical to the output frame rate. To include timecodes in this output, set Timecode insertion (VideoTimecodeInsertion) to PIC<em>TIMING</em>SEI. To leave them out, set it to DISABLED. Default is DISABLED. When the service inserts timecodes in an output, by default, it uses any embedded timecodes from the input. If none are present, the service will set the timecode for the first output frame to zero. To change this default behavior, adjust the settings under Timecode configuration (TimecodeConfig). In the console, these settings are located under Job > Job settings > Timecode configuration. Note - Timecode source under input settings (InputTimecodeSource) does not affect the timecodes that are inserted in the output. Source under Job settings > Timecode configuration (TimecodeSource) does.</p> #[serde(rename = "TimecodeInsertion")] #[serde(skip_serializing_if = "Option::is_none")] pub timecode_insertion: Option<String>, /// <p>Find additional transcoding features under Preprocessors (VideoPreprocessors). Enable the features at each output individually. These features are disabled by default.</p> #[serde(rename = "VideoPreprocessors")] #[serde(skip_serializing_if = "Option::is_none")] pub video_preprocessors: Option<VideoPreprocessor>, /// <p>Use Width (Width) to define the video resolution width, in pixels, for this output. If you don't provide a value here, the service will use the input width.</p> #[serde(rename = "Width")] #[serde(skip_serializing_if = "Option::is_none")] pub width: Option<i64>, } /// <p>Contains details about the output's video stream</p> #[derive(Default, Debug, Clone, PartialEq, Deserialize)] #[cfg_attr(test, derive(Serialize))] pub struct VideoDetail { /// <p>Height in pixels for the output</p> #[serde(rename = "HeightInPx")] #[serde(skip_serializing_if = "Option::is_none")] pub height_in_px: Option<i64>, /// <p>Width in pixels for the output</p> #[serde(rename = "WidthInPx")] #[serde(skip_serializing_if = "Option::is_none")] pub width_in_px: Option<i64>, } /// <p>Find additional transcoding features under Preprocessors (VideoPreprocessors). Enable the features at each output individually. These features are disabled by default.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct VideoPreprocessor { /// <p>Enable the Color corrector (ColorCorrector) feature if necessary. Enable or disable this feature for each output individually. This setting is disabled by default.</p> #[serde(rename = "ColorCorrector")] #[serde(skip_serializing_if = "Option::is_none")] pub color_corrector: Option<ColorCorrector>, /// <p>Use Deinterlacer (Deinterlacer) to produce smoother motion and a clearer picture.</p> #[serde(rename = "Deinterlacer")] #[serde(skip_serializing_if = "Option::is_none")] pub deinterlacer: Option<Deinterlacer>, /// <p>Enable the Image inserter (ImageInserter) feature to include a graphic overlay on your video. Enable or disable this feature for each output individually. This setting is disabled by default.</p> #[serde(rename = "ImageInserter")] #[serde(skip_serializing_if = "Option::is_none")] pub image_inserter: Option<ImageInserter>, /// <p>Enable the Noise reducer (NoiseReducer) feature to remove noise from your video output if necessary. Enable or disable this feature for each output individually. This setting is disabled by default.</p> #[serde(rename = "NoiseReducer")] #[serde(skip_serializing_if = "Option::is_none")] pub noise_reducer: Option<NoiseReducer>, /// <p>Timecode burn-in (TimecodeBurnIn)--Burns the output timecode and specified prefix into the output.</p> #[serde(rename = "TimecodeBurnin")] #[serde(skip_serializing_if = "Option::is_none")] pub timecode_burnin: Option<TimecodeBurnin>, } /// <p>Selector for video.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct VideoSelector { /// <p>If your input video has accurate color space metadata, or if you don't know about color space, leave this set to the default value FOLLOW. The service will automatically detect your input color space. If your input video has metadata indicating the wrong color space, or if your input video is missing color space metadata that should be there, specify the accurate color space here. If you choose HDR10, you can also correct inaccurate color space coefficients, using the HDR master display information controls. You must also set Color space usage (ColorSpaceUsage) to FORCE for the service to use these values.</p> #[serde(rename = "ColorSpace")] #[serde(skip_serializing_if = "Option::is_none")] pub color_space: Option<String>, /// <p>There are two sources for color metadata, the input file and the job configuration (in the Color space and HDR master display informaiton settings). The Color space usage setting controls which takes precedence. FORCE: The system will use color metadata supplied by user, if any. If the user does not supply color metadata, the system will use data from the source. FALLBACK: The system will use color metadata from the source. If source has no color metadata, the system will use user-supplied color metadata values if available.</p> #[serde(rename = "ColorSpaceUsage")] #[serde(skip_serializing_if = "Option::is_none")] pub color_space_usage: Option<String>, /// <p>Use the "HDR master display information" (Hdr10Metadata) settings to correct HDR metadata or to provide missing metadata. These values vary depending on the input video and must be provided by a color grader. Range is 0 to 50,000; each increment represents 0.00002 in CIE1931 color coordinate. Note that these settings are not color correction. Note that if you are creating HDR outputs inside of an HLS CMAF package, to comply with the Apple specification, you must use the following settings. Set "MP4 packaging type" (writeMp4PackagingType) to HVC1 (HVC1). Set "Profile" (H265Settings > codecProfile) to Main10/High (MAIN10<em>HIGH). Set "Level" (H265Settings > codecLevel) to 5 (LEVEL</em>5).</p> #[serde(rename = "Hdr10Metadata")] #[serde(skip_serializing_if = "Option::is_none")] pub hdr_10_metadata: Option<Hdr10Metadata>, /// <p>Use PID (Pid) to select specific video data from an input file. Specify this value as an integer; the system automatically converts it to the hexidecimal value. For example, 257 selects PID 0x101. A PID, or packet identifier, is an identifier for a set of data in an MPEG-2 transport stream container.</p> #[serde(rename = "Pid")] #[serde(skip_serializing_if = "Option::is_none")] pub pid: Option<i64>, /// <p>Selects a specific program from within a multi-program transport stream. Note that Quad 4K is not currently supported.</p> #[serde(rename = "ProgramNumber")] #[serde(skip_serializing_if = "Option::is_none")] pub program_number: Option<i64>, /// <p>Use Rotate (InputRotate) to specify how the service rotates your video. You can choose automatic rotation or specify a rotation. You can specify a clockwise rotation of 0, 90, 180, or 270 degrees. If your input video container is .mov or .mp4 and your input has rotation metadata, you can choose Automatic to have the service rotate your video according to the rotation specified in the metadata. The rotation must be within one degree of 90, 180, or 270 degrees. If the rotation metadata specifies any other rotation, the service will default to no rotation. By default, the service does no rotation, even if your input video has rotation metadata. The service doesn't pass through rotation metadata.</p> #[serde(rename = "Rotate")] #[serde(skip_serializing_if = "Option::is_none")] pub rotate: Option<String>, } /// <p>Required when you set (Codec) under (AudioDescriptions)>(CodecSettings) to the value WAV.</p> #[derive(Default, Debug, Clone, PartialEq, Serialize, Deserialize)] pub struct WavSettings { /// <p>Specify Bit depth (BitDepth), in bits per sample, to choose the encoding quality for this audio track.</p> #[serde(rename = "BitDepth")] #[serde(skip_serializing_if = "Option::is_none")] pub bit_depth: Option<i64>, /// <p>Set Channels to specify the number of channels in this output audio track. With WAV, valid values 1, 2, 4, and 8. In the console, these values are Mono, Stereo, 4-Channel, and 8-Channel, respectively.</p> #[serde(rename = "Channels")] #[serde(skip_serializing_if = "Option::is_none")] pub channels: Option<i64>, /// <p>The service defaults to using RIFF for WAV outputs. If your output audio is likely to exceed 4 GB in file size, or if you otherwise need the extended support of the RF64 format, set your output WAV file format to RF64.</p> #[serde(rename = "Format")] #[serde(skip_serializing_if = "Option::is_none")] pub format: Option<String>, /// <p>Sample rate in Hz.</p> #[serde(rename = "SampleRate")] #[serde(skip_serializing_if = "Option::is_none")] pub sample_rate: Option<i64>, } /// Errors returned by AssociateCertificate #[derive(Debug, PartialEq)] pub enum AssociateCertificateError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl AssociateCertificateError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<AssociateCertificateError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(AssociateCertificateError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(AssociateCertificateError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(AssociateCertificateError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(AssociateCertificateError::InternalServerError( err.msg, )) } "NotFoundException" => { return RusotoError::Service(AssociateCertificateError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(AssociateCertificateError::TooManyRequests( err.msg, )) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for AssociateCertificateError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for AssociateCertificateError { fn description(&self) -> &str { match *self { AssociateCertificateError::BadRequest(ref cause) => cause, AssociateCertificateError::Conflict(ref cause) => cause, AssociateCertificateError::Forbidden(ref cause) => cause, AssociateCertificateError::InternalServerError(ref cause) => cause, AssociateCertificateError::NotFound(ref cause) => cause, AssociateCertificateError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by CancelJob #[derive(Debug, PartialEq)] pub enum CancelJobError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl CancelJobError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<CancelJobError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(CancelJobError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(CancelJobError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(CancelJobError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(CancelJobError::InternalServerError(err.msg)) } "NotFoundException" => { return RusotoError::Service(CancelJobError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(CancelJobError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for CancelJobError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for CancelJobError { fn description(&self) -> &str { match *self { CancelJobError::BadRequest(ref cause) => cause, CancelJobError::Conflict(ref cause) => cause, CancelJobError::Forbidden(ref cause) => cause, CancelJobError::InternalServerError(ref cause) => cause, CancelJobError::NotFound(ref cause) => cause, CancelJobError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by CreateJob #[derive(Debug, PartialEq)] pub enum CreateJobError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl CreateJobError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<CreateJobError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(CreateJobError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(CreateJobError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(CreateJobError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(CreateJobError::InternalServerError(err.msg)) } "NotFoundException" => { return RusotoError::Service(CreateJobError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(CreateJobError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for CreateJobError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for CreateJobError { fn description(&self) -> &str { match *self { CreateJobError::BadRequest(ref cause) => cause, CreateJobError::Conflict(ref cause) => cause, CreateJobError::Forbidden(ref cause) => cause, CreateJobError::InternalServerError(ref cause) => cause, CreateJobError::NotFound(ref cause) => cause, CreateJobError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by CreateJobTemplate #[derive(Debug, PartialEq)] pub enum CreateJobTemplateError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl CreateJobTemplateError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<CreateJobTemplateError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(CreateJobTemplateError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(CreateJobTemplateError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(CreateJobTemplateError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(CreateJobTemplateError::InternalServerError( err.msg, )) } "NotFoundException" => { return RusotoError::Service(CreateJobTemplateError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(CreateJobTemplateError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for CreateJobTemplateError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for CreateJobTemplateError { fn description(&self) -> &str { match *self { CreateJobTemplateError::BadRequest(ref cause) => cause, CreateJobTemplateError::Conflict(ref cause) => cause, CreateJobTemplateError::Forbidden(ref cause) => cause, CreateJobTemplateError::InternalServerError(ref cause) => cause, CreateJobTemplateError::NotFound(ref cause) => cause, CreateJobTemplateError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by CreatePreset #[derive(Debug, PartialEq)] pub enum CreatePresetError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl CreatePresetError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<CreatePresetError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(CreatePresetError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(CreatePresetError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(CreatePresetError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(CreatePresetError::InternalServerError(err.msg)) } "NotFoundException" => { return RusotoError::Service(CreatePresetError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(CreatePresetError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for CreatePresetError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for CreatePresetError { fn description(&self) -> &str { match *self { CreatePresetError::BadRequest(ref cause) => cause, CreatePresetError::Conflict(ref cause) => cause, CreatePresetError::Forbidden(ref cause) => cause, CreatePresetError::InternalServerError(ref cause) => cause, CreatePresetError::NotFound(ref cause) => cause, CreatePresetError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by CreateQueue #[derive(Debug, PartialEq)] pub enum CreateQueueError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl CreateQueueError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<CreateQueueError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(CreateQueueError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(CreateQueueError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(CreateQueueError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(CreateQueueError::InternalServerError(err.msg)) } "NotFoundException" => { return RusotoError::Service(CreateQueueError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(CreateQueueError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for CreateQueueError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for CreateQueueError { fn description(&self) -> &str { match *self { CreateQueueError::BadRequest(ref cause) => cause, CreateQueueError::Conflict(ref cause) => cause, CreateQueueError::Forbidden(ref cause) => cause, CreateQueueError::InternalServerError(ref cause) => cause, CreateQueueError::NotFound(ref cause) => cause, CreateQueueError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by DeleteJobTemplate #[derive(Debug, PartialEq)] pub enum DeleteJobTemplateError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl DeleteJobTemplateError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<DeleteJobTemplateError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(DeleteJobTemplateError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(DeleteJobTemplateError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(DeleteJobTemplateError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(DeleteJobTemplateError::InternalServerError( err.msg, )) } "NotFoundException" => { return RusotoError::Service(DeleteJobTemplateError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(DeleteJobTemplateError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for DeleteJobTemplateError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for DeleteJobTemplateError { fn description(&self) -> &str { match *self { DeleteJobTemplateError::BadRequest(ref cause) => cause, DeleteJobTemplateError::Conflict(ref cause) => cause, DeleteJobTemplateError::Forbidden(ref cause) => cause, DeleteJobTemplateError::InternalServerError(ref cause) => cause, DeleteJobTemplateError::NotFound(ref cause) => cause, DeleteJobTemplateError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by DeletePreset #[derive(Debug, PartialEq)] pub enum DeletePresetError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl DeletePresetError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<DeletePresetError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(DeletePresetError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(DeletePresetError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(DeletePresetError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(DeletePresetError::InternalServerError(err.msg)) } "NotFoundException" => { return RusotoError::Service(DeletePresetError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(DeletePresetError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for DeletePresetError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for DeletePresetError { fn description(&self) -> &str { match *self { DeletePresetError::BadRequest(ref cause) => cause, DeletePresetError::Conflict(ref cause) => cause, DeletePresetError::Forbidden(ref cause) => cause, DeletePresetError::InternalServerError(ref cause) => cause, DeletePresetError::NotFound(ref cause) => cause, DeletePresetError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by DeleteQueue #[derive(Debug, PartialEq)] pub enum DeleteQueueError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl DeleteQueueError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<DeleteQueueError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(DeleteQueueError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(DeleteQueueError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(DeleteQueueError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(DeleteQueueError::InternalServerError(err.msg)) } "NotFoundException" => { return RusotoError::Service(DeleteQueueError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(DeleteQueueError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for DeleteQueueError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for DeleteQueueError { fn description(&self) -> &str { match *self { DeleteQueueError::BadRequest(ref cause) => cause, DeleteQueueError::Conflict(ref cause) => cause, DeleteQueueError::Forbidden(ref cause) => cause, DeleteQueueError::InternalServerError(ref cause) => cause, DeleteQueueError::NotFound(ref cause) => cause, DeleteQueueError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by DescribeEndpoints #[derive(Debug, PartialEq)] pub enum DescribeEndpointsError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl DescribeEndpointsError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<DescribeEndpointsError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(DescribeEndpointsError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(DescribeEndpointsError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(DescribeEndpointsError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(DescribeEndpointsError::InternalServerError( err.msg, )) } "NotFoundException" => { return RusotoError::Service(DescribeEndpointsError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(DescribeEndpointsError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for DescribeEndpointsError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for DescribeEndpointsError { fn description(&self) -> &str { match *self { DescribeEndpointsError::BadRequest(ref cause) => cause, DescribeEndpointsError::Conflict(ref cause) => cause, DescribeEndpointsError::Forbidden(ref cause) => cause, DescribeEndpointsError::InternalServerError(ref cause) => cause, DescribeEndpointsError::NotFound(ref cause) => cause, DescribeEndpointsError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by DisassociateCertificate #[derive(Debug, PartialEq)] pub enum DisassociateCertificateError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl DisassociateCertificateError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<DisassociateCertificateError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(DisassociateCertificateError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(DisassociateCertificateError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(DisassociateCertificateError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(DisassociateCertificateError::InternalServerError( err.msg, )) } "NotFoundException" => { return RusotoError::Service(DisassociateCertificateError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(DisassociateCertificateError::TooManyRequests( err.msg, )) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for DisassociateCertificateError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for DisassociateCertificateError { fn description(&self) -> &str { match *self { DisassociateCertificateError::BadRequest(ref cause) => cause, DisassociateCertificateError::Conflict(ref cause) => cause, DisassociateCertificateError::Forbidden(ref cause) => cause, DisassociateCertificateError::InternalServerError(ref cause) => cause, DisassociateCertificateError::NotFound(ref cause) => cause, DisassociateCertificateError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by GetJob #[derive(Debug, PartialEq)] pub enum GetJobError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl GetJobError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<GetJobError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(GetJobError::BadRequest(err.msg)) } "ConflictException" => return RusotoError::Service(GetJobError::Conflict(err.msg)), "ForbiddenException" => { return RusotoError::Service(GetJobError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(GetJobError::InternalServerError(err.msg)) } "NotFoundException" => return RusotoError::Service(GetJobError::NotFound(err.msg)), "TooManyRequestsException" => { return RusotoError::Service(GetJobError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for GetJobError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for GetJobError { fn description(&self) -> &str { match *self { GetJobError::BadRequest(ref cause) => cause, GetJobError::Conflict(ref cause) => cause, GetJobError::Forbidden(ref cause) => cause, GetJobError::InternalServerError(ref cause) => cause, GetJobError::NotFound(ref cause) => cause, GetJobError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by GetJobTemplate #[derive(Debug, PartialEq)] pub enum GetJobTemplateError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl GetJobTemplateError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<GetJobTemplateError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(GetJobTemplateError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(GetJobTemplateError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(GetJobTemplateError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(GetJobTemplateError::InternalServerError(err.msg)) } "NotFoundException" => { return RusotoError::Service(GetJobTemplateError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(GetJobTemplateError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for GetJobTemplateError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for GetJobTemplateError { fn description(&self) -> &str { match *self { GetJobTemplateError::BadRequest(ref cause) => cause, GetJobTemplateError::Conflict(ref cause) => cause, GetJobTemplateError::Forbidden(ref cause) => cause, GetJobTemplateError::InternalServerError(ref cause) => cause, GetJobTemplateError::NotFound(ref cause) => cause, GetJobTemplateError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by GetPreset #[derive(Debug, PartialEq)] pub enum GetPresetError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl GetPresetError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<GetPresetError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(GetPresetError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(GetPresetError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(GetPresetError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(GetPresetError::InternalServerError(err.msg)) } "NotFoundException" => { return RusotoError::Service(GetPresetError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(GetPresetError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for GetPresetError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for GetPresetError { fn description(&self) -> &str { match *self { GetPresetError::BadRequest(ref cause) => cause, GetPresetError::Conflict(ref cause) => cause, GetPresetError::Forbidden(ref cause) => cause, GetPresetError::InternalServerError(ref cause) => cause, GetPresetError::NotFound(ref cause) => cause, GetPresetError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by GetQueue #[derive(Debug, PartialEq)] pub enum GetQueueError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl GetQueueError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<GetQueueError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(GetQueueError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(GetQueueError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(GetQueueError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(GetQueueError::InternalServerError(err.msg)) } "NotFoundException" => { return RusotoError::Service(GetQueueError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(GetQueueError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for GetQueueError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for GetQueueError { fn description(&self) -> &str { match *self { GetQueueError::BadRequest(ref cause) => cause, GetQueueError::Conflict(ref cause) => cause, GetQueueError::Forbidden(ref cause) => cause, GetQueueError::InternalServerError(ref cause) => cause, GetQueueError::NotFound(ref cause) => cause, GetQueueError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by ListJobTemplates #[derive(Debug, PartialEq)] pub enum ListJobTemplatesError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl ListJobTemplatesError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<ListJobTemplatesError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(ListJobTemplatesError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(ListJobTemplatesError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(ListJobTemplatesError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(ListJobTemplatesError::InternalServerError( err.msg, )) } "NotFoundException" => { return RusotoError::Service(ListJobTemplatesError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(ListJobTemplatesError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for ListJobTemplatesError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for ListJobTemplatesError { fn description(&self) -> &str { match *self { ListJobTemplatesError::BadRequest(ref cause) => cause, ListJobTemplatesError::Conflict(ref cause) => cause, ListJobTemplatesError::Forbidden(ref cause) => cause, ListJobTemplatesError::InternalServerError(ref cause) => cause, ListJobTemplatesError::NotFound(ref cause) => cause, ListJobTemplatesError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by ListJobs #[derive(Debug, PartialEq)] pub enum ListJobsError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl ListJobsError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<ListJobsError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(ListJobsError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(ListJobsError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(ListJobsError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(ListJobsError::InternalServerError(err.msg)) } "NotFoundException" => { return RusotoError::Service(ListJobsError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(ListJobsError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for ListJobsError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for ListJobsError { fn description(&self) -> &str { match *self { ListJobsError::BadRequest(ref cause) => cause, ListJobsError::Conflict(ref cause) => cause, ListJobsError::Forbidden(ref cause) => cause, ListJobsError::InternalServerError(ref cause) => cause, ListJobsError::NotFound(ref cause) => cause, ListJobsError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by ListPresets #[derive(Debug, PartialEq)] pub enum ListPresetsError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl ListPresetsError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<ListPresetsError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(ListPresetsError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(ListPresetsError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(ListPresetsError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(ListPresetsError::InternalServerError(err.msg)) } "NotFoundException" => { return RusotoError::Service(ListPresetsError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(ListPresetsError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for ListPresetsError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for ListPresetsError { fn description(&self) -> &str { match *self { ListPresetsError::BadRequest(ref cause) => cause, ListPresetsError::Conflict(ref cause) => cause, ListPresetsError::Forbidden(ref cause) => cause, ListPresetsError::InternalServerError(ref cause) => cause, ListPresetsError::NotFound(ref cause) => cause, ListPresetsError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by ListQueues #[derive(Debug, PartialEq)] pub enum ListQueuesError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl ListQueuesError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<ListQueuesError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(ListQueuesError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(ListQueuesError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(ListQueuesError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(ListQueuesError::InternalServerError(err.msg)) } "NotFoundException" => { return RusotoError::Service(ListQueuesError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(ListQueuesError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for ListQueuesError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for ListQueuesError { fn description(&self) -> &str { match *self { ListQueuesError::BadRequest(ref cause) => cause, ListQueuesError::Conflict(ref cause) => cause, ListQueuesError::Forbidden(ref cause) => cause, ListQueuesError::InternalServerError(ref cause) => cause, ListQueuesError::NotFound(ref cause) => cause, ListQueuesError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by ListTagsForResource #[derive(Debug, PartialEq)] pub enum ListTagsForResourceError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl ListTagsForResourceError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<ListTagsForResourceError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(ListTagsForResourceError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(ListTagsForResourceError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(ListTagsForResourceError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(ListTagsForResourceError::InternalServerError( err.msg, )) } "NotFoundException" => { return RusotoError::Service(ListTagsForResourceError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(ListTagsForResourceError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for ListTagsForResourceError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for ListTagsForResourceError { fn description(&self) -> &str { match *self { ListTagsForResourceError::BadRequest(ref cause) => cause, ListTagsForResourceError::Conflict(ref cause) => cause, ListTagsForResourceError::Forbidden(ref cause) => cause, ListTagsForResourceError::InternalServerError(ref cause) => cause, ListTagsForResourceError::NotFound(ref cause) => cause, ListTagsForResourceError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by TagResource #[derive(Debug, PartialEq)] pub enum TagResourceError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl TagResourceError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<TagResourceError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(TagResourceError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(TagResourceError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(TagResourceError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(TagResourceError::InternalServerError(err.msg)) } "NotFoundException" => { return RusotoError::Service(TagResourceError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(TagResourceError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for TagResourceError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for TagResourceError { fn description(&self) -> &str { match *self { TagResourceError::BadRequest(ref cause) => cause, TagResourceError::Conflict(ref cause) => cause, TagResourceError::Forbidden(ref cause) => cause, TagResourceError::InternalServerError(ref cause) => cause, TagResourceError::NotFound(ref cause) => cause, TagResourceError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by UntagResource #[derive(Debug, PartialEq)] pub enum UntagResourceError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl UntagResourceError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<UntagResourceError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(UntagResourceError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(UntagResourceError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(UntagResourceError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(UntagResourceError::InternalServerError(err.msg)) } "NotFoundException" => { return RusotoError::Service(UntagResourceError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(UntagResourceError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for UntagResourceError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for UntagResourceError { fn description(&self) -> &str { match *self { UntagResourceError::BadRequest(ref cause) => cause, UntagResourceError::Conflict(ref cause) => cause, UntagResourceError::Forbidden(ref cause) => cause, UntagResourceError::InternalServerError(ref cause) => cause, UntagResourceError::NotFound(ref cause) => cause, UntagResourceError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by UpdateJobTemplate #[derive(Debug, PartialEq)] pub enum UpdateJobTemplateError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl UpdateJobTemplateError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<UpdateJobTemplateError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(UpdateJobTemplateError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(UpdateJobTemplateError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(UpdateJobTemplateError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(UpdateJobTemplateError::InternalServerError( err.msg, )) } "NotFoundException" => { return RusotoError::Service(UpdateJobTemplateError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(UpdateJobTemplateError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for UpdateJobTemplateError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for UpdateJobTemplateError { fn description(&self) -> &str { match *self { UpdateJobTemplateError::BadRequest(ref cause) => cause, UpdateJobTemplateError::Conflict(ref cause) => cause, UpdateJobTemplateError::Forbidden(ref cause) => cause, UpdateJobTemplateError::InternalServerError(ref cause) => cause, UpdateJobTemplateError::NotFound(ref cause) => cause, UpdateJobTemplateError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by UpdatePreset #[derive(Debug, PartialEq)] pub enum UpdatePresetError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl UpdatePresetError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<UpdatePresetError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(UpdatePresetError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(UpdatePresetError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(UpdatePresetError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(UpdatePresetError::InternalServerError(err.msg)) } "NotFoundException" => { return RusotoError::Service(UpdatePresetError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(UpdatePresetError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for UpdatePresetError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for UpdatePresetError { fn description(&self) -> &str { match *self { UpdatePresetError::BadRequest(ref cause) => cause, UpdatePresetError::Conflict(ref cause) => cause, UpdatePresetError::Forbidden(ref cause) => cause, UpdatePresetError::InternalServerError(ref cause) => cause, UpdatePresetError::NotFound(ref cause) => cause, UpdatePresetError::TooManyRequests(ref cause) => cause, } } } /// Errors returned by UpdateQueue #[derive(Debug, PartialEq)] pub enum UpdateQueueError { /// <p>The service can't process your request because of a problem in the request. Please check your request form and syntax.</p> BadRequest(String), /// <p>The service couldn't complete your request because there is a conflict with the current state of the resource.</p> Conflict(String), /// <p>You don't have permissions for this action with the credentials you sent.</p> Forbidden(String), /// <p>The service encountered an unexpected condition and can't fulfill your request.</p> InternalServerError(String), /// <p>The resource you requested doesn't exist.</p> NotFound(String), /// <p>Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests.</p> TooManyRequests(String), } impl UpdateQueueError { pub fn from_response(res: BufferedHttpResponse) -> RusotoError<UpdateQueueError> { if let Some(err) = proto::json::Error::parse_rest(&res) { match err.typ.as_str() { "BadRequestException" => { return RusotoError::Service(UpdateQueueError::BadRequest(err.msg)) } "ConflictException" => { return RusotoError::Service(UpdateQueueError::Conflict(err.msg)) } "ForbiddenException" => { return RusotoError::Service(UpdateQueueError::Forbidden(err.msg)) } "InternalServerErrorException" => { return RusotoError::Service(UpdateQueueError::InternalServerError(err.msg)) } "NotFoundException" => { return RusotoError::Service(UpdateQueueError::NotFound(err.msg)) } "TooManyRequestsException" => { return RusotoError::Service(UpdateQueueError::TooManyRequests(err.msg)) } "ValidationException" => return RusotoError::Validation(err.msg), _ => {} } } return RusotoError::Unknown(res); } } impl fmt::Display for UpdateQueueError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { write!(f, "{}", self.description()) } } impl Error for UpdateQueueError { fn description(&self) -> &str { match *self { UpdateQueueError::BadRequest(ref cause) => cause, UpdateQueueError::Conflict(ref cause) => cause, UpdateQueueError::Forbidden(ref cause) => cause, UpdateQueueError::InternalServerError(ref cause) => cause, UpdateQueueError::NotFound(ref cause) => cause, UpdateQueueError::TooManyRequests(ref cause) => cause, } } } /// Trait representing the capabilities of the MediaConvert API. MediaConvert clients implement this trait. pub trait MediaConvert { /// <p>Associates an AWS Certificate Manager (ACM) Amazon Resource Name (ARN) with AWS Elemental MediaConvert.</p> fn associate_certificate( &self, input: AssociateCertificateRequest, ) -> RusotoFuture<AssociateCertificateResponse, AssociateCertificateError>; /// <p>Permanently cancel a job. Once you have canceled a job, you can't start it again.</p> fn cancel_job( &self, input: CancelJobRequest, ) -> RusotoFuture<CancelJobResponse, CancelJobError>; /// <p>Create a new transcoding job. For information about jobs and job settings, see the User Guide at http://docs.aws.amazon.com/mediaconvert/latest/ug/what-is.html</p> fn create_job( &self, input: CreateJobRequest, ) -> RusotoFuture<CreateJobResponse, CreateJobError>; /// <p>Create a new job template. For information about job templates see the User Guide at http://docs.aws.amazon.com/mediaconvert/latest/ug/what-is.html</p> fn create_job_template( &self, input: CreateJobTemplateRequest, ) -> RusotoFuture<CreateJobTemplateResponse, CreateJobTemplateError>; /// <p>Create a new preset. For information about job templates see the User Guide at http://docs.aws.amazon.com/mediaconvert/latest/ug/what-is.html</p> fn create_preset( &self, input: CreatePresetRequest, ) -> RusotoFuture<CreatePresetResponse, CreatePresetError>; /// <p>Create a new transcoding queue. For information about queues, see Working With Queues in the User Guide at https://docs.aws.amazon.com/mediaconvert/latest/ug/working-with-queues.html</p> fn create_queue( &self, input: CreateQueueRequest, ) -> RusotoFuture<CreateQueueResponse, CreateQueueError>; /// <p>Permanently delete a job template you have created.</p> fn delete_job_template( &self, input: DeleteJobTemplateRequest, ) -> RusotoFuture<DeleteJobTemplateResponse, DeleteJobTemplateError>; /// <p>Permanently delete a preset you have created.</p> fn delete_preset( &self, input: DeletePresetRequest, ) -> RusotoFuture<DeletePresetResponse, DeletePresetError>; /// <p>Permanently delete a queue you have created.</p> fn delete_queue( &self, input: DeleteQueueRequest, ) -> RusotoFuture<DeleteQueueResponse, DeleteQueueError>; /// <p>Send an request with an empty body to the regional API endpoint to get your account API endpoint.</p> fn describe_endpoints( &self, input: DescribeEndpointsRequest, ) -> RusotoFuture<DescribeEndpointsResponse, DescribeEndpointsError>; /// <p>Removes an association between the Amazon Resource Name (ARN) of an AWS Certificate Manager (ACM) certificate and an AWS Elemental MediaConvert resource.</p> fn disassociate_certificate( &self, input: DisassociateCertificateRequest, ) -> RusotoFuture<DisassociateCertificateResponse, DisassociateCertificateError>; /// <p>Retrieve the JSON for a specific completed transcoding job.</p> fn get_job(&self, input: GetJobRequest) -> RusotoFuture<GetJobResponse, GetJobError>; /// <p>Retrieve the JSON for a specific job template.</p> fn get_job_template( &self, input: GetJobTemplateRequest, ) -> RusotoFuture<GetJobTemplateResponse, GetJobTemplateError>; /// <p>Retrieve the JSON for a specific preset.</p> fn get_preset( &self, input: GetPresetRequest, ) -> RusotoFuture<GetPresetResponse, GetPresetError>; /// <p>Retrieve the JSON for a specific queue.</p> fn get_queue(&self, input: GetQueueRequest) -> RusotoFuture<GetQueueResponse, GetQueueError>; /// <p>Retrieve a JSON array of up to twenty of your job templates. This will return the templates themselves, not just a list of them. To retrieve the next twenty templates, use the nextToken string returned with the array</p> fn list_job_templates( &self, input: ListJobTemplatesRequest, ) -> RusotoFuture<ListJobTemplatesResponse, ListJobTemplatesError>; /// <p>Retrieve a JSON array of up to twenty of your most recently created jobs. This array includes in-process, completed, and errored jobs. This will return the jobs themselves, not just a list of the jobs. To retrieve the twenty next most recent jobs, use the nextToken string returned with the array.</p> fn list_jobs(&self, input: ListJobsRequest) -> RusotoFuture<ListJobsResponse, ListJobsError>; /// <p>Retrieve a JSON array of up to twenty of your presets. This will return the presets themselves, not just a list of them. To retrieve the next twenty presets, use the nextToken string returned with the array.</p> fn list_presets( &self, input: ListPresetsRequest, ) -> RusotoFuture<ListPresetsResponse, ListPresetsError>; /// <p>Retrieve a JSON array of up to twenty of your queues. This will return the queues themselves, not just a list of them. To retrieve the next twenty queues, use the nextToken string returned with the array.</p> fn list_queues( &self, input: ListQueuesRequest, ) -> RusotoFuture<ListQueuesResponse, ListQueuesError>; /// <p>Retrieve the tags for a MediaConvert resource.</p> fn list_tags_for_resource( &self, input: ListTagsForResourceRequest, ) -> RusotoFuture<ListTagsForResourceResponse, ListTagsForResourceError>; /// <p>Add tags to a MediaConvert queue, preset, or job template. For information about tagging, see the User Guide at https://docs.aws.amazon.com/mediaconvert/latest/ug/tagging-resources.html</p> fn tag_resource( &self, input: TagResourceRequest, ) -> RusotoFuture<TagResourceResponse, TagResourceError>; /// <p>Remove tags from a MediaConvert queue, preset, or job template. For information about tagging, see the User Guide at https://docs.aws.amazon.com/mediaconvert/latest/ug/tagging-resources.html</p> fn untag_resource( &self, input: UntagResourceRequest, ) -> RusotoFuture<UntagResourceResponse, UntagResourceError>; /// <p>Modify one of your existing job templates.</p> fn update_job_template( &self, input: UpdateJobTemplateRequest, ) -> RusotoFuture<UpdateJobTemplateResponse, UpdateJobTemplateError>; /// <p>Modify one of your existing presets.</p> fn update_preset( &self, input: UpdatePresetRequest, ) -> RusotoFuture<UpdatePresetResponse, UpdatePresetError>; /// <p>Modify one of your existing queues.</p> fn update_queue( &self, input: UpdateQueueRequest, ) -> RusotoFuture<UpdateQueueResponse, UpdateQueueError>; } /// A client for the MediaConvert API. #[derive(Clone)] pub struct MediaConvertClient { client: Client, region: region::Region, } impl MediaConvertClient { /// Creates a client backed by the default tokio event loop. /// /// The client will use the default credentials provider and tls client. pub fn new(region: region::Region) -> MediaConvertClient { MediaConvertClient { client: Client::shared(), region, } } pub fn new_with<P, D>( request_dispatcher: D, credentials_provider: P, region: region::Region, ) -> MediaConvertClient where P: ProvideAwsCredentials + Send + Sync + 'static, P::Future: Send, D: DispatchSignedRequest + Send + Sync + 'static, D::Future: Send, { MediaConvertClient { client: Client::new_with(credentials_provider, request_dispatcher), region, } } } impl MediaConvert for MediaConvertClient { /// <p>Associates an AWS Certificate Manager (ACM) Amazon Resource Name (ARN) with AWS Elemental MediaConvert.</p> fn associate_certificate( &self, input: AssociateCertificateRequest, ) -> RusotoFuture<AssociateCertificateResponse, AssociateCertificateError> { let request_uri = "/2017-08-29/certificates"; let mut request = SignedRequest::new("POST", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); let encoded = Some(serde_json::to_vec(&input).unwrap()); request.set_payload(encoded); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 201 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<AssociateCertificateResponse, _>()?; Ok(result) })) } else { Box::new( response.buffer().from_err().and_then(|response| { Err(AssociateCertificateError::from_response(response)) }), ) } }) } /// <p>Permanently cancel a job. Once you have canceled a job, you can't start it again.</p> fn cancel_job( &self, input: CancelJobRequest, ) -> RusotoFuture<CancelJobResponse, CancelJobError> { let request_uri = format!("/2017-08-29/jobs/{id}", id = input.id); let mut request = SignedRequest::new("DELETE", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 202 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<CancelJobResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(CancelJobError::from_response(response))), ) } }) } /// <p>Create a new transcoding job. For information about jobs and job settings, see the User Guide at http://docs.aws.amazon.com/mediaconvert/latest/ug/what-is.html</p> fn create_job( &self, input: CreateJobRequest, ) -> RusotoFuture<CreateJobResponse, CreateJobError> { let request_uri = "/2017-08-29/jobs"; let mut request = SignedRequest::new("POST", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); let encoded = Some(serde_json::to_vec(&input).unwrap()); request.set_payload(encoded); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 201 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<CreateJobResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(CreateJobError::from_response(response))), ) } }) } /// <p>Create a new job template. For information about job templates see the User Guide at http://docs.aws.amazon.com/mediaconvert/latest/ug/what-is.html</p> fn create_job_template( &self, input: CreateJobTemplateRequest, ) -> RusotoFuture<CreateJobTemplateResponse, CreateJobTemplateError> { let request_uri = "/2017-08-29/jobTemplates"; let mut request = SignedRequest::new("POST", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); let encoded = Some(serde_json::to_vec(&input).unwrap()); request.set_payload(encoded); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 201 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<CreateJobTemplateResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(CreateJobTemplateError::from_response(response))), ) } }) } /// <p>Create a new preset. For information about job templates see the User Guide at http://docs.aws.amazon.com/mediaconvert/latest/ug/what-is.html</p> fn create_preset( &self, input: CreatePresetRequest, ) -> RusotoFuture<CreatePresetResponse, CreatePresetError> { let request_uri = "/2017-08-29/presets"; let mut request = SignedRequest::new("POST", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); let encoded = Some(serde_json::to_vec(&input).unwrap()); request.set_payload(encoded); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 201 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<CreatePresetResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(CreatePresetError::from_response(response))), ) } }) } /// <p>Create a new transcoding queue. For information about queues, see Working With Queues in the User Guide at https://docs.aws.amazon.com/mediaconvert/latest/ug/working-with-queues.html</p> fn create_queue( &self, input: CreateQueueRequest, ) -> RusotoFuture<CreateQueueResponse, CreateQueueError> { let request_uri = "/2017-08-29/queues"; let mut request = SignedRequest::new("POST", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); let encoded = Some(serde_json::to_vec(&input).unwrap()); request.set_payload(encoded); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 201 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<CreateQueueResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(CreateQueueError::from_response(response))), ) } }) } /// <p>Permanently delete a job template you have created.</p> fn delete_job_template( &self, input: DeleteJobTemplateRequest, ) -> RusotoFuture<DeleteJobTemplateResponse, DeleteJobTemplateError> { let request_uri = format!("/2017-08-29/jobTemplates/{name}", name = input.name); let mut request = SignedRequest::new("DELETE", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 202 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<DeleteJobTemplateResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(DeleteJobTemplateError::from_response(response))), ) } }) } /// <p>Permanently delete a preset you have created.</p> fn delete_preset( &self, input: DeletePresetRequest, ) -> RusotoFuture<DeletePresetResponse, DeletePresetError> { let request_uri = format!("/2017-08-29/presets/{name}", name = input.name); let mut request = SignedRequest::new("DELETE", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 202 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<DeletePresetResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(DeletePresetError::from_response(response))), ) } }) } /// <p>Permanently delete a queue you have created.</p> fn delete_queue( &self, input: DeleteQueueRequest, ) -> RusotoFuture<DeleteQueueResponse, DeleteQueueError> { let request_uri = format!("/2017-08-29/queues/{name}", name = input.name); let mut request = SignedRequest::new("DELETE", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 202 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<DeleteQueueResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(DeleteQueueError::from_response(response))), ) } }) } /// <p>Send an request with an empty body to the regional API endpoint to get your account API endpoint.</p> fn describe_endpoints( &self, input: DescribeEndpointsRequest, ) -> RusotoFuture<DescribeEndpointsResponse, DescribeEndpointsError> { let request_uri = "/2017-08-29/endpoints"; let mut request = SignedRequest::new("POST", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); let encoded = Some(serde_json::to_vec(&input).unwrap()); request.set_payload(encoded); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 200 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<DescribeEndpointsResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(DescribeEndpointsError::from_response(response))), ) } }) } /// <p>Removes an association between the Amazon Resource Name (ARN) of an AWS Certificate Manager (ACM) certificate and an AWS Elemental MediaConvert resource.</p> fn disassociate_certificate( &self, input: DisassociateCertificateRequest, ) -> RusotoFuture<DisassociateCertificateResponse, DisassociateCertificateError> { let request_uri = format!("/2017-08-29/certificates/{arn}", arn = input.arn); let mut request = SignedRequest::new("DELETE", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 202 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<DisassociateCertificateResponse, _>()?; Ok(result) })) } else { Box::new(response.buffer().from_err().and_then(|response| { Err(DisassociateCertificateError::from_response(response)) })) } }) } /// <p>Retrieve the JSON for a specific completed transcoding job.</p> fn get_job(&self, input: GetJobRequest) -> RusotoFuture<GetJobResponse, GetJobError> { let request_uri = format!("/2017-08-29/jobs/{id}", id = input.id); let mut request = SignedRequest::new("GET", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 200 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<GetJobResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(GetJobError::from_response(response))), ) } }) } /// <p>Retrieve the JSON for a specific job template.</p> fn get_job_template( &self, input: GetJobTemplateRequest, ) -> RusotoFuture<GetJobTemplateResponse, GetJobTemplateError> { let request_uri = format!("/2017-08-29/jobTemplates/{name}", name = input.name); let mut request = SignedRequest::new("GET", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 200 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<GetJobTemplateResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(GetJobTemplateError::from_response(response))), ) } }) } /// <p>Retrieve the JSON for a specific preset.</p> fn get_preset( &self, input: GetPresetRequest, ) -> RusotoFuture<GetPresetResponse, GetPresetError> { let request_uri = format!("/2017-08-29/presets/{name}", name = input.name); let mut request = SignedRequest::new("GET", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 200 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<GetPresetResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(GetPresetError::from_response(response))), ) } }) } /// <p>Retrieve the JSON for a specific queue.</p> fn get_queue(&self, input: GetQueueRequest) -> RusotoFuture<GetQueueResponse, GetQueueError> { let request_uri = format!("/2017-08-29/queues/{name}", name = input.name); let mut request = SignedRequest::new("GET", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 200 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<GetQueueResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(GetQueueError::from_response(response))), ) } }) } /// <p>Retrieve a JSON array of up to twenty of your job templates. This will return the templates themselves, not just a list of them. To retrieve the next twenty templates, use the nextToken string returned with the array</p> fn list_job_templates( &self, input: ListJobTemplatesRequest, ) -> RusotoFuture<ListJobTemplatesResponse, ListJobTemplatesError> { let request_uri = "/2017-08-29/jobTemplates"; let mut request = SignedRequest::new("GET", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); let mut params = Params::new(); if let Some(ref x) = input.category { params.put("category", x); } if let Some(ref x) = input.list_by { params.put("listBy", x); } if let Some(ref x) = input.max_results { params.put("maxResults", x); } if let Some(ref x) = input.next_token { params.put("nextToken", x); } if let Some(ref x) = input.order { params.put("order", x); } request.set_params(params); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 200 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<ListJobTemplatesResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(ListJobTemplatesError::from_response(response))), ) } }) } /// <p>Retrieve a JSON array of up to twenty of your most recently created jobs. This array includes in-process, completed, and errored jobs. This will return the jobs themselves, not just a list of the jobs. To retrieve the twenty next most recent jobs, use the nextToken string returned with the array.</p> fn list_jobs(&self, input: ListJobsRequest) -> RusotoFuture<ListJobsResponse, ListJobsError> { let request_uri = "/2017-08-29/jobs"; let mut request = SignedRequest::new("GET", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); let mut params = Params::new(); if let Some(ref x) = input.max_results { params.put("maxResults", x); } if let Some(ref x) = input.next_token { params.put("nextToken", x); } if let Some(ref x) = input.order { params.put("order", x); } if let Some(ref x) = input.queue { params.put("queue", x); } if let Some(ref x) = input.status { params.put("status", x); } request.set_params(params); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 200 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<ListJobsResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(ListJobsError::from_response(response))), ) } }) } /// <p>Retrieve a JSON array of up to twenty of your presets. This will return the presets themselves, not just a list of them. To retrieve the next twenty presets, use the nextToken string returned with the array.</p> fn list_presets( &self, input: ListPresetsRequest, ) -> RusotoFuture<ListPresetsResponse, ListPresetsError> { let request_uri = "/2017-08-29/presets"; let mut request = SignedRequest::new("GET", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); let mut params = Params::new(); if let Some(ref x) = input.category { params.put("category", x); } if let Some(ref x) = input.list_by { params.put("listBy", x); } if let Some(ref x) = input.max_results { params.put("maxResults", x); } if let Some(ref x) = input.next_token { params.put("nextToken", x); } if let Some(ref x) = input.order { params.put("order", x); } request.set_params(params); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 200 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<ListPresetsResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(ListPresetsError::from_response(response))), ) } }) } /// <p>Retrieve a JSON array of up to twenty of your queues. This will return the queues themselves, not just a list of them. To retrieve the next twenty queues, use the nextToken string returned with the array.</p> fn list_queues( &self, input: ListQueuesRequest, ) -> RusotoFuture<ListQueuesResponse, ListQueuesError> { let request_uri = "/2017-08-29/queues"; let mut request = SignedRequest::new("GET", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); let mut params = Params::new(); if let Some(ref x) = input.list_by { params.put("listBy", x); } if let Some(ref x) = input.max_results { params.put("maxResults", x); } if let Some(ref x) = input.next_token { params.put("nextToken", x); } if let Some(ref x) = input.order { params.put("order", x); } request.set_params(params); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 200 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<ListQueuesResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(ListQueuesError::from_response(response))), ) } }) } /// <p>Retrieve the tags for a MediaConvert resource.</p> fn list_tags_for_resource( &self, input: ListTagsForResourceRequest, ) -> RusotoFuture<ListTagsForResourceResponse, ListTagsForResourceError> { let request_uri = format!("/2017-08-29/tags/{arn}", arn = input.arn); let mut request = SignedRequest::new("GET", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 200 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<ListTagsForResourceResponse, _>()?; Ok(result) })) } else { Box::new( response.buffer().from_err().and_then(|response| { Err(ListTagsForResourceError::from_response(response)) }), ) } }) } /// <p>Add tags to a MediaConvert queue, preset, or job template. For information about tagging, see the User Guide at https://docs.aws.amazon.com/mediaconvert/latest/ug/tagging-resources.html</p> fn tag_resource( &self, input: TagResourceRequest, ) -> RusotoFuture<TagResourceResponse, TagResourceError> { let request_uri = "/2017-08-29/tags"; let mut request = SignedRequest::new("POST", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); let encoded = Some(serde_json::to_vec(&input).unwrap()); request.set_payload(encoded); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 200 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<TagResourceResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(TagResourceError::from_response(response))), ) } }) } /// <p>Remove tags from a MediaConvert queue, preset, or job template. For information about tagging, see the User Guide at https://docs.aws.amazon.com/mediaconvert/latest/ug/tagging-resources.html</p> fn untag_resource( &self, input: UntagResourceRequest, ) -> RusotoFuture<UntagResourceResponse, UntagResourceError> { let request_uri = format!("/2017-08-29/tags/{arn}", arn = input.arn); let mut request = SignedRequest::new("PUT", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); let encoded = Some(serde_json::to_vec(&input).unwrap()); request.set_payload(encoded); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 200 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<UntagResourceResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(UntagResourceError::from_response(response))), ) } }) } /// <p>Modify one of your existing job templates.</p> fn update_job_template( &self, input: UpdateJobTemplateRequest, ) -> RusotoFuture<UpdateJobTemplateResponse, UpdateJobTemplateError> { let request_uri = format!("/2017-08-29/jobTemplates/{name}", name = input.name); let mut request = SignedRequest::new("PUT", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); let encoded = Some(serde_json::to_vec(&input).unwrap()); request.set_payload(encoded); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 200 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<UpdateJobTemplateResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(UpdateJobTemplateError::from_response(response))), ) } }) } /// <p>Modify one of your existing presets.</p> fn update_preset( &self, input: UpdatePresetRequest, ) -> RusotoFuture<UpdatePresetResponse, UpdatePresetError> { let request_uri = format!("/2017-08-29/presets/{name}", name = input.name); let mut request = SignedRequest::new("PUT", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); let encoded = Some(serde_json::to_vec(&input).unwrap()); request.set_payload(encoded); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 200 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<UpdatePresetResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(UpdatePresetError::from_response(response))), ) } }) } /// <p>Modify one of your existing queues.</p> fn update_queue( &self, input: UpdateQueueRequest, ) -> RusotoFuture<UpdateQueueResponse, UpdateQueueError> { let request_uri = format!("/2017-08-29/queues/{name}", name = input.name); let mut request = SignedRequest::new("PUT", "mediaconvert", &self.region, &request_uri); request.set_content_type("application/x-amz-json-1.1".to_owned()); let encoded = Some(serde_json::to_vec(&input).unwrap()); request.set_payload(encoded); self.client.sign_and_dispatch(request, |response| { if response.status.as_u16() == 200 { Box::new(response.buffer().from_err().and_then(|response| { let result = proto::json::ResponsePayload::new(&response) .deserialize::<UpdateQueueResponse, _>()?; Ok(result) })) } else { Box::new( response .buffer() .from_err() .and_then(|response| Err(UpdateQueueError::from_response(response))), ) } }) } }