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
|
#!/usr/bin/python
# -*- coding: utf-8 -*-
# Copyright: Ansible Project
# GNU General Public License v3.0+ (see COPYING or https://www.gnu.org/licenses/gpl-3.0.txt)
DOCUMENTATION = r"""
---
module: ec2_instance
version_added: 1.0.0
short_description: Create & manage EC2 instances
description:
- Create and manage AWS EC2 instances.
- This module does not support creating
L(EC2 Spot instances,https://aws.amazon.com/ec2/spot/).
- The M(amazon.aws.ec2_spot_instance) module can create and manage spot instances.
author:
- Ryan Scott Brown (@ryansb)
options:
instance_ids:
description:
- If you specify one or more instance IDs, only instances that have the specified IDs are returned.
- Mutually exclusive with I(exact_count).
type: list
elements: str
default: []
state:
description:
- Goal state for the instances.
- "I(state=present): ensures instances exist, but does not guarantee any state (e.g. running). Newly-launched instances will be run by EC2."
- "I(state=running): I(state=present) + ensures the instances are running"
- "I(state=started): I(state=running) + waits for EC2 status checks to report OK if I(wait=true)"
- "I(state=stopped): ensures an existing instance is stopped."
- "I(state=rebooted): convenience alias for I(state=stopped) immediately followed by I(state=running)"
- "I(state=restarted): convenience alias for I(state=stopped) immediately followed by I(state=started)"
- "I(state=terminated): ensures an existing instance is terminated."
- "I(state=absent): alias for I(state=terminated)"
choices: [present, terminated, running, started, stopped, restarted, rebooted, absent]
default: present
type: str
wait:
description:
- Whether or not to wait for the desired I(state) (use (wait_timeout) to customize this).
default: true
type: bool
wait_timeout:
description:
- How long to wait (in seconds) for the instance to finish booting/terminating.
default: 600
type: int
instance_type:
description:
- Instance type to use for the instance, see
U(https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/instance-types.html).
- Only required when instance is not already present.
- At least one of I(instance_type) or I(launch_template) must be specificed when launching an
instance.
type: str
count:
description:
- Number of instances to launch.
- Setting this value will result in always launching new instances.
- Mutually exclusive with I(exact_count).
type: int
version_added: 2.2.0
exact_count:
description:
- An integer value which indicates how many instances that match the I(filters) parameter should be running.
- Instances are either created or terminated based on this value.
- If termination takes place, least recently created instances will be terminated based on Launch Time.
- Mutually exclusive with I(count), I(instance_ids).
type: int
version_added: 2.2.0
user_data:
description:
- Opaque blob of data which is made available to the EC2 instance.
type: str
aap_callback:
description:
- Preconfigured user-data to enable an instance to perform an Ansible Automation Platform
callback (Linux only).
- For Windows instances, to enable remote access via Ansible set I(windows) to C(true), and
optionally set an admin password.
- If using I(windows) and I(set_password), callback ton Ansible Automation Platform will not
be performed but the instance will be ready to receive winrm connections from Ansible.
- Mutually exclusive with I(user_data).
type: dict
aliases: ['tower_callback']
suboptions:
windows:
description:
- Set I(windows=True) to use powershell instead of bash for the callback script.
type: bool
default: False
set_password:
description:
- Optional admin password to use if I(windows=True).
type: str
tower_address:
description:
- IP address or DNS name of Tower server. Must be accessible via this address from the
VPC that this instance will be launched in.
- Required if I(windows=False).
type: str
job_template_id:
description:
- Either the integer ID of the Tower Job Template, or the name.
Using a name for the job template is not supported by Ansible Tower prior to version
3.2.
- Required if I(windows=False).
type: str
host_config_key:
description:
- Host configuration secret key generated by the Tower job template.
- Required if I(windows=False).
type: str
image:
description:
- An image to use for the instance. The M(amazon.aws.ec2_ami_info) module may be used to retrieve images.
One of I(image) or I(image_id) are required when instance is not already present.
type: dict
suboptions:
id:
description:
- The AMI ID.
type: str
ramdisk:
description:
- Overrides the AMI's default ramdisk ID.
type: str
kernel:
description:
- a string AKI to override the AMI kernel.
image_id:
description:
- I(ami) ID to use for the instance. One of I(image) or I(image_id) are required when instance is not already present.
- This is an alias for I(image.id).
type: str
security_groups:
description:
- A list of security group IDs or names (strings).
- Mutually exclusive with I(security_group).
type: list
elements: str
default: []
security_group:
description:
- A security group ID or name.
- Mutually exclusive with I(security_groups).
type: str
name:
description:
- The Name tag for the instance.
type: str
vpc_subnet_id:
description:
- The subnet ID in which to launch the instance (VPC).
- If none is provided, M(amazon.aws.ec2_instance) will chose the default zone of the default VPC.
aliases: ['subnet_id']
type: str
network:
description:
- Either a dictionary containing the key C(interfaces) corresponding to a list of network interface IDs or
containing specifications for a single network interface.
- Use the M(amazon.aws.ec2_eni) module to create ENIs with special settings.
type: dict
suboptions:
interfaces:
description:
- A list of ENI IDs (strings) or a list of objects containing the key I(id).
type: list
elements: str
assign_public_ip:
description:
- When C(true) assigns a public IP address to the interface.
type: bool
private_ip_address:
description:
- An IPv4 address to assign to the interface.
type: str
ipv6_addresses:
description:
- A list of IPv6 addresses to assign to the network interface.
type: list
elements: str
source_dest_check:
description:
- Controls whether source/destination checking is enabled on the interface.
type: bool
description:
description:
- A description for the network interface.
type: str
private_ip_addresses:
description:
- A list of IPv4 addresses to assign to the network interface.
type: list
elements: str
subnet_id:
description:
- The subnet to connect the network interface to.
type: str
delete_on_termination:
description:
- Delete the interface when the instance it is attached to is
terminated.
type: bool
device_index:
description:
- The index of the interface to modify.
type: int
groups:
description:
- A list of security group IDs to attach to the interface.
type: list
elements: str
volumes:
description:
- A list of block device mappings, by default this will always use the AMI root device so the volumes option is primarily for adding more storage.
- A mapping contains the (optional) keys C(device_name), C(virtual_name), C(ebs.volume_type), C(ebs.volume_size), C(ebs.kms_key_id),
C(ebs.snapshot_id), C(ebs.iops), and C(ebs.delete_on_termination).
- For more information about each parameter, see U(https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_BlockDeviceMapping.html).
type: list
elements: dict
launch_template:
description:
- The EC2 launch template to base instance configuration on.
- At least one of I(instance_type) or I(launch_template) must be specificed when launching an
instance.
type: dict
suboptions:
id:
description:
- The ID of the launch template (optional if name is specified).
type: str
name:
description:
- The pretty name of the launch template (optional if id is specified).
type: str
version:
description:
- The specific version of the launch template to use. If unspecified, the template default is chosen.
key_name:
description:
- Name of the SSH access key to assign to the instance - must exist in the region the instance is created.
- Use M(amazon.aws.ec2_key) to manage SSH keys.
type: str
availability_zone:
description:
- Specify an availability zone to use the default subnet it. Useful if not specifying the I(vpc_subnet_id) parameter.
- If no subnet, ENI, or availability zone is provided, the default subnet in the default VPC will be used in the first AZ (alphabetically sorted).
type: str
instance_initiated_shutdown_behavior:
description:
- Whether to stop or terminate an instance upon shutdown.
choices: ['stop', 'terminate']
type: str
tenancy:
description:
- What type of tenancy to allow an instance to use. Default is shared tenancy. Dedicated tenancy will incur additional charges.
- This field is deprecated and will be removed in a release after 2025-12-01, use I(placement) instead.
choices: ['dedicated', 'default']
type: str
termination_protection:
description:
- Whether to enable termination protection.
- This module will not terminate an instance with termination protection active, it must be turned off first.
type: bool
hibernation_options:
description:
- Indicates whether an instance is enabled for hibernation.
Refer U(https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/hibernating-prerequisites.html)
for Hibernation prerequisits.
type: bool
default: False
version_added: 5.0.0
cpu_credit_specification:
description:
- For T series instances, choose whether to allow increased charges to buy CPU credits if the default pool is depleted.
- Choose C(unlimited) to enable buying additional CPU credits.
choices: ['unlimited', 'standard']
type: str
cpu_options:
description:
- Reduce the number of vCPU exposed to the instance.
- Those parameters can only be set at instance launch. The two suboptions threads_per_core and core_count are mandatory.
- See U(https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/instance-optimize-cpu.html) for combinations available.
type: dict
suboptions:
threads_per_core:
description:
- Select the number of threads per core to enable. Disable or Enable Intel HT.
choices: [1, 2]
required: true
type: int
core_count:
description:
- Set the number of core to enable.
required: true
type: int
detailed_monitoring:
description:
- Whether to allow detailed CloudWatch metrics to be collected, enabling more detailed alerting.
type: bool
ebs_optimized:
description:
- Whether instance is should use optimized EBS volumes, see U(https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/EBSOptimized.html).
type: bool
filters:
description:
- A dict of filters to apply when deciding whether existing instances match and should be altered. Each dict item
consists of a filter key and a filter value. See
U(https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DescribeInstances.html).
for possible filters. Filter names and values are case sensitive.
- By default, instances are filtered for counting by their "Name" tag, base AMI, state (running, by default), and
subnet ID. Any queryable filter can be used. Good candidates are specific tags, SSH keys, or security groups.
type: dict
iam_instance_profile:
description:
- The ARN or name of an EC2-enabled IAM instance profile to be used.
- If a name is not provided in ARN format then the ListInstanceProfiles permission must also be granted.
U(https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListInstanceProfiles.html)
- If no full ARN is provided, the role with a matching name will be used from the active AWS account.
type: str
aliases: ['instance_role']
placement_group:
description:
- The placement group that needs to be assigned to the instance.
- This field is deprecated and will be removed in a release after 2025-12-01, use I(placement) instead.
type: str
placement:
description:
- The location where the instance launched, if applicable.
type: dict
version_added: 7.0.0
suboptions:
affinity:
description: The affinity setting for the instance on the Dedicated Host.
type: str
required: false
availability_zone:
description: The Availability Zone of the instance.
type: str
required: false
group_name:
description: The name of the placement group the instance is in.
type: str
required: false
host_id:
description: The ID of the Dedicated Host on which the instance resides.
type: str
required: false
host_resource_group_arn:
description: The ARN of the host resource group in which to launch the instances.
type: str
required: false
partition_number:
description: The number of the partition the instance is in.
type: int
required: false
tenancy:
description:
- Type of tenancy to allow an instance to use. Default is shared tenancy. Dedicated tenancy will incur additional charges.
- Support for I(tenancy=host) was added in amazon.aws 7.6.0.
type: str
required: false
choices: ['dedicated', 'default', 'host']
license_specifications:
description:
- The license specifications to be used for the instance.
type: list
elements: dict
suboptions:
license_configuration_arn:
description: The Amazon Resource Name (ARN) of the license configuration.
type: str
required: true
additional_info:
description:
- Reserved for Amazon's internal use.
type: str
version_added: 7.1.0
metadata_options:
description:
- Modify the metadata options for the instance.
- See U(https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-instance-metadata.html) for more information.
- The two suboptions I(http_endpoint) and I(http_tokens) are supported.
type: dict
version_added: 2.0.0
suboptions:
http_endpoint:
description:
- Enables or disables the HTTP metadata endpoint on instances.
- If specified a value of disabled, metadata of the instance will not be accessible.
choices: [enabled, disabled]
default: enabled
type: str
http_tokens:
description:
- Set the state of token usage for instance metadata requests.
- If the state is optional (v1 and v2), instance metadata can be retrieved with or without a signed token header on request.
- If the state is required (v2), a signed token header must be sent with any instance metadata retrieval requests.
choices: [optional, required]
default: optional
type: str
http_put_response_hop_limit:
version_added: 4.0.0
type: int
description:
- The desired HTTP PUT response hop limit for instance metadata requests.
- The larger the number, the further instance metadata requests can travel.
default: 1
http_protocol_ipv6:
version_added: 4.0.0
type: str
description:
- Whether the instance metadata endpoint is available via IPv6 (C(enabled)) or not (C(disabled)).
choices: [enabled, disabled]
default: 'disabled'
instance_metadata_tags:
version_added: 4.0.0
type: str
description:
- Whether the instance tags are availble (C(enabled)) via metadata endpoint or not (C(disabled)).
choices: [enabled, disabled]
default: 'disabled'
extends_documentation_fragment:
- amazon.aws.common.modules
- amazon.aws.region.modules
- amazon.aws.tags
- amazon.aws.boto3
"""
EXAMPLES = r"""
# Note: These examples do not set authentication details, see the AWS Guide for details.
- name: Terminate every running instance in a region. Use with EXTREME caution.
amazon.aws.ec2_instance:
state: absent
filters:
instance-state-name: running
- name: restart a particular instance by its ID
amazon.aws.ec2_instance:
state: restarted
instance_ids:
- i-12345678
- name: start an instance with a public IP address
amazon.aws.ec2_instance:
name: "public-compute-instance"
key_name: "prod-ssh-key"
vpc_subnet_id: subnet-5ca1ab1e
instance_type: c5.large
security_group: default
network:
assign_public_ip: true
image_id: ami-123456
tags:
Environment: Testing
- name: start an instance and Add EBS
amazon.aws.ec2_instance:
name: "public-withebs-instance"
vpc_subnet_id: subnet-5ca1ab1e
instance_type: t2.micro
key_name: "prod-ssh-key"
security_group: default
volumes:
- device_name: /dev/sda1
ebs:
volume_size: 16
delete_on_termination: true
- name: start an instance and Add EBS volume from a snapshot
amazon.aws.ec2_instance:
name: "public-withebs-instance"
instance_type: t2.micro
image_id: ami-1234567890
vpc_subnet_id: subnet-5ca1ab1e
volumes:
- device_name: /dev/sda2
ebs:
snapshot_id: snap-1234567890
- name: start an instance with a cpu_options
amazon.aws.ec2_instance:
name: "public-cpuoption-instance"
vpc_subnet_id: subnet-5ca1ab1e
tags:
Environment: Testing
instance_type: c4.large
volumes:
- device_name: /dev/sda1
ebs:
delete_on_termination: true
cpu_options:
core_count: 1
threads_per_core: 1
- name: start an instance and have it begin a Tower callback on boot
amazon.aws.ec2_instance:
name: "tower-callback-test"
key_name: "prod-ssh-key"
vpc_subnet_id: subnet-5ca1ab1e
security_group: default
tower_callback:
# IP or hostname of tower server
tower_address: 1.2.3.4
job_template_id: 876
host_config_key: '[secret config key goes here]'
network:
assign_public_ip: true
image_id: ami-123456
cpu_credit_specification: unlimited
tags:
SomeThing: "A value"
- name: start an instance with ENI (An existing ENI ID is required)
amazon.aws.ec2_instance:
name: "public-eni-instance"
key_name: "prod-ssh-key"
vpc_subnet_id: subnet-5ca1ab1e
network:
interfaces:
- id: "eni-12345"
tags:
Env: "eni_on"
volumes:
- device_name: /dev/sda1
ebs:
delete_on_termination: true
instance_type: t2.micro
image_id: ami-123456
- name: add second ENI interface
amazon.aws.ec2_instance:
name: "public-eni-instance"
network:
interfaces:
- id: "eni-12345"
- id: "eni-67890"
image_id: ami-123456
tags:
Env: "eni_on"
instance_type: t2.micro
- name: start an instance with metadata options
amazon.aws.ec2_instance:
name: "public-metadataoptions-instance"
vpc_subnet_id: subnet-5calable
instance_type: t3.small
image_id: ami-123456
tags:
Environment: Testing
metadata_options:
http_endpoint: enabled
http_tokens: optional
# ensure number of instances running with a tag matches exact_count
- name: start multiple instances
amazon.aws.ec2_instance:
instance_type: t3.small
image_id: ami-123456
exact_count: 5
region: us-east-2
vpc_subnet_id: subnet-0123456
network:
assign_public_ip: true
security_group: default
tags:
foo: bar
# launches multiple instances - specific number of instances
- name: start specific number of multiple instances
amazon.aws.ec2_instance:
instance_type: t3.small
image_id: ami-123456
count: 3
region: us-east-2
network:
assign_public_ip: true
security_group: default
vpc_subnet_id: subnet-0123456
state: present
tags:
foo: bar
# launches a mac instance with HostResourceGroupArn and LicenseSpecifications
- name: start a mac instance with a host resource group and license specifications
amazon.aws.ec2_instance:
name: "mac-compute-instance"
key_name: "prod-ssh-key"
vpc_subnet_id: subnet-5ca1ab1e
instance_type: mac1.metal
security_group: default
placement:
host_resource_group_arn: arn:aws:resource-groups:us-east-1:123456789012:group/MyResourceGroup
license_specifications:
- license_configuration_arn: arn:aws:license-manager:us-east-1:123456789012:license-configuration:lic-0123456789
image_id: ami-123456
tags:
Environment: Testing
"""
RETURN = r"""
instance_ids:
description: a list of ec2 instance IDs matching the provided specification and filters
returned: always
type: list
sample: ["i-0123456789abcdef0", "i-0123456789abcdef1"]
version_added: 5.3.0
changed_ids:
description: a list of the set of ec2 instance IDs changed by the module action
returned: when instances that must be present are launched
type: list
sample: ["i-0123456789abcdef0"]
version_added: 5.3.0
terminated_ids:
description: a list of the set of ec2 instance IDs terminated by the module action
returned: when instances that must be absent are terminated
type: list
sample: ["i-0123456789abcdef1"]
version_added: 5.3.0
instances:
description: a list of ec2 instances
returned: when wait == true or when matching instances already exist
type: complex
contains:
ami_launch_index:
description: The AMI launch index, which can be used to find this instance in the launch group.
returned: always
type: int
sample: 0
architecture:
description: The architecture of the image
returned: always
type: str
sample: x86_64
block_device_mappings:
description: Any block device mapping entries for the instance.
returned: always
type: complex
contains:
device_name:
description: The device name exposed to the instance (for example, /dev/sdh or xvdh).
returned: always
type: str
sample: /dev/sdh
ebs:
description: Parameters used to automatically set up EBS volumes when the instance is launched.
returned: always
type: complex
contains:
attach_time:
description: The time stamp when the attachment initiated.
returned: always
type: str
sample: "2017-03-23T22:51:24+00:00"
delete_on_termination:
description: Indicates whether the volume is deleted on instance termination.
returned: always
type: bool
sample: true
status:
description: The attachment state.
returned: always
type: str
sample: attached
volume_id:
description: The ID of the EBS volume
returned: always
type: str
sample: vol-12345678
capacity_reservation_specification:
description: Information about the Capacity Reservation targeting option.
type: complex
contains:
capacity_reservation_preference:
description: Describes the Capacity Reservation preferences.
type: str
sample: open
client_token:
description: The idempotency token you provided when you launched the instance, if applicable.
returned: always
type: str
sample: mytoken
cpu_options:
description: The CPU options for the instance.
type: complex
contains:
core_count:
description: The number of CPU cores for the instance.
type: int
sample: 1
threads_per_core:
description: The number of threads per CPU core.
type: int
sample: 2
amd_sev_snp:
description: Indicates whether the instance is enabled for AMD SEV-SNP.
type: str
sample: enabled
current_instance_boot_mode:
description: The boot mode that is used to boot the instance at launch or start.
type: str
sample: legacy-bios
ebs_optimized:
description: Indicates whether the instance is optimized for EBS I/O.
returned: always
type: bool
sample: false
ena_support:
description: Specifies whether enhanced networking with ENA is enabled.
returned: always
type: bool
sample: true
enclave_options:
description: Indicates whether the instance is enabled for Amazon Web Services Nitro Enclaves.
type: dict
contains:
enabled:
description: If this parameter is set to true, the instance is enabled for Amazon Web Services Nitro Enclaves.
returned: always
type: bool
sample: false
hibernation_options:
description: Indicates whether the instance is enabled for hibernation.
type: dict
contains:
configured:
description: If true, your instance is enabled for hibernation; otherwise, it is not enabled for hibernation.
returned: always
type: bool
sample: false
hypervisor:
description: The hypervisor type of the instance.
returned: always
type: str
sample: xen
iam_instance_profile:
description: The IAM instance profile associated with the instance, if applicable.
returned: always
type: complex
contains:
arn:
description: The Amazon Resource Name (ARN) of the instance profile.
returned: always
type: str
sample: "arn:aws:iam::123456789012:instance-profile/myprofile"
id:
description: The ID of the instance profile
returned: always
type: str
sample: JFJ397FDG400FG9FD1N
image_id:
description: The ID of the AMI used to launch the instance.
returned: always
type: str
sample: ami-0011223344
instance_id:
description: The ID of the instance.
returned: always
type: str
sample: i-012345678
instance_type:
description: The instance type size of the running instance.
returned: always
type: str
sample: t2.micro
key_name:
description: The name of the key pair, if this instance was launched with an associated key pair.
returned: always
type: str
sample: my-key
launch_time:
description: The time the instance was launched.
returned: always
type: str
sample: "2017-03-23T22:51:24+00:00"
licenses:
description: The license configurations for the instance.
returned: When license specifications are provided.
type: list
elements: dict
contains:
license_configuration_arn:
description: The Amazon Resource Name (ARN) of the license configuration.
returned: always
type: str
sample: arn:aws:license-manager:us-east-1:123456789012:license-configuration:lic-0123456789
metadata_options:
description: The metadata options for the instance.
returned: always
type: complex
contains:
http_endpoint:
description: Indicates whether the HTTP metadata endpoint on your instances is enabled or disabled.
type: str
sample: enabled
http_protocol_ipv6:
description: Indicates whether the IPv6 endpoint for the instance metadata service is enabled or disabled.
type: str
sample: disabled
http_put_response_hop_limit:
description: The maximum number of hops that the metadata token can travel.
type: int
sample: 1
http_tokens:
description: Indicates whether IMDSv2 is required.
type: str
sample: optional
instance_metadata_tags:
description: Indicates whether access to instance tags from the instance metadata is enabled or disabled.
type: str
sample: disabled
state:
description: The state of the metadata option changes.
type: str
sample: applied
monitoring:
description: The monitoring for the instance.
returned: always
type: complex
contains:
state:
description: Indicates whether detailed monitoring is enabled. Otherwise, basic monitoring is enabled.
returned: always
type: str
sample: disabled
network_interfaces:
description: One or more network interfaces for the instance.
returned: always
type: list
elements: dict
contains:
association:
description: The association information for an Elastic IPv4 associated with the network interface.
returned: always
type: complex
contains:
ip_owner_id:
description: The ID of the owner of the Elastic IP address.
returned: always
type: str
sample: amazon
public_dns_name:
description: The public DNS name.
returned: always
type: str
sample: ""
public_ip:
description: The public IP address or Elastic IP address bound to the network interface.
returned: always
type: str
sample: 1.2.3.4
attachment:
description: The network interface attachment.
returned: always
type: complex
contains:
attach_time:
description: The time stamp when the attachment initiated.
returned: always
type: str
sample: "2017-03-23T22:51:24+00:00"
attachment_id:
description: The ID of the network interface attachment.
returned: always
type: str
sample: eni-attach-3aff3f
delete_on_termination:
description: Indicates whether the network interface is deleted when the instance is terminated.
returned: always
type: bool
sample: true
device_index:
description: The index of the device on the instance for the network interface attachment.
returned: always
type: int
sample: 0
network_card_index:
description: The index of the network card.
returned: always
type: int
sample: 0
status:
description: The attachment state.
returned: always
type: str
sample: attached
description:
description: The description.
returned: always
type: str
sample: My interface
groups:
description: One or more security groups.
returned: always
type: list
elements: dict
contains:
group_id:
description: The ID of the security group.
returned: always
type: str
sample: sg-abcdef12
group_name:
description: The name of the security group.
returned: always
type: str
sample: mygroup
interface_type:
description: The type of network interface.
returned: always
type: str
sample: interface
ipv6_addresses:
description: One or more IPv6 addresses associated with the network interface.
returned: always
type: list
elements: dict
contains:
ipv6_address:
description: The IPv6 address.
returned: always
type: str
sample: "2001:0db8:85a3:0000:0000:8a2e:0370:7334"
mac_address:
description: The MAC address.
returned: always
type: str
sample: "00:11:22:33:44:55"
network_interface_id:
description: The ID of the network interface.
returned: always
type: str
sample: eni-01234567
owner_id:
description: The AWS account ID of the owner of the network interface.
returned: always
type: str
sample: 01234567890
private_dns_name:
description: The private DNS hostname name assigned to the instance.
type: str
returned: always
sample: ip-10-1-0-156.ec2.internal
private_ip_address:
description: The IPv4 address of the network interface within the subnet.
returned: always
type: str
sample: 10.0.0.1
private_ip_addresses:
description: The private IPv4 addresses associated with the network interface.
returned: always
type: list
elements: dict
contains:
association:
description: The association information for an Elastic IP address (IPv4) associated with the network interface.
type: complex
contains:
ip_owner_id:
description: The ID of the owner of the Elastic IP address.
returned: always
type: str
sample: amazon
public_dns_name:
description: The public DNS name.
returned: always
type: str
sample: ""
public_ip:
description: The public IP address or Elastic IP address bound to the network interface.
returned: always
type: str
sample: 1.2.3.4
primary:
description: Indicates whether this IPv4 address is the primary private IP address of the network interface.
returned: always
type: bool
sample: true
private_dns_name:
description: The private DNS hostname name assigned to the instance.
type: str
returned: always
sample: ip-10-1-0-156.ec2.internal
private_ip_address:
description: The private IPv4 address of the network interface.
returned: always
type: str
sample: 10.0.0.1
source_dest_check:
description: Indicates whether source/destination checking is enabled.
returned: always
type: bool
sample: true
status:
description: The status of the network interface.
returned: always
type: str
sample: in-use
subnet_id:
description: The ID of the subnet for the network interface.
returned: always
type: str
sample: subnet-0123456
vpc_id:
description: The ID of the VPC for the network interface.
returned: always
type: str
sample: vpc-0123456
placement:
description: The location where the instance launched, if applicable.
returned: always
type: complex
contains:
availability_zone:
description: The Availability Zone of the instance.
returned: always
type: str
sample: ap-southeast-2a
affinity:
description: The affinity setting for the instance on the Dedicated Host.
returned: When a placement group is specified.
type: str
group_id:
description: The ID of the placement group the instance is in (for cluster compute instances).
type: str
sample: "pg-01234566"
group_name:
description: The name of the placement group the instance is in (for cluster compute instances).
returned: always
type: str
sample: "my-placement-group"
host_id:
description: The ID of the Dedicated Host on which the instance resides.
type: str
host_resource_group_arn:
description: The ARN of the host resource group in which the instance is in.
type: str
sample: "arn:aws:resource-groups:us-east-1:123456789012:group/MyResourceGroup"
partition_number:
description: The number of the partition the instance is in.
type: int
sample: 1
tenancy:
description: Type of tenancy to allow an instance to use. Default is shared tenancy. Dedicated tenancy will incur additional charges.
returned: always
type: str
sample: default
additional_info:
description: Reserved for Amazon's internal use.
returned: always
type: str
version_added: 7.1.0
sample:
platform_details:
description: The platform details value for the instance.
returned: always
type: str
sample: Linux/UNIX
private_dns_name:
description: The private DNS name.
returned: always
type: str
sample: ip-10-0-0-1.ap-southeast-2.compute.internal
private_dns_name_options:
description: The options for the instance hostname.
type: dict
contains:
enable_resource_name_dns_a_record:
description: Indicates whether to respond to DNS queries for instance hostnames with DNS A records.
type: bool
sample: false
enable_resource_name_dns_aaaa_record:
description: Indicates whether to respond to DNS queries for instance hostnames with DNS AAAA records.
type: bool
sample: false
hostname_type:
description: The type of hostname to assign to an instance.
type: str
sample: ip-name
private_ip_address:
description: The IPv4 address of the network interface within the subnet.
returned: always
type: str
sample: 10.0.0.1
product_codes:
description: One or more product codes.
returned: always
type: list
elements: dict
contains:
product_code_id:
description: The product code.
returned: always
type: str
sample: aw0evgkw8ef3n2498gndfgasdfsd5cce
product_code_type:
description: The type of product code.
returned: always
type: str
sample: marketplace
public_dns_name:
description: The public DNS name assigned to the instance.
returned: always
type: str
sample:
public_ip_address:
description: The public IPv4 address assigned to the instance
returned: always
type: str
sample: 52.0.0.1
root_device_name:
description: The device name of the root device
returned: always
type: str
sample: /dev/sda1
root_device_type:
description: The type of root device used by the AMI.
returned: always
type: str
sample: ebs
security_groups:
description: One or more security groups for the instance.
returned: always
type: list
elements: dict
contains:
group_id:
description: The ID of the security group.
returned: always
type: str
sample: sg-0123456
group_name:
description: The name of the security group.
returned: always
type: str
sample: my-security-group
source_dest_check:
description: Indicates whether source/destination checking is enabled.
returned: always
type: bool
sample: true
state:
description: The current state of the instance.
returned: always
type: complex
contains:
code:
description: The low byte represents the state.
returned: always
type: int
sample: 16
name:
description: The name of the state.
returned: always
type: str
sample: running
state_transition_reason:
description: The reason for the most recent state transition.
returned: always
type: str
sample:
subnet_id:
description: The ID of the subnet in which the instance is running.
returned: always
type: str
sample: subnet-00abcdef
tags:
description: Any tags assigned to the instance.
returned: always
type: dict
sample:
virtualization_type:
description: The type of virtualization of the AMI.
returned: always
type: str
sample: hvm
vpc_id:
description: The ID of the VPC the instance is in.
returned: always
type: dict
sample: vpc-0011223344
"""
import time
import uuid
from collections import namedtuple
try:
import botocore
except ImportError:
pass # caught by AnsibleAWSModule
from ansible.module_utils._text import to_native
from ansible.module_utils.common.dict_transformations import camel_dict_to_snake_dict
from ansible.module_utils.common.dict_transformations import snake_dict_to_camel_dict
from ansible.module_utils.six import string_types
from ansible_collections.amazon.aws.plugins.module_utils.arn import validate_aws_arn
from ansible_collections.amazon.aws.plugins.module_utils.botocore import is_boto3_error_code
from ansible_collections.amazon.aws.plugins.module_utils.botocore import is_boto3_error_message
from ansible_collections.amazon.aws.plugins.module_utils.ec2 import ensure_ec2_tags
from ansible_collections.amazon.aws.plugins.module_utils.ec2 import get_ec2_security_group_ids_from_names
from ansible_collections.amazon.aws.plugins.module_utils.exceptions import AnsibleAWSError
from ansible_collections.amazon.aws.plugins.module_utils.modules import AnsibleAWSModule
from ansible_collections.amazon.aws.plugins.module_utils.retries import AWSRetry
from ansible_collections.amazon.aws.plugins.module_utils.tagging import boto3_tag_list_to_ansible_dict
from ansible_collections.amazon.aws.plugins.module_utils.tagging import boto3_tag_specifications
from ansible_collections.amazon.aws.plugins.module_utils.tower import tower_callback_script
from ansible_collections.amazon.aws.plugins.module_utils.transformation import ansible_dict_to_boto3_filter_list
module = None
class Ec2InstanceAWSError(AnsibleAWSError):
pass
def build_volume_spec(params):
volumes = params.get("volumes") or []
for volume in volumes:
if "ebs" in volume:
for int_value in ["volume_size", "iops"]:
if int_value in volume["ebs"]:
volume["ebs"][int_value] = int(volume["ebs"][int_value])
if "volume_type" in volume["ebs"] and volume["ebs"]["volume_type"] == "gp3":
if not volume["ebs"].get("iops"):
volume["ebs"]["iops"] = 3000
if "throughput" in volume["ebs"]:
volume["ebs"]["throughput"] = int(volume["ebs"]["throughput"])
else:
volume["ebs"]["throughput"] = 125
return [snake_dict_to_camel_dict(v, capitalize_first=True) for v in volumes]
def add_or_update_instance_profile(instance, desired_profile_name):
instance_profile_setting = instance.get("IamInstanceProfile")
if instance_profile_setting and desired_profile_name:
if desired_profile_name in (instance_profile_setting.get("Name"), instance_profile_setting.get("Arn")):
# great, the profile we asked for is what's there
return False
else:
desired_arn = determine_iam_role(desired_profile_name)
if instance_profile_setting.get("Arn") == desired_arn:
return False
# update association
try:
association = client.describe_iam_instance_profile_associations(
aws_retry=True, Filters=[{"Name": "instance-id", "Values": [instance["InstanceId"]]}]
)
except (botocore.exceptions.BotoCoreError, botocore.exceptions.ClientError) as e:
# check for InvalidAssociationID.NotFound
module.fail_json_aws(e, "Could not find instance profile association")
try:
client.replace_iam_instance_profile_association(
aws_retry=True,
AssociationId=association["IamInstanceProfileAssociations"][0]["AssociationId"],
IamInstanceProfile={"Arn": determine_iam_role(desired_profile_name)},
)
return True
except botocore.exceptions.ClientError as e:
module.fail_json_aws(e, "Could not associate instance profile")
if not instance_profile_setting and desired_profile_name:
# create association
try:
client.associate_iam_instance_profile(
aws_retry=True,
IamInstanceProfile={"Arn": determine_iam_role(desired_profile_name)},
InstanceId=instance["InstanceId"],
)
return True
except (botocore.exceptions.BotoCoreError, botocore.exceptions.ClientError) as e:
module.fail_json_aws(e, "Could not associate new instance profile")
return False
def build_network_spec(params):
"""
Returns list of interfaces [complex]
Interface type: {
'AssociatePublicIpAddress': True|False,
'DeleteOnTermination': True|False,
'Description': 'string',
'DeviceIndex': 123,
'Groups': [
'string',
],
'Ipv6AddressCount': 123,
'Ipv6Addresses': [
{
'Ipv6Address': 'string'
},
],
'NetworkInterfaceId': 'string',
'PrivateIpAddress': 'string',
'PrivateIpAddresses': [
{
'Primary': True|False,
'PrivateIpAddress': 'string'
},
],
'SecondaryPrivateIpAddressCount': 123,
'SubnetId': 'string'
},
"""
interfaces = []
network = params.get("network") or {}
if not network.get("interfaces"):
# they only specified one interface
spec = {
"DeviceIndex": 0,
}
if network.get("assign_public_ip") is not None:
spec["AssociatePublicIpAddress"] = network["assign_public_ip"]
if params.get("vpc_subnet_id"):
spec["SubnetId"] = params["vpc_subnet_id"]
else:
default_vpc = get_default_vpc()
if default_vpc is None:
module.fail_json(
msg=(
"No default subnet could be found - you must include a VPC subnet ID (vpc_subnet_id parameter)"
" to create an instance"
)
)
else:
sub = get_default_subnet(default_vpc, availability_zone=module.params.get("availability_zone"))
spec["SubnetId"] = sub["SubnetId"]
if network.get("ipv6_addresses"):
spec["Ipv6Addresses"] = [{"Ipv6Address": a} for a in network.get("ipv6_addresses", [])]
if network.get("private_ip_address"):
spec["PrivateIpAddress"] = network["private_ip_address"]
if params.get("security_group") or params.get("security_groups"):
groups = discover_security_groups(
group=params.get("security_group"),
groups=params.get("security_groups"),
subnet_id=spec["SubnetId"],
)
spec["Groups"] = groups
if network.get("description") is not None:
spec["Description"] = network["description"]
# TODO more special snowflake network things
return [spec]
# handle list of `network.interfaces` options
for idx, interface_params in enumerate(network.get("interfaces", [])):
spec = {
"DeviceIndex": idx,
}
if isinstance(interface_params, string_types):
# naive case where user gave
# network_interfaces: [eni-1234, eni-4567, ....]
# put into normal data structure so we don't dupe code
interface_params = {"id": interface_params}
if interface_params.get("id") is not None:
# if an ID is provided, we don't want to set any other parameters.
spec["NetworkInterfaceId"] = interface_params["id"]
interfaces.append(spec)
continue
spec["DeleteOnTermination"] = interface_params.get("delete_on_termination", True)
if interface_params.get("ipv6_addresses"):
spec["Ipv6Addresses"] = [{"Ipv6Address": a} for a in interface_params.get("ipv6_addresses", [])]
if interface_params.get("private_ip_address"):
spec["PrivateIpAddress"] = interface_params.get("private_ip_address")
if interface_params.get("description"):
spec["Description"] = interface_params.get("description")
if interface_params.get("subnet_id", params.get("vpc_subnet_id")):
spec["SubnetId"] = interface_params.get("subnet_id", params.get("vpc_subnet_id"))
elif not spec.get("SubnetId") and not interface_params["id"]:
# TODO grab a subnet from default VPC
raise ValueError(f"Failed to assign subnet to interface {interface_params}")
interfaces.append(spec)
return interfaces
def warn_if_public_ip_assignment_changed(instance):
# This is a non-modifiable attribute.
assign_public_ip = (module.params.get("network") or {}).get("assign_public_ip")
if assign_public_ip is None:
return
# Check that public ip assignment is the same and warn if not
public_dns_name = instance.get("PublicDnsName")
if (public_dns_name and not assign_public_ip) or (assign_public_ip and not public_dns_name):
module.warn(
f"Unable to modify public ip assignment to {assign_public_ip} for instance {instance['InstanceId']}."
" Whether or not to assign a public IP is determined during instance creation."
)
def warn_if_cpu_options_changed(instance):
# This is a non-modifiable attribute.
cpu_options = module.params.get("cpu_options")
if cpu_options is None:
return
# Check that the CpuOptions set are the same and warn if not
core_count_curr = instance["CpuOptions"].get("CoreCount")
core_count = cpu_options.get("core_count")
threads_per_core_curr = instance["CpuOptions"].get("ThreadsPerCore")
threads_per_core = cpu_options.get("threads_per_core")
if core_count_curr != core_count:
module.warn(
f"Unable to modify core_count from {core_count_curr} to {core_count}. Assigning a number of core is"
" determinted during instance creation"
)
if threads_per_core_curr != threads_per_core:
module.warn(
f"Unable to modify threads_per_core from {threads_per_core_curr} to {threads_per_core}. Assigning a number"
" of threads per core is determined during instance creation."
)
def discover_security_groups(group, groups, parent_vpc_id=None, subnet_id=None):
if subnet_id is not None:
try:
sub = client.describe_subnets(aws_retry=True, SubnetIds=[subnet_id])
except is_boto3_error_code("InvalidGroup.NotFound"):
module.fail_json(
f"Could not find subnet {subnet_id} to associate security groups. Please check the vpc_subnet_id and"
" security_groups parameters."
)
except (
botocore.exceptions.ClientError,
botocore.exceptions.BotoCoreError,
) as e: # pylint: disable=duplicate-except
module.fail_json_aws(e, msg=f"Error while searching for subnet {subnet_id} parent VPC.")
parent_vpc_id = sub["Subnets"][0]["VpcId"]
if group:
return get_ec2_security_group_ids_from_names(group, client, vpc_id=parent_vpc_id)
if groups:
return get_ec2_security_group_ids_from_names(groups, client, vpc_id=parent_vpc_id)
return []
def build_userdata(params):
if params.get("user_data") is not None:
return {"UserData": to_native(params.get("user_data"))}
if params.get("aap_callback"):
userdata = tower_callback_script(
tower_address=params.get("aap_callback").get("tower_address"),
job_template_id=params.get("aap_callback").get("job_template_id"),
host_config_key=params.get("aap_callback").get("host_config_key"),
windows=params.get("aap_callback").get("windows"),
passwd=params.get("aap_callback").get("set_password"),
)
return {"UserData": userdata}
return {}
def build_top_level_options(params):
spec = {}
if params.get("image_id"):
spec["ImageId"] = params["image_id"]
elif isinstance(params.get("image"), dict):
image = params.get("image", {})
spec["ImageId"] = image.get("id")
if "ramdisk" in image:
spec["RamdiskId"] = image["ramdisk"]
if "kernel" in image:
spec["KernelId"] = image["kernel"]
if not spec.get("ImageId") and not params.get("launch_template"):
module.fail_json(
msg="You must include an image_id or image.id parameter to create an instance, or use a launch_template."
)
if params.get("key_name") is not None:
spec["KeyName"] = params.get("key_name")
spec.update(build_userdata(params))
if params.get("launch_template") is not None:
spec["LaunchTemplate"] = {}
if not params.get("launch_template").get("id") and not params.get("launch_template").get("name"):
module.fail_json(
msg=(
"Could not create instance with launch template. Either launch_template.name or launch_template.id"
" parameters are required"
)
)
if params.get("launch_template").get("id") is not None:
spec["LaunchTemplate"]["LaunchTemplateId"] = params.get("launch_template").get("id")
if params.get("launch_template").get("name") is not None:
spec["LaunchTemplate"]["LaunchTemplateName"] = params.get("launch_template").get("name")
if params.get("launch_template").get("version") is not None:
spec["LaunchTemplate"]["Version"] = to_native(params.get("launch_template").get("version"))
if params.get("detailed_monitoring", False):
spec["Monitoring"] = {"Enabled": True}
if params.get("cpu_credit_specification") is not None:
spec["CreditSpecification"] = {"CpuCredits": params.get("cpu_credit_specification")}
if params.get("tenancy") is not None:
spec["Placement"] = {"Tenancy": params.get("tenancy")}
if params.get("placement_group"):
if "Placement" in spec:
spec["Placement"]["GroupName"] = str(params.get("placement_group"))
else:
spec.setdefault("Placement", {"GroupName": str(params.get("placement_group"))})
if params.get("placement") is not None:
spec["Placement"] = {}
if params.get("placement").get("availability_zone") is not None:
spec["Placement"]["AvailabilityZone"] = params.get("placement").get("availability_zone")
if params.get("placement").get("affinity") is not None:
spec["Placement"]["Affinity"] = params.get("placement").get("affinity")
if params.get("placement").get("group_name") is not None:
spec["Placement"]["GroupName"] = params.get("placement").get("group_name")
if params.get("placement").get("host_id") is not None:
spec["Placement"]["HostId"] = params.get("placement").get("host_id")
if params.get("placement").get("host_resource_group_arn") is not None:
spec["Placement"]["HostResourceGroupArn"] = params.get("placement").get("host_resource_group_arn")
if params.get("placement").get("partition_number") is not None:
spec["Placement"]["PartitionNumber"] = params.get("placement").get("partition_number")
if params.get("placement").get("tenancy") is not None:
spec["Placement"]["Tenancy"] = params.get("placement").get("tenancy")
if params.get("ebs_optimized") is not None:
spec["EbsOptimized"] = params.get("ebs_optimized")
if params.get("instance_initiated_shutdown_behavior"):
spec["InstanceInitiatedShutdownBehavior"] = params.get("instance_initiated_shutdown_behavior")
if params.get("termination_protection") is not None:
spec["DisableApiTermination"] = params.get("termination_protection")
if params.get("hibernation_options") and params.get("volumes"):
for vol in params["volumes"]:
if vol.get("ebs") and vol["ebs"].get("encrypted"):
spec["HibernationOptions"] = {"Configured": True}
else:
module.fail_json(
msg=(
"Hibernation prerequisites not satisfied. Refer to"
" https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/hibernating-prerequisites.html"
)
)
if params.get("cpu_options") is not None:
spec["CpuOptions"] = {}
spec["CpuOptions"]["ThreadsPerCore"] = params.get("cpu_options").get("threads_per_core")
spec["CpuOptions"]["CoreCount"] = params.get("cpu_options").get("core_count")
if params.get("metadata_options"):
spec["MetadataOptions"] = {}
spec["MetadataOptions"]["HttpEndpoint"] = params.get("metadata_options").get("http_endpoint")
spec["MetadataOptions"]["HttpTokens"] = params.get("metadata_options").get("http_tokens")
spec["MetadataOptions"]["HttpPutResponseHopLimit"] = params.get("metadata_options").get(
"http_put_response_hop_limit"
)
spec["MetadataOptions"]["HttpProtocolIpv6"] = params.get("metadata_options").get("http_protocol_ipv6")
spec["MetadataOptions"]["InstanceMetadataTags"] = params.get("metadata_options").get("instance_metadata_tags")
if params.get("additional_info"):
spec["AdditionalInfo"] = params.get("additional_info")
if params.get("license_specifications"):
spec["LicenseSpecifications"] = []
for license_configuration in params.get("license_specifications"):
spec["LicenseSpecifications"].append(
{"LicenseConfigurationArn": license_configuration.get("license_configuration_arn")}
)
return spec
def build_instance_tags(params):
tags = params.get("tags") or {}
if params.get("name") is not None:
tags["Name"] = params.get("name")
specs = boto3_tag_specifications(tags, ["volume", "instance"])
return specs
def build_run_instance_spec(params, current_count=0):
spec = dict(
ClientToken=uuid.uuid4().hex,
MaxCount=1,
MinCount=1,
)
spec.update(**build_top_level_options(params))
spec["NetworkInterfaces"] = build_network_spec(params)
spec["BlockDeviceMappings"] = build_volume_spec(params)
tag_spec = build_instance_tags(params)
if tag_spec is not None:
spec["TagSpecifications"] = tag_spec
# IAM profile
if params.get("iam_instance_profile"):
spec["IamInstanceProfile"] = dict(Arn=determine_iam_role(params.get("iam_instance_profile")))
if params.get("exact_count"):
spec["MaxCount"] = params.get("exact_count") - current_count
spec["MinCount"] = params.get("exact_count") - current_count
if params.get("count"):
spec["MaxCount"] = params.get("count")
spec["MinCount"] = params.get("count")
if params.get("instance_type"):
spec["InstanceType"] = params["instance_type"]
if not (params.get("instance_type") or params.get("launch_template")):
raise Ec2InstanceAWSError(
"At least one of 'instance_type' and 'launch_template' must be passed when launching instances."
)
return spec
def await_instances(ids, desired_module_state="present", force_wait=False):
if not module.params.get("wait", True) and not force_wait:
# the user asked not to wait for anything
return
if module.check_mode:
# In check mode, there is no change even if you wait.
return
# Map ansible state to boto3 waiter type
state_to_boto3_waiter = {
"present": "instance_exists",
"started": "instance_status_ok",
"running": "instance_running",
"stopped": "instance_stopped",
"restarted": "instance_status_ok",
"rebooted": "instance_running",
"terminated": "instance_terminated",
"absent": "instance_terminated",
}
if desired_module_state not in state_to_boto3_waiter:
module.fail_json(msg=f"Cannot wait for state {desired_module_state}, invalid state")
boto3_waiter_type = state_to_boto3_waiter[desired_module_state]
waiter = client.get_waiter(boto3_waiter_type)
try:
waiter.wait(
InstanceIds=ids,
WaiterConfig={
"Delay": 15,
"MaxAttempts": module.params.get("wait_timeout", 600) // 15,
},
)
except botocore.exceptions.WaiterConfigError as e:
instance_ids = ", ".join(ids)
module.fail_json(
msg=f"{to_native(e)}. Error waiting for instances {instance_ids} to reach state {boto3_waiter_type}"
)
except botocore.exceptions.WaiterError as e:
instance_ids = ", ".join(ids)
module.warn(f"Instances {instance_ids} took too long to reach state {boto3_waiter_type}. {to_native(e)}")
def diff_instance_and_params(instance, params, skip=None):
"""boto3 instance obj, module params"""
if skip is None:
skip = []
changes_to_apply = []
id_ = instance["InstanceId"]
ParamMapper = namedtuple("ParamMapper", ["param_key", "instance_key", "attribute_name", "add_value"])
def value_wrapper(v):
return {"Value": v}
param_mappings = [
ParamMapper("ebs_optimized", "EbsOptimized", "ebsOptimized", value_wrapper),
ParamMapper("termination_protection", "DisableApiTermination", "disableApiTermination", value_wrapper),
# user data is an immutable property
# ParamMapper('user_data', 'UserData', 'userData', value_wrapper),
]
for mapping in param_mappings:
if params.get(mapping.param_key) is None:
continue
if mapping.instance_key in skip:
continue
try:
value = client.describe_instance_attribute(aws_retry=True, Attribute=mapping.attribute_name, InstanceId=id_)
except (botocore.exceptions.BotoCoreError, botocore.exceptions.ClientError) as e:
module.fail_json_aws(e, msg=f"Could not describe attribute {mapping.attribute_name} for instance {id_}")
if value[mapping.instance_key]["Value"] != params.get(mapping.param_key):
arguments = dict(
InstanceId=instance["InstanceId"],
# Attribute=mapping.attribute_name,
)
arguments[mapping.instance_key] = mapping.add_value(params.get(mapping.param_key))
changes_to_apply.append(arguments)
if params.get("security_group") or params.get("security_groups"):
try:
value = client.describe_instance_attribute(aws_retry=True, Attribute="groupSet", InstanceId=id_)
except (botocore.exceptions.BotoCoreError, botocore.exceptions.ClientError) as e:
module.fail_json_aws(e, msg=f"Could not describe attribute groupSet for instance {id_}")
# managing security groups
if params.get("vpc_subnet_id"):
subnet_id = params.get("vpc_subnet_id")
else:
default_vpc = get_default_vpc()
if default_vpc is None:
module.fail_json(
msg=(
"No default subnet could be found - you must include a VPC subnet ID (vpc_subnet_id parameter)"
" to modify security groups."
)
)
else:
sub = get_default_subnet(default_vpc)
subnet_id = sub["SubnetId"]
groups = discover_security_groups(
group=params.get("security_group"),
groups=params.get("security_groups"),
subnet_id=subnet_id,
)
expected_groups = groups
instance_groups = [g["GroupId"] for g in value["Groups"]]
if set(instance_groups) != set(expected_groups):
changes_to_apply.append(dict(Groups=expected_groups, InstanceId=instance["InstanceId"]))
if (params.get("network") or {}).get("source_dest_check") is not None:
# network.source_dest_check is nested, so needs to be treated separately
check = bool(params.get("network").get("source_dest_check"))
if instance["SourceDestCheck"] != check:
changes_to_apply.append(
dict(
InstanceId=instance["InstanceId"],
SourceDestCheck={"Value": check},
)
)
return changes_to_apply
def change_instance_metadata_options(instance, params):
metadata_options_to_apply = params.get("metadata_options")
if metadata_options_to_apply is None:
return False
existing_metadata_options = camel_dict_to_snake_dict(instance.get("MetadataOptions"))
changes_to_apply = {
key: metadata_options_to_apply[key]
for key in set(existing_metadata_options) & set(metadata_options_to_apply)
if existing_metadata_options[key] != metadata_options_to_apply[key]
}
if not changes_to_apply:
return False
request_args = {
"InstanceId": instance["InstanceId"],
"HttpTokens": changes_to_apply.get("http_tokens") or existing_metadata_options.get("http_tokens"),
"HttpPutResponseHopLimit": changes_to_apply.get("http_put_response_hop_limit")
or existing_metadata_options.get("http_put_response_hop_limit"),
"HttpEndpoint": changes_to_apply.get("http_endpoint") or existing_metadata_options.get("http_endpoint"),
"HttpProtocolIpv6": changes_to_apply.get("http_protocol_ipv6")
or existing_metadata_options.get("http_protocol_ipv6"),
"InstanceMetadataTags": changes_to_apply.get("instance_metadata_tags")
or existing_metadata_options.get("instance_metadata_tags"),
}
if module.check_mode:
return True
try:
client.modify_instance_metadata_options(aws_retry=True, **request_args)
except (botocore.exceptions.BotoCoreError, botocore.exceptions.ClientError) as e:
module.fail_json_aws(
e, msg=f"Failed to update instance metadata options for instance ID: {instance['InstanceId']}"
)
return True
def change_network_attachments(instance, params):
if (params.get("network") or {}).get("interfaces") is not None:
new_ids = []
for inty in params.get("network").get("interfaces"):
if isinstance(inty, dict) and "id" in inty:
new_ids.append(inty["id"])
elif isinstance(inty, string_types):
new_ids.append(inty)
# network.interfaces can create the need to attach new interfaces
old_ids = [inty["NetworkInterfaceId"] for inty in instance["NetworkInterfaces"]]
to_attach = set(new_ids) - set(old_ids)
if not module.check_mode:
for eni_id in to_attach:
try:
client.attach_network_interface(
aws_retry=True,
DeviceIndex=new_ids.index(eni_id),
InstanceId=instance["InstanceId"],
NetworkInterfaceId=eni_id,
)
except (botocore.exceptions.BotoCoreError, botocore.exceptions.ClientError) as e:
module.fail_json_aws(
e, msg=f"Could not attach interface {eni_id} to instance {instance['InstanceId']}"
)
return bool(len(to_attach))
return False
def find_instances(ids=None, filters=None):
sanitized_filters = dict()
if ids:
params = dict(InstanceIds=ids)
elif filters is None:
module.fail_json(msg="No filters provided when they were required")
else:
for key in list(filters.keys()):
if not key.startswith("tag:"):
sanitized_filters[key.replace("_", "-")] = filters[key]
else:
sanitized_filters[key] = filters[key]
params = dict(Filters=ansible_dict_to_boto3_filter_list(sanitized_filters))
try:
results = _describe_instances(**params)
except (botocore.exceptions.BotoCoreError, botocore.exceptions.ClientError) as e:
module.fail_json_aws(e, msg="Could not describe instances")
retval = list(results)
return retval
@AWSRetry.jittered_backoff()
def _describe_instances(**params):
paginator = client.get_paginator("describe_instances")
return paginator.paginate(**params).search("Reservations[].Instances[]")
def get_default_vpc():
try:
vpcs = client.describe_vpcs(aws_retry=True, Filters=ansible_dict_to_boto3_filter_list({"isDefault": "true"}))
except (botocore.exceptions.BotoCoreError, botocore.exceptions.ClientError) as e:
module.fail_json_aws(e, msg="Could not describe default VPC")
if len(vpcs.get("Vpcs", [])):
return vpcs.get("Vpcs")[0]
return None
def get_default_subnet(vpc, availability_zone=None):
try:
subnets = client.describe_subnets(
aws_retry=True,
Filters=ansible_dict_to_boto3_filter_list(
{
"vpc-id": vpc["VpcId"],
"state": "available",
"default-for-az": "true",
}
),
)
except (botocore.exceptions.BotoCoreError, botocore.exceptions.ClientError) as e:
module.fail_json_aws(e, msg=f"Could not describe default subnets for VPC {vpc['VpcId']}")
if len(subnets.get("Subnets", [])):
if availability_zone is not None:
subs_by_az = dict((subnet["AvailabilityZone"], subnet) for subnet in subnets.get("Subnets"))
if availability_zone in subs_by_az:
return subs_by_az[availability_zone]
# to have a deterministic sorting order, we sort by AZ so we'll always pick the `a` subnet first
# there can only be one default-for-az subnet per AZ, so the AZ key is always unique in this list
by_az = sorted(subnets.get("Subnets"), key=lambda s: s["AvailabilityZone"])
return by_az[0]
return None
def ensure_instance_state(desired_module_state, filters):
"""
Sets return keys depending on the desired instance state
"""
results = dict()
changed = False
if desired_module_state in ("running", "started"):
_changed, failed, instances, failure_reason = change_instance_state(
filters=filters, desired_module_state=desired_module_state
)
changed |= bool(len(_changed))
if failed:
module.fail_json(
msg=f"Unable to start instances: {failure_reason}",
reboot_success=list(_changed),
reboot_failed=failed,
)
results = dict(
msg="Instances started",
start_success=list(_changed),
start_failed=[],
# Avoid breaking things 'reboot' is wrong but used to be returned
reboot_success=list(_changed),
reboot_failed=[],
changed=changed,
instances=[pretty_instance(i) for i in instances],
)
elif desired_module_state in ("restarted", "rebooted"):
# https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-instance-reboot.html
# The Ansible behaviour of issuing a stop/start has a minor impact on user billing
# This will need to be changelogged if we ever change to client.reboot_instance
_changed, failed, instances, failure_reason = change_instance_state(
filters=filters,
desired_module_state="stopped",
)
if failed:
module.fail_json(
msg=f"Unable to stop instances: {failure_reason}",
stop_success=list(_changed),
stop_failed=failed,
)
changed |= bool(len(_changed))
_changed, failed, instances, failure_reason = change_instance_state(
filters=filters,
desired_module_state=desired_module_state,
)
changed |= bool(len(_changed))
if failed:
module.fail_json(
msg=f"Unable to restart instances: {failure_reason}",
reboot_success=list(_changed),
reboot_failed=failed,
)
results = dict(
msg="Instances restarted",
reboot_success=list(_changed),
changed=changed,
reboot_failed=[],
instances=[pretty_instance(i) for i in instances],
)
elif desired_module_state in ("stopped",):
_changed, failed, instances, failure_reason = change_instance_state(
filters=filters,
desired_module_state=desired_module_state,
)
changed |= bool(len(_changed))
if failed:
module.fail_json(
msg=f"Unable to stop instances: {failure_reason}",
stop_success=list(_changed),
stop_failed=failed,
)
results = dict(
msg="Instances stopped",
stop_success=list(_changed),
changed=changed,
stop_failed=[],
instances=[pretty_instance(i) for i in instances],
)
elif desired_module_state in ("absent", "terminated"):
terminated, terminate_failed, instances, failure_reason = change_instance_state(
filters=filters,
desired_module_state=desired_module_state,
)
if terminate_failed:
module.fail_json(
msg=f"Unable to terminate instances: {failure_reason}",
terminate_success=list(terminated),
terminate_failed=terminate_failed,
)
results = dict(
msg="Instances terminated",
terminate_success=list(terminated),
changed=bool(len(terminated)),
terminate_failed=[],
instances=[pretty_instance(i) for i in instances],
)
return results
def change_instance_state(filters, desired_module_state):
# Map ansible state to ec2 state
ec2_instance_states = {
"present": "running",
"started": "running",
"running": "running",
"stopped": "stopped",
"restarted": "running",
"rebooted": "running",
"terminated": "terminated",
"absent": "terminated",
}
desired_ec2_state = ec2_instance_states[desired_module_state]
changed = set()
instances = find_instances(filters=filters)
to_change = set(i["InstanceId"] for i in instances if i["State"]["Name"] != desired_ec2_state)
unchanged = set()
failure_reason = ""
for inst in instances:
try:
if desired_ec2_state == "terminated":
# Before terminating an instance we need for them to leave
# 'pending' or 'stopping' (if they're in those states)
if inst["State"]["Name"] == "stopping":
await_instances([inst["InstanceId"]], desired_module_state="stopped", force_wait=True)
elif inst["State"]["Name"] == "pending":
await_instances([inst["InstanceId"]], desired_module_state="running", force_wait=True)
if module.check_mode:
changed.add(inst["InstanceId"])
continue
# TODO use a client-token to prevent double-sends of these start/stop/terminate commands
# https://docs.aws.amazon.com/AWSEC2/latest/APIReference/Run_Instance_Idempotency.html
resp = client.terminate_instances(aws_retry=True, InstanceIds=[inst["InstanceId"]])
[changed.add(i["InstanceId"]) for i in resp["TerminatingInstances"]]
if desired_ec2_state == "stopped":
# Before stopping an instance we need for them to leave
# 'pending'
if inst["State"]["Name"] == "pending":
await_instances([inst["InstanceId"]], desired_module_state="running", force_wait=True)
# Already moving to the relevant state
elif inst["State"]["Name"] in ("stopping", "stopped"):
unchanged.add(inst["InstanceId"])
continue
if module.check_mode:
changed.add(inst["InstanceId"])
continue
resp = client.stop_instances(aws_retry=True, InstanceIds=[inst["InstanceId"]])
[changed.add(i["InstanceId"]) for i in resp["StoppingInstances"]]
if desired_ec2_state == "running":
if inst["State"]["Name"] in ("pending", "running"):
unchanged.add(inst["InstanceId"])
continue
if inst["State"]["Name"] == "stopping":
await_instances([inst["InstanceId"]], desired_module_state="stopped", force_wait=True)
if module.check_mode:
changed.add(inst["InstanceId"])
continue
resp = client.start_instances(aws_retry=True, InstanceIds=[inst["InstanceId"]])
[changed.add(i["InstanceId"]) for i in resp["StartingInstances"]]
except (botocore.exceptions.ClientError, botocore.exceptions.BotoCoreError) as e:
try:
failure_reason = to_native(e.message)
except AttributeError:
failure_reason = to_native(e)
if changed:
await_instances(ids=list(changed) + list(unchanged), desired_module_state=desired_module_state)
change_failed = list(to_change - changed)
if instances:
instances = find_instances(ids=list(i["InstanceId"] for i in instances))
return changed, change_failed, instances, failure_reason
def pretty_instance(i):
instance = camel_dict_to_snake_dict(i, ignore_list=["Tags"])
instance["tags"] = boto3_tag_list_to_ansible_dict(i.get("Tags", {}))
return instance
def determine_iam_role(name_or_arn):
if validate_aws_arn(name_or_arn, service="iam", resource_type="instance-profile"):
return name_or_arn
iam = module.client("iam", retry_decorator=AWSRetry.jittered_backoff())
try:
role = iam.get_instance_profile(InstanceProfileName=name_or_arn, aws_retry=True)
return role["InstanceProfile"]["Arn"]
except is_boto3_error_code("NoSuchEntity") as e:
module.fail_json_aws(e, msg=f"Could not find iam_instance_profile {name_or_arn}")
except (
botocore.exceptions.ClientError,
botocore.exceptions.BotoCoreError,
) as e: # pylint: disable=duplicate-except
module.fail_json_aws(
e,
msg=f"An error occurred while searching for iam_instance_profile {name_or_arn}. Please try supplying the full ARN.",
)
def handle_existing(existing_matches, state, filters):
tags = module.params.get("tags")
purge_tags = module.params.get("purge_tags")
name = module.params.get("name")
# Name is a tag rather than a direct parameter, we need to inject 'Name'
# into tags, but since tags isn't explicitly passed we'll treat it not being
# set as purge_tags == False
if name:
if tags is None:
purge_tags = False
tags = {}
tags.update({"Name": name})
changed = False
all_changes = list()
for instance in existing_matches:
changed |= ensure_ec2_tags(client, module, instance["InstanceId"], tags=tags, purge_tags=purge_tags)
changed |= change_instance_metadata_options(instance, module.params)
changes = diff_instance_and_params(instance, module.params)
for c in changes:
if not module.check_mode:
try:
client.modify_instance_attribute(aws_retry=True, **c)
except (botocore.exceptions.BotoCoreError, botocore.exceptions.ClientError) as e:
module.fail_json_aws(e, msg=f"Could not apply change {str(c)} to existing instance.")
all_changes.extend(changes)
changed |= bool(changes)
changed |= add_or_update_instance_profile(existing_matches[0], module.params.get("iam_instance_profile"))
changed |= change_network_attachments(existing_matches[0], module.params)
altered = find_instances(ids=[i["InstanceId"] for i in existing_matches])
alter_config_result = dict(
changed=changed,
instances=[pretty_instance(i) for i in altered],
instance_ids=[i["InstanceId"] for i in altered],
changes=changes,
)
state_results = ensure_instance_state(state, filters)
alter_config_result["changed"] |= state_results.pop("changed", False)
result = {**state_results, **alter_config_result}
return result
def enforce_count(existing_matches, desired_module_state):
exact_count = module.params.get("exact_count")
current_count = len(existing_matches)
if current_count == exact_count:
return dict(
changed=False,
instances=[pretty_instance(i) for i in existing_matches],
instance_ids=[i["InstanceId"] for i in existing_matches],
msg=f"{exact_count} instances already running, nothing to do.",
)
if current_count < exact_count:
# launch instances
return ensure_present(
existing_matches=existing_matches,
desired_module_state=desired_module_state,
current_count=current_count,
)
to_terminate = current_count - exact_count
# sort the instances from least recent to most recent based on launch time
existing_matches = sorted(existing_matches, key=lambda inst: inst["LaunchTime"])
# get the instance ids of instances with the count tag on them
all_instance_ids = [x["InstanceId"] for x in existing_matches]
terminate_ids = all_instance_ids[0:to_terminate]
if module.check_mode:
return dict(
changed=True,
terminated_ids=terminate_ids,
instance_ids=all_instance_ids,
msg=f"Would have terminated following instances if not in check mode {terminate_ids}",
)
# terminate instances
try:
client.terminate_instances(aws_retry=True, InstanceIds=terminate_ids)
await_instances(terminate_ids, desired_module_state="terminated", force_wait=True)
except is_boto3_error_code("InvalidInstanceID.NotFound"):
pass
except (
botocore.exceptions.BotoCoreError,
botocore.exceptions.ClientError,
) as e: # pylint: disable=duplicate-except
module.fail_json(e, msg="Unable to terminate instances")
# include data for all matched instances in addition to the list of terminations
# allowing for recovery of metadata from the destructive operation
return dict(
changed=True,
msg="Successfully terminated instances.",
terminated_ids=terminate_ids,
instance_ids=all_instance_ids,
instances=existing_matches,
)
def ensure_present(existing_matches, desired_module_state, current_count=None):
tags = dict(module.params.get("tags") or {})
name = module.params.get("name")
if name:
tags["Name"] = name
try:
instance_spec = build_run_instance_spec(module.params, current_count)
# If check mode is enabled,suspend 'ensure function'.
if module.check_mode:
if existing_matches:
instance_ids = [x["InstanceId"] for x in existing_matches]
return dict(
changed=True,
instance_ids=instance_ids,
instances=existing_matches,
spec=instance_spec,
msg="Would have launched instances if not in check_mode.",
)
else:
return dict(
changed=True,
spec=instance_spec,
msg="Would have launched instances if not in check_mode.",
)
instance_response = run_instances(**instance_spec)
instances = instance_response["Instances"]
instance_ids = [i["InstanceId"] for i in instances]
# Wait for instances to exist in the EC2 API before
# attempting to modify them
await_instances(instance_ids, desired_module_state="present", force_wait=True)
for ins in instances:
# Wait for instances to exist (don't check state)
try:
AWSRetry.jittered_backoff(
catch_extra_error_codes=["InvalidInstanceID.NotFound"],
)(client.describe_instance_status)(
InstanceIds=[ins["InstanceId"]],
IncludeAllInstances=True,
)
except (botocore.exceptions.BotoCoreError, botocore.exceptions.ClientError) as e:
module.fail_json_aws(e, msg="Failed to fetch status of new EC2 instance")
changes = diff_instance_and_params(ins, module.params, skip=["UserData", "EbsOptimized"])
for c in changes:
try:
client.modify_instance_attribute(aws_retry=True, **c)
except botocore.exceptions.ClientError as e:
module.fail_json_aws(e, msg=f"Could not apply change {str(c)} to new instance.")
if existing_matches:
# If we came from enforce_count, create a second list to distinguish
# between existing and new instances when returning the entire cohort
all_instance_ids = [x["InstanceId"] for x in existing_matches] + instance_ids
if not module.params.get("wait"):
if existing_matches:
return dict(
changed=True,
changed_ids=instance_ids,
instance_ids=all_instance_ids,
spec=instance_spec,
)
else:
return dict(
changed=True,
instance_ids=instance_ids,
spec=instance_spec,
)
await_instances(instance_ids, desired_module_state=desired_module_state)
instances = find_instances(ids=instance_ids)
if existing_matches:
all_instances = existing_matches + instances
return dict(
changed=True,
changed_ids=instance_ids,
instance_ids=all_instance_ids,
instances=[pretty_instance(i) for i in all_instances],
spec=instance_spec,
)
else:
return dict(
changed=True,
instance_ids=instance_ids,
instances=[pretty_instance(i) for i in instances],
spec=instance_spec,
)
except (botocore.exceptions.BotoCoreError, botocore.exceptions.ClientError) as e:
module.fail_json_aws(e, msg="Failed to create new EC2 instance")
def run_instances(**instance_spec):
try:
return client.run_instances(aws_retry=True, **instance_spec)
except is_boto3_error_message("Invalid IAM Instance Profile ARN"):
# If the instance profile has just been created, it takes some time to be visible by ec2
# So we wait 10 second and retry the run_instances
time.sleep(10)
return client.run_instances(aws_retry=True, **instance_spec)
def build_filters():
filters = {
# all states except shutting-down and terminated
"instance-state-name": ["pending", "running", "stopping", "stopped"],
}
if isinstance(module.params.get("instance_ids"), string_types):
filters["instance-id"] = [module.params.get("instance_ids")]
elif isinstance(module.params.get("instance_ids"), list) and len(module.params.get("instance_ids")):
filters["instance-id"] = module.params.get("instance_ids")
else:
if not module.params.get("vpc_subnet_id"):
if module.params.get("network"):
# grab AZ from one of the ENIs
ints = module.params.get("network").get("interfaces")
if ints:
filters["network-interface.network-interface-id"] = []
for i in ints:
if isinstance(i, dict):
i = i["id"]
filters["network-interface.network-interface-id"].append(i)
else:
sub = get_default_subnet(get_default_vpc(), availability_zone=module.params.get("availability_zone"))
filters["subnet-id"] = sub["SubnetId"]
else:
filters["subnet-id"] = [module.params.get("vpc_subnet_id")]
if module.params.get("name"):
filters["tag:Name"] = [module.params.get("name")]
elif module.params.get("tags"):
name_tag = module.params.get("tags").get("Name", None)
if name_tag:
filters["tag:Name"] = [name_tag]
if module.params.get("image_id"):
filters["image-id"] = [module.params.get("image_id")]
elif (module.params.get("image") or {}).get("id"):
filters["image-id"] = [module.params.get("image", {}).get("id")]
return filters
def main():
global module
global client
argument_spec = dict(
state=dict(
default="present",
choices=["present", "started", "running", "stopped", "restarted", "rebooted", "terminated", "absent"],
),
wait=dict(default=True, type="bool"),
wait_timeout=dict(default=600, type="int"),
count=dict(type="int"),
exact_count=dict(type="int"),
image=dict(type="dict"),
image_id=dict(type="str"),
instance_type=dict(type="str"),
user_data=dict(type="str"),
aap_callback=dict(
type="dict",
aliases=["tower_callback"],
required_if=[
(
"windows",
False,
(
"tower_address",
"job_template_id",
"host_config_key",
),
False,
),
],
options=dict(
windows=dict(type="bool", default=False),
set_password=dict(type="str", no_log=True),
tower_address=dict(type="str"),
job_template_id=dict(type="str"),
host_config_key=dict(type="str", no_log=True),
),
),
ebs_optimized=dict(type="bool"),
vpc_subnet_id=dict(type="str", aliases=["subnet_id"]),
availability_zone=dict(type="str"),
security_groups=dict(default=[], type="list", elements="str"),
security_group=dict(type="str"),
iam_instance_profile=dict(type="str", aliases=["instance_role"]),
name=dict(type="str"),
tags=dict(type="dict", aliases=["resource_tags"]),
purge_tags=dict(type="bool", default=True),
filters=dict(type="dict", default=None),
launch_template=dict(type="dict"),
license_specifications=dict(
type="list",
elements="dict",
options=dict(
license_configuration_arn=dict(type="str", required=True),
),
),
key_name=dict(type="str"),
cpu_credit_specification=dict(type="str", choices=["standard", "unlimited"]),
cpu_options=dict(
type="dict",
options=dict(
core_count=dict(type="int", required=True),
threads_per_core=dict(type="int", choices=[1, 2], required=True),
),
),
tenancy=dict(type="str", choices=["dedicated", "default"]),
placement_group=dict(type="str"),
placement=dict(
type="dict",
options=dict(
affinity=dict(type="str"),
availability_zone=dict(type="str"),
group_name=dict(type="str"),
host_id=dict(type="str"),
host_resource_group_arn=dict(type="str"),
partition_number=dict(type="int"),
tenancy=dict(type="str", choices=["dedicated", "default", "host"]),
),
),
instance_initiated_shutdown_behavior=dict(type="str", choices=["stop", "terminate"]),
termination_protection=dict(type="bool"),
hibernation_options=dict(type="bool", default=False),
detailed_monitoring=dict(type="bool"),
instance_ids=dict(default=[], type="list", elements="str"),
network=dict(default=None, type="dict"),
volumes=dict(default=None, type="list", elements="dict"),
metadata_options=dict(
type="dict",
options=dict(
http_endpoint=dict(choices=["enabled", "disabled"], default="enabled"),
http_put_response_hop_limit=dict(type="int", default=1),
http_tokens=dict(choices=["optional", "required"], default="optional"),
http_protocol_ipv6=dict(choices=["disabled", "enabled"], default="disabled"),
instance_metadata_tags=dict(choices=["disabled", "enabled"], default="disabled"),
),
),
additional_info=dict(type="str"),
)
# running/present are synonyms
# as are terminated/absent
module = AnsibleAWSModule(
argument_spec=argument_spec,
mutually_exclusive=[
["security_groups", "security_group"],
["availability_zone", "vpc_subnet_id"],
["aap_callback", "user_data"],
["image_id", "image"],
["exact_count", "count"],
["exact_count", "instance_ids"],
["tenancy", "placement"],
["placement_group", "placement"],
],
supports_check_mode=True,
)
result = dict()
if module.params.get("network"):
if module.params.get("network").get("interfaces"):
if module.params.get("security_group"):
module.fail_json(msg="Parameter network.interfaces can't be used with security_group")
if module.params.get("security_groups"):
module.fail_json(msg="Parameter network.interfaces can't be used with security_groups")
if module.params.get("placement_group"):
module.deprecate(
"The placement_group parameter has been deprecated, please use placement.group_name instead.",
date="2025-12-01",
collection_name="amazon.aws",
)
if module.params.get("tenancy"):
module.deprecate(
"The tenancy parameter has been deprecated, please use placement.tenancy instead.",
date="2025-12-01",
collection_name="amazon.aws",
)
state = module.params.get("state")
retry_decorator = AWSRetry.jittered_backoff(
catch_extra_error_codes=[
"IncorrectState",
"InsuffienctInstanceCapacity",
"InvalidInstanceID.NotFound",
]
)
client = module.client("ec2", retry_decorator=retry_decorator)
filters = module.params.get("filters")
if filters is None:
filters = build_filters()
try:
existing_matches = find_instances(filters=filters)
if state in ("terminated", "absent"):
if existing_matches:
result = ensure_instance_state(state, filters)
else:
result = dict(
msg="No matching instances found",
changed=False,
)
elif module.params.get("exact_count"):
result = enforce_count(existing_matches, desired_module_state=state)
elif existing_matches and not module.params.get("count"):
for match in existing_matches:
warn_if_public_ip_assignment_changed(match)
warn_if_cpu_options_changed(match)
result = handle_existing(existing_matches, state, filters=filters)
else:
result = ensure_present(existing_matches=existing_matches, desired_module_state=state)
except Ec2InstanceAWSError as e:
if e.exception:
module.fail_json_aws(e.exception, msg=e.message)
module.fail_json(msg=e.message)
module.exit_json(**result)
if __name__ == "__main__":
main()
|