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
|
# This file is part of cloud-init. See LICENSE file for license information.
"""Handle reconfiguration on hotplug events"""
import abc
import argparse
import os
import sys
import time
from cloudinit import log, reporting, stages
from cloudinit.event import EventScope, EventType
from cloudinit.net import activators, read_sys_net_safe
from cloudinit.net.network_state import parse_net_config_data
from cloudinit.reporting import events
from cloudinit.sources import DataSource # noqa: F401
from cloudinit.sources import DataSourceNotFoundException
from cloudinit.stages import Init
LOG = log.getLogger(__name__)
NAME = "hotplug-hook"
def get_parser(parser=None):
"""Build or extend an arg parser for hotplug-hook utility.
@param parser: Optional existing ArgumentParser instance representing the
subcommand which will be extended to support the args of this utility.
@returns: ArgumentParser with proper argument configuration.
"""
if not parser:
parser = argparse.ArgumentParser(prog=NAME, description=__doc__)
parser.description = __doc__
parser.add_argument(
"-s",
"--subsystem",
required=True,
help="subsystem to act on",
choices=["net"],
)
subparsers = parser.add_subparsers(
title="Hotplug Action", dest="hotplug_action"
)
subparsers.required = True
subparsers.add_parser(
"query", help="query if hotplug is enabled for given subsystem"
)
parser_handle = subparsers.add_parser(
"handle", help="handle the hotplug event"
)
parser_handle.add_argument(
"-d",
"--devpath",
required=True,
metavar="PATH",
help="sysfs path to hotplugged device",
)
parser_handle.add_argument(
"-u",
"--udevaction",
required=True,
help="action to take",
choices=["add", "remove"],
)
return parser
class UeventHandler(abc.ABC):
def __init__(self, id, datasource, devpath, action, success_fn):
self.id = id
self.datasource = datasource # type: DataSource
self.devpath = devpath
self.action = action
self.success_fn = success_fn
@abc.abstractmethod
def apply(self):
raise NotImplementedError()
@property
@abc.abstractmethod
def config(self):
raise NotImplementedError()
@abc.abstractmethod
def device_detected(self) -> bool:
raise NotImplementedError()
def detect_hotplugged_device(self):
detect_presence = None
if self.action == "add":
detect_presence = True
elif self.action == "remove":
detect_presence = False
else:
raise ValueError("Unknown action: %s" % self.action)
if detect_presence != self.device_detected():
raise RuntimeError(
"Failed to detect %s in updated metadata" % self.id
)
def success(self):
return self.success_fn()
def update_metadata(self):
result = self.datasource.update_metadata_if_supported(
[EventType.HOTPLUG]
)
if not result:
raise RuntimeError(
"Datasource %s not updated for event %s"
% (self.datasource, EventType.HOTPLUG)
)
return result
class NetHandler(UeventHandler):
def __init__(self, datasource, devpath, action, success_fn):
# convert devpath to mac address
id = read_sys_net_safe(os.path.basename(devpath), "address")
super().__init__(id, datasource, devpath, action, success_fn)
def apply(self):
self.datasource.distro.apply_network_config(
self.config,
bring_up=False,
)
interface_name = os.path.basename(self.devpath)
activator = activators.select_activator()
if self.action == "add":
if not activator.bring_up_interface(interface_name):
raise RuntimeError(
"Failed to bring up device: {}".format(self.devpath)
)
elif self.action == "remove":
if not activator.bring_down_interface(interface_name):
raise RuntimeError(
"Failed to bring down device: {}".format(self.devpath)
)
@property
def config(self):
return self.datasource.network_config
def device_detected(self) -> bool:
netstate = parse_net_config_data(self.config)
found = [
iface
for iface in netstate.iter_interfaces()
if iface.get("mac_address") == self.id
]
LOG.debug("Ifaces with ID=%s : %s", self.id, found)
return len(found) > 0
SUBSYSTEM_PROPERTES_MAP = {
"net": (NetHandler, EventScope.NETWORK),
}
def is_enabled(hotplug_init, subsystem):
try:
scope = SUBSYSTEM_PROPERTES_MAP[subsystem][1]
except KeyError as e:
raise Exception(
"hotplug-hook: cannot handle events for subsystem: {}".format(
subsystem
)
) from e
return stages.update_event_enabled(
datasource=hotplug_init.datasource,
cfg=hotplug_init.cfg,
event_source_type=EventType.HOTPLUG,
scope=scope,
)
def initialize_datasource(hotplug_init, subsystem):
LOG.debug("Fetching datasource")
datasource = hotplug_init.fetch(existing="trust")
if not datasource.get_supported_events([EventType.HOTPLUG]):
LOG.debug("hotplug not supported for event of type %s", subsystem)
return
if not is_enabled(hotplug_init, subsystem):
LOG.debug("hotplug not enabled for event of type %s", subsystem)
return
return datasource
def handle_hotplug(hotplug_init: Init, devpath, subsystem, udevaction):
datasource = initialize_datasource(hotplug_init, subsystem)
if not datasource:
return
handler_cls = SUBSYSTEM_PROPERTES_MAP[subsystem][0]
LOG.debug("Creating %s event handler", subsystem)
event_handler = handler_cls(
datasource=datasource,
devpath=devpath,
action=udevaction,
success_fn=hotplug_init._write_to_cache,
) # type: UeventHandler
wait_times = [1, 3, 5, 10, 30]
for attempt, wait in enumerate(wait_times):
LOG.debug(
"subsystem=%s update attempt %s/%s",
subsystem,
attempt,
len(wait_times),
)
try:
LOG.debug("Refreshing metadata")
event_handler.update_metadata()
LOG.debug("Detecting device in updated metadata")
event_handler.detect_hotplugged_device()
LOG.debug("Applying config change")
event_handler.apply()
LOG.debug("Updating cache")
event_handler.success()
break
except Exception as e:
LOG.debug("Exception while processing hotplug event. %s", e)
time.sleep(wait)
last_exception = e
else:
raise last_exception # type: ignore
def handle_args(name, args):
# Note that if an exception happens between now and when logging is
# setup, we'll only see it in the journal
hotplug_reporter = events.ReportEventStack(
name, __doc__, reporting_enabled=True
)
hotplug_init = Init(ds_deps=[], reporter=hotplug_reporter)
hotplug_init.read_cfg()
log.setupLogging(hotplug_init.cfg)
if "reporting" in hotplug_init.cfg:
reporting.update_configuration(hotplug_init.cfg.get("reporting"))
# Logging isn't going to be setup until now
LOG.debug(
"%s called with the following arguments: {"
"hotplug_action: %s, subsystem: %s, udevaction: %s, devpath: %s}",
name,
args.hotplug_action,
args.subsystem,
args.udevaction if "udevaction" in args else None,
args.devpath if "devpath" in args else None,
)
with hotplug_reporter:
try:
if args.hotplug_action == "query":
try:
datasource = initialize_datasource(
hotplug_init, args.subsystem
)
except DataSourceNotFoundException:
print(
"Unable to determine hotplug state. No datasource "
"detected"
)
sys.exit(1)
print("enabled" if datasource else "disabled")
else:
handle_hotplug(
hotplug_init=hotplug_init,
devpath=args.devpath,
subsystem=args.subsystem,
udevaction=args.udevaction,
)
except Exception:
LOG.exception("Received fatal exception handling hotplug!")
raise
LOG.debug("Exiting hotplug handler")
reporting.flush_events()
if __name__ == "__main__":
args = get_parser().parse_args()
handle_args(NAME, args)
|