晋太元中,武陵人捕鱼为业。缘溪行,忘路之远近。忽逢桃花林,夹岸数百步,中无杂树,芳草鲜美,落英缤纷。渔人甚异之,复前行,欲穷其林。 林尽水源,便得一山,山有小口,仿佛若有光。便舍船,从口入。初极狭,才通人。复行数十步,豁然开朗。土地平旷,屋舍俨然,有良田、美池、桑竹之属。阡陌交通,鸡犬相闻。其中往来种作,男女衣着,悉如外人。黄发垂髫,并怡然自乐。 见渔人,乃大惊,问所从来。具答之。便要还家,设酒杀鸡作食。村中闻有此人,咸来问讯。自云先世避秦时乱,率妻子邑人来此绝境,不复出焉,遂与外人间隔。问今是何世,乃不知有汉,无论魏晋。此人一一为具言所闻,皆叹惋。余人各复延至其家,皆出酒食。停数日,辞去。此中人语云:“不足为外人道也。”(间隔 一作:隔绝) 既出,得其船,便扶向路,处处志之。及郡下,诣太守,说如此。太守即遣人随其往,寻向所志,遂迷,不复得路。 南阳刘子骥,高尚士也,闻之,欣然规往。未果,寻病终。后遂无问津者。
|
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 : /proc/self/root/usr/lib/python3.6/site-packages/sos/cleaner/mappings/ |
Upload File : |
# Copyright 2020 Red Hat, Inc. Jake Hunsaker <jhunsake@redhat.com>
# This file is part of the sos project: https://github.com/sosreport/sos
#
# This copyrighted material is made available to anyone wishing to use,
# modify, copy, or redistribute it subject to the terms and conditions of
# version 2 of the GNU General Public License.
#
# See the LICENSE file in the source distribution for further information.
import re
from sos.cleaner.mappings import SoSMap
class SoSHostnameMap(SoSMap):
"""Mapping store for hostnames and domain names
Hostnames are obfuscated using an incrementing counter based on the total
number of hosts matched regardless of domain name.
Domain names are obfuscated based on the host's hostname, plus any user
defined domains passed in by the `--domains` options.
Domains are obfuscated as whole units, meaning the domains 'example.com'
and 'host.foo.example.com' will be separately obfuscated with no relation
for example as 'obfuscatedomdain1.com' and 'obfuscatedomain2.com'.
Top-level domains are left untouched.
"""
ignore_matches = [
'localhost',
'.*localdomain.*',
'^com..*'
]
skip_keys = [
'www',
'api'
]
strip_exts = ('.yaml', '.yml', '.crt', '.key', '.pem', '.log', '.repo',
'.rules', '.conf', '.cfg')
ignore_short_items = True
match_full_words_only = True
host_count = 0
domain_count = 0
_domains = {}
hosts = {}
def load_domains_from_map(self):
"""Because we use 'intermediary' dicts for host names and domain names
in this parser, we need to re-inject entries from the map_file into
these dicts and not just the underlying 'dataset' dict
"""
for domain, ob_pair in self.dataset.items():
if len(domain.split('.')) == 1:
self.hosts[domain.split('.')[0]] = self.dataset[domain]
else:
if ob_pair.startswith('obfuscateddomain'):
# directly exact domain matches
self._domains[domain] = ob_pair.split('.')[0]
continue
# strip the host name and trailing top-level domain so that
# we in inject the domain properly for later string matching
# note: this is artificially complex due to our stance on
# preserving TLDs. If in the future the project decides to
# obfuscate TLDs as well somehow, then this will all become
# much simpler
_domain_to_inject = '.'.join(domain.split('.')[1:-1])
if not _domain_to_inject:
continue
for existing_domain, value in self.dataset.items():
_existing = '.'.join(existing_domain.split('.')[:-1])
if _existing == _domain_to_inject:
_ob_domain = '.'.join(value.split('.')[:-1])
self._domains[_domain_to_inject] = _ob_domain
self.set_initial_counts()
def get_regex_result(self, item):
"""Override the base get_regex_result() to provide a regex that, if
this is an FQDN or a straight domain, will include an underscore
formatted regex as well.
"""
if '.' in item:
item = item.replace('.', '(\\.|_)')
return super().get_regex_result(item)
def set_initial_counts(self):
"""Set the initial counter for host and domain obfuscation numbers
based on what is already present in the mapping.
"""
# hostnames/short names
try:
h = sorted(self.hosts.values(), reverse=True)[0].split('host')[1]
self.host_count = int(h) + 1
except IndexError:
# no hosts loaded yet
pass
# domain names
try:
d = sorted(self._domains.values(), reverse=True)[0].split('domain')
self.domain_count = int(d[1].split('.')[0]) + 1
except IndexError:
# no domains loaded yet
pass
def domain_name_in_loaded_domains(self, domain):
"""Check if a potential domain is in one of the domains we've loaded
and should be obfuscated
"""
if domain in self._domains:
return True
host = domain.split('.')
no_tld = '.'.join(domain.split('.')[0:-1])
if len(host) == 1:
# don't block on host's shortname
return host[0] in self.hosts
if any(no_tld.endswith(_d) for _d in self._domains):
return True
return False
def get(self, item):
# pylint: disable=too-many-branches
prefix = ''
suffix = ''
final = None
# The regex pattern match may include a leading and/or trailing '_'
# character due to the need to use word boundary matching, so we need
# to strip these from the string during processing, but still keep them
# in the returned string to not mangle the string replacement in the
# context of the file or filename
while item.startswith(('.', '_')):
prefix += item[0]
item = item[1:]
while item.endswith(('.', '_')):
suffix += item[-1]
item = item[0:-1]
if item in self.dataset:
return self.dataset[item]
if not self.domain_name_in_loaded_domains(item.lower()):
# no match => return the original string with optional
# leading/trailing '.' or '_' characters
return ''.join([prefix, item, suffix])
if item.endswith(self.strip_exts):
ext = '.' + item.split('.')[-1]
item = item.replace(ext, '')
suffix += ext
if item not in self.dataset:
# try to account for use of '-' in names that include hostnames
# and don't create new mappings for each of these
for _existing in sorted(self.dataset.keys(), reverse=True,
key=len):
_host_substr = False
_test = item.split(_existing)
_h = _existing.split('.')
# avoid considering a full FQDN match as a new match off of
# the hostname of an existing match
if _h[0] and _h[0] in self.hosts:
_host_substr = True
if len(_test) == 1 or not _test[0]:
# does not match existing obfuscation
continue
if not _host_substr and (_test[0].endswith('.') or
item.endswith(_existing)):
# new hostname in known domain
final = super().get(item)
break
if item.split(_test[0]):
# string that includes existing FQDN obfuscation substring
# so, only obfuscate the FQDN part
try:
itm = item.split(_test[0])[1]
final = _test[0] + super().get(itm)
break
except Exception:
# fallback to still obfuscating the entire item
pass
if not final:
final = super().get(item)
return prefix + final + suffix
def sanitize_item(self, item):
host = item.split('.')
if len(host) == 1:
# we have a shortname for a host
return self.sanitize_short_name(host[0].lower())
if len(host) == 2:
# we have just a domain name, e.g. example.com
dname = self.sanitize_domain(host)
if all(h.isupper() for h in host):
dname = dname.upper()
return dname
if len(host) > 2:
# we have an FQDN, e.g. foo.example.com
hostname = host[0]
domain = host[1:]
# obfuscate the short name
if len(hostname) > 2:
ob_hostname = self.sanitize_short_name(hostname.lower())
else:
# by best practice it appears the host part of the fqdn was cut
# off due to some form of truncating, as such don't obfuscate
# short strings that are likely to throw off obfuscation of
# unrelated bits and paths
ob_hostname = 'unknown'
ob_domain = self.sanitize_domain(domain)
self.dataset[item] = ob_domain
_fqdn = '.'.join([ob_hostname, ob_domain])
if all(h.isupper() for h in host):
_fqdn = _fqdn.upper()
return _fqdn
return None
def sanitize_short_name(self, hostname):
"""Obfuscate the short name of the host with an incremented counter
based on the total number of obfuscated host names
"""
if not hostname or hostname in self.skip_keys:
return hostname
if hostname not in self.dataset:
ob_host = f"host{self.host_count}"
self.hosts[hostname] = ob_host
self.host_count += 1
self.dataset[hostname] = ob_host
self.add_regex_item(hostname)
return self.dataset[hostname]
def sanitize_domain(self, domain):
"""Obfuscate the domainname, broken out into subdomains. Top-level
domains are ignored.
"""
for _skip in self.ignore_matches:
# don't obfuscate vendor domains
if re.match(_skip, '.'.join(domain)):
return '.'.join(domain)
top_domain = domain[-1].lower()
dname = '.'.join(domain[0:-1]).lower()
ob_domain = self._new_obfuscated_domain(dname)
ob_domain = '.'.join([ob_domain, top_domain])
self.dataset['.'.join(domain)] = ob_domain
return ob_domain
def _new_obfuscated_domain(self, dname):
"""Generate an obfuscated domain for each subdomain name given
"""
if dname not in self._domains:
self._domains[dname] = f"obfuscateddomain{self.domain_count}"
self.domain_count += 1
return self._domains[dname]