-
Notifications
You must be signed in to change notification settings - Fork 0
/
fsxalarmtodynsmicallyselectsns.py
283 lines (251 loc) · 11.5 KB
/
fsxalarmtodynsmicallyselectsns.py
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
import boto3
import argparse
def list_sns_topics(region):
sns = boto3.client('sns', region_name=region)
topics = []
try:
response = sns.list_topics()
topics = response['Topics']
print("\nAvailable SNS Topics:")
for i, topic in enumerate(topics, 1):
# Extract topic name from ARN
topic_name = topic['TopicArn'].split(':')[-1]
print(f"{i}. {topic_name} - {topic['TopicArn']}")
return topics
except Exception as e:
print(f"Error listing SNS topics: {str(e)}")
return []
def select_sns_topics(topics):
if not topics:
return []
selected_topics = []
while True:
topic_indices = input("\nEnter the numbers of SNS topics for alarms (comma-separated), or press Enter to select all: ").strip()
if not topic_indices:
# If no input, select all topics
return [topic['TopicArn'] for topic in topics]
try:
# Convert input to indices and validate
indices = [int(idx.strip()) - 1 for idx in topic_indices.split(',')]
selected_topics = [topics[i]['TopicArn'] for i in indices if 0 <= i < len(topics)]
if selected_topics:
return selected_topics
else:
print("Invalid selection. Please try again.")
except (ValueError, IndexError):
print("Invalid input. Please enter valid topic numbers.")
def list_fsx_filesystems(region):
print(f"Attempting to list FSx filesystems in region {region}")
fsx = boto3.client('fsx', region_name=region)
try:
response = fsx.describe_file_systems()
print(f"Found {len(response['FileSystems'])} file systems")
return response['FileSystems']
except Exception as e:
print(f"Error listing file systems: {str(e)}")
return []
def list_fsx_volumes(region, file_system_id):
print(f"Attempting to list volumes for file system {file_system_id}")
fsx = boto3.client('fsx', region_name=region)
try:
response = fsx.describe_volumes(Filters=[{'Name': 'file-system-id', 'Values': [file_system_id]}])
print(f"Found {len(response['Volumes'])} volumes")
return response['Volumes']
except Exception as e:
print(f"Error listing volumes: {str(e)}")
return []
def create_volume_alarm(region, volume_id, volume_name, file_system_id, selected_sns_topics):
print(f"Attempting to create alarm for volume {volume_id} ({volume_name})")
session = boto3.Session(region_name=region)
cw = session.client('cloudwatch')
account_id = session.client('sts').get_caller_identity()['Account']
print(f"Account ID: {account_id}")
alarm_name = f"Primary FSx ONTAP Volume: {volume_name} Utilization Reached at 90%"
alarm_description = f"Notify when Storage Capacity Utilization of FSx volume {volume_id} is greater than or equal to 90% for 1 datapoint within 5 minutes"
try:
cw.put_metric_alarm(
AlarmName=alarm_name,
ComparisonOperator='GreaterThanOrEqualToThreshold',
EvaluationPeriods=1,
MetricName='StorageCapacityUtilization',
Namespace='AWS/FSx',
Period=300,
Statistic='Average',
Threshold=90.0,
ActionsEnabled=True,
AlarmActions=selected_sns_topics,
OKActions=selected_sns_topics,
AlarmDescription=alarm_description,
Dimensions=[
{
'Name': 'VolumeId',
'Value': volume_id
},
{
'Name': 'FileSystemId',
'Value': file_system_id
}
],
)
print(f"Successfully created alarm: {alarm_name}")
except Exception as e:
print(f"Error creating alarm: {str(e)}")
def create_filesystem_alarms(region, file_system_id, selected_sns_topics):
print(f"Attempting to create alarms for file system {file_system_id}")
session = boto3.Session(region_name=region)
cw = session.client('cloudwatch')
account_id = session.client('sts').get_caller_identity()['Account']
print(f"Account ID: {account_id}")
alarms = [
{
"name": f"FSx ONTAP CPU Utilization Reached at 90% Threshold for {file_system_id}",
"description": f"Notify when CPU Utilization of FSx file system {file_system_id} is greater than or equal to 90% for 1 datapoint within 5 minutes",
"metric": "CPUUtilization",
"threshold": 90,
"period": 300,
"evaluation_periods": 1,
"comparison_operator": "GreaterThanOrEqualToThreshold"
},
{
"name": f"FSx ONTAP Disk throughput Utilization Reached at 90% Threshold for {file_system_id}",
"description": f"Notify when File Server Disk Throughput Utilization of FSx file system {file_system_id} is greater than 90% for 1 datapoint within 15 minutes",
"metric": "FileServerDiskThroughputUtilization",
"threshold": 90,
"period": 900,
"evaluation_periods": 1,
"comparison_operator": "GreaterThanThreshold"
},
{
"name": f"FSx ONTAP Network throughput Utilization Reached at 90% Threshold for {file_system_id}",
"description": f"Notify when Network Throughput Utilization of FSx file system {file_system_id} is greater than 90% for 1 datapoint within 15 minutes",
"metric": "NetworkThroughputUtilization",
"threshold": 90,
"period": 900,
"evaluation_periods": 1,
"comparison_operator": "GreaterThanThreshold"
}
]
for alarm in alarms:
try:
cw.put_metric_alarm(
AlarmName=alarm["name"],
ComparisonOperator=alarm["comparison_operator"],
EvaluationPeriods=alarm["evaluation_periods"],
MetricName=alarm["metric"],
Namespace='AWS/FSx',
Period=alarm["period"],
Statistic='Average',
Threshold=alarm["threshold"],
ActionsEnabled=True,
AlarmActions=selected_sns_topics,
OKActions=selected_sns_topics,
AlarmDescription=alarm["description"],
Dimensions=[
{
'Name': 'FileSystemId',
'Value': file_system_id
}
],
)
print(f"Successfully created alarm: {alarm['name']}")
except Exception as e:
print(f"Error creating alarm {alarm['name']}: {str(e)}")
def create_filesystem_capacity_alarms(region, file_system_id, selected_sns_topics):
print(f"Attempting to create capacity alarms for file system {file_system_id}")
session = boto3.Session(region_name=region)
cw = session.client('cloudwatch')
account_id = session.client('sts').get_caller_identity()['Account']
print(f"Account ID: {account_id}")
alarms = [
{
"name": f"FSx ONTAP SSD Capacity Reached at 75% Threshold for {file_system_id}",
"description": f"Notify when Storage Capacity Utilization of FSx file system {file_system_id} is greater than or equal to 75% for 1 datapoint within 5 minutes",
"threshold": 75.0
},
{
"name": f"FSx ONTAP SSD Capacity Reached at 80% Threshold for {file_system_id}",
"description": f"Notify when Storage Capacity Utilization of FSx file system {file_system_id} is greater than or equal to 80% for 1 datapoint within 5 minutes",
"threshold": 80.0
},
{
"name": f"FSx ONTAP SSD Capacity Reached at 90% Threshold for {file_system_id}",
"description": f"Notify when Storage Capacity Utilization of FSx file system {file_system_id} is greater than or equal to 90% for 1 datapoint within 5 minutes",
"threshold": 90.0
}
]
for alarm in alarms:
try:
cw.put_metric_alarm(
AlarmName=alarm["name"],
ComparisonOperator='GreaterThanOrEqualToThreshold',
EvaluationPeriods=1,
MetricName='StorageCapacityUtilization',
Namespace='AWS/FSx',
Period=300,
Statistic='Average',
Threshold=alarm["threshold"],
ActionsEnabled=True,
AlarmActions=selected_sns_topics,
OKActions=selected_sns_topics,
AlarmDescription=alarm["description"],
Dimensions=[
{
'Name': 'StorageTier',
'Value': 'SSD'
},
{
'Name': 'FileSystemId',
'Value': file_system_id
},
{
'Name': 'DataType',
'Value': 'All'
}
],
)
print(f"Successfully created alarm: {alarm['name']}")
except Exception as e:
print(f"Error creating alarm {alarm['name']}: {str(e)}")
def main():
parser = argparse.ArgumentParser(description='Create CloudWatch alarms for FSx volumes and file systems.')
parser.add_argument('--region', required=True, help='The AWS region where the FSx file system is located.')
args = parser.parse_args()
print(f"Starting script with region: {args.region}")
# List and select SNS topics
sns_topics = list_sns_topics(args.region)
selected_sns_topics = select_sns_topics(sns_topics)
file_systems = list_fsx_filesystems(args.region)
if not file_systems:
print("No file systems found. Exiting.")
return
print("\nAvailable FSx File Systems:")
for i, fs in enumerate(file_systems, 1):
print(f"{i}. {fs['FileSystemId']} - {fs.get('Tags', [{'Key': 'Name', 'Value': 'N/A'}])[0]['Value']}")
while True:
try:
fs_choice = int(input("\nEnter the number of the file system you want to work with: ")) - 1
selected_fs = file_systems[fs_choice]
break
except (ValueError, IndexError):
print("Invalid input. Please enter a valid number.")
volumes = list_fsx_volumes(args.region, selected_fs['FileSystemId'])
if not volumes:
print("No volumes found for the selected file system.")
else:
print("\nAvailable Volumes:")
for vol in volumes:
print(f"VolumeId: {vol['VolumeId']}, Name: {vol['Name']}")
volume_inputs = input("\nEnter the VolumeIds or Names for which you want to create alarms (comma-separated), or press Enter to skip: ").split(',')
for volume_input in volume_inputs:
volume_input = volume_input.strip()
if volume_input:
volume = next((v for v in volumes if v['VolumeId'] == volume_input or v['Name'] == volume_input), None)
if volume:
create_volume_alarm(args.region, volume['VolumeId'], volume['Name'], selected_fs['FileSystemId'], selected_sns_topics)
else:
print(f"Volume '{volume_input}' not found in the selected file system.")
create_filesystem_alarms(args.region, selected_fs['FileSystemId'], selected_sns_topics)
create_filesystem_capacity_alarms(args.region, selected_fs['FileSystemId'], selected_sns_topics)
print("Script execution completed.")
if __name__ == "__main__":
main()