晋太元中,武陵人捕鱼为业。缘溪行,忘路之远近。忽逢桃花林,夹岸数百步,中无杂树,芳草鲜美,落英缤纷。渔人甚异之,复前行,欲穷其林。 林尽水源,便得一山,山有小口,仿佛若有光。便舍船,从口入。初极狭,才通人。复行数十步,豁然开朗。土地平旷,屋舍俨然,有良田、美池、桑竹之属。阡陌交通,鸡犬相闻。其中往来种作,男女衣着,悉如外人。黄发垂髫,并怡然自乐。 见渔人,乃大惊,问所从来。具答之。便要还家,设酒杀鸡作食。村中闻有此人,咸来问讯。自云先世避秦时乱,率妻子邑人来此绝境,不复出焉,遂与外人间隔。问今是何世,乃不知有汉,无论魏晋。此人一一为具言所闻,皆叹惋。余人各复延至其家,皆出酒食。停数日,辞去。此中人语云:“不足为外人道也。”(间隔 一作:隔绝) 既出,得其船,便扶向路,处处志之。及郡下,诣太守,说如此。太守即遣人随其往,寻向所志,遂迷,不复得路。 南阳刘子骥,高尚士也,闻之,欣然规往。未果,寻病终。后遂无问津者。
|
Server : Apache System : Linux srv.rainic.com 4.18.0-553.47.1.el8_10.x86_64 #1 SMP Wed Apr 2 05:45:37 EDT 2025 x86_64 User : rainic ( 1014) PHP Version : 7.4.33 Disable Function : exec,passthru,shell_exec,system Directory : /usr/lib/python3.6/site-packages/cloudinit/cmd/devel/ |
Upload File : |
#!/usr/bin/env python3
# This file is part of cloud-init. See LICENSE file for license information.
"""Handle reconfiguration on hotplug events."""
import abc
import argparse
import logging
import os
import sys
import time
from cloudinit import log, reporting, stages
from cloudinit.event import EventScope, EventType
from cloudinit.net import read_sys_net_safe
from cloudinit.net.network_state import parse_net_config_data
from cloudinit.reporting import events
from cloudinit.sources import DataSource, DataSourceNotFoundException
from cloudinit.stages import Init
LOG = logging.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="Specify 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 = 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 = self.datasource.distro.network_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 RuntimeError(
"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: Init, subsystem: str):
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: UeventHandler = handler_cls(
datasource=datasource,
devpath=devpath,
action=udevaction,
success_fn=hotplug_init._write_to_cache,
)
wait_times = [1, 3, 5, 10, 30]
last_exception = Exception("Bug while processing hotplug event.")
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()
if not datasource.skip_hotplug_detect:
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
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.setup_logging(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)