1
0
Fork 0
mirror of https://github.com/ansible-collections/community.general.git synced 2026-02-04 07:51:50 +00:00
community.general/plugins/modules/openbsd_pkg.py
2025-11-01 13:46:53 +01:00

761 lines
29 KiB
Python

#!/usr/bin/python
# Copyright (c) 2013, Patrik Lundin <patrik@sigterm.se>
#
# GNU General Public License v3.0+ (see LICENSES/GPL-3.0-or-later.txt or https://www.gnu.org/licenses/gpl-3.0.txt)
# SPDX-License-Identifier: GPL-3.0-or-later
from __future__ import annotations
DOCUMENTATION = r"""
module: openbsd_pkg
author:
- Patrik Lundin (@eest)
short_description: Manage packages on OpenBSD
description:
- Manage packages on OpenBSD using the pkg tools.
extends_documentation_fragment:
- community.general.attributes
attributes:
check_mode:
support: full
diff_mode:
support: partial
version_added: 9.1.0
details:
- Only works when check mode is not enabled.
options:
name:
description:
- A name or a list of names of the packages.
required: true
type: list
elements: str
state:
description:
- V(present) ensures the package is installed.
- V(latest) ensures the latest version of the package is installed.
- V(absent) ensures the specified package is not installed.
choices: [absent, latest, present, installed, removed]
default: present
type: str
build:
description:
- Build the package from source instead of downloading and installing a binary. Requires that the port source tree is
already installed. Automatically builds and installs the C(sqlports) package, if it is not already installed.
- Mutually exclusive with O(snapshot).
type: bool
default: false
snapshot:
description:
- Force C(%c) and C(%m) to expand to C(snapshots), even on a release kernel.
- Mutually exclusive with O(build).
type: bool
default: false
version_added: 1.3.0
ports_dir:
description:
- When used in combination with the O(build) option, allows overriding the default ports source directory.
default: /usr/ports
type: path
clean:
description:
- When updating or removing packages, delete the extra configuration file(s) in the old packages which are annotated
with C(@extra) in the packaging-list.
type: bool
default: false
quick:
description:
- Replace or delete packages quickly; do not bother with checksums before removing normal files.
type: bool
default: false
autoremove:
description:
- Calls C(pkg_delete -a) to remove automatically installed packages which are no longer needed.
type: bool
default: false
version_added: 11.3.0
notes:
- When used with a C(loop:) each package is processed individually, it is much more efficient to pass the list directly
to the O(name) option.
"""
EXAMPLES = r"""
- name: Make sure nmap is installed
community.general.openbsd_pkg:
name: nmap
state: present
- name: Make sure nmap is the latest version
community.general.openbsd_pkg:
name: nmap
state: latest
- name: Make sure nmap is not installed
community.general.openbsd_pkg:
name: nmap
state: absent
- name: Make sure nmap is installed, build it from source if it is not
community.general.openbsd_pkg:
name: nmap
state: present
build: true
- name: Specify a pkg flavour with '--'
community.general.openbsd_pkg:
name: vim--no_x11
state: present
- name: Specify the default flavour to avoid ambiguity errors
community.general.openbsd_pkg:
name: vim--
state: present
- name: Specify a package branch (requires at least OpenBSD 6.0)
community.general.openbsd_pkg:
name: python%3.5
state: present
- name: Update all packages on the system
community.general.openbsd_pkg:
name: '*'
state: latest
- name: Purge a package and its configuration files
community.general.openbsd_pkg:
name: mpd
clean: true
state: absent
- name: Quickly remove a package without checking checksums
community.general.openbsd_pkg:
name: qt5
quick: true
state: absent
- name: Install packages, remove unused dependencies
community.general.openbsd_pkg:
name: ["tree", "mtr"]
autoremove: true
- name: Remove all unused dependencies
community.general.openbsd_pkg:
name: '*'
autoremove: true
"""
import os
import platform
import re
import shlex
import sqlite3
from ansible.module_utils.basic import AnsibleModule
from ansible_collections.community.general.plugins.module_utils.version import LooseVersion
# Function used for executing commands.
def execute_command(cmd, module):
# Break command line into arguments.
# This makes run_command() use shell=False which we need to not cause shell
# expansion of special characters like '*'.
cmd_args = shlex.split(cmd)
# We set TERM to 'dumb' to keep pkg_add happy if the machine running
# ansible is using a TERM that the managed machine does not know about,
# e.g.: "No progress meter: failed termcap lookup on xterm-kitty".
return module.run_command(cmd_args, environ_update={"TERM": "dumb"})
def get_all_installed(module):
"""
Get all installed packaged. Used to support diff mode
"""
command = "pkg_info -Iq"
rc, stdout, stderr = execute_command(command, module)
if stderr:
module.fail_json(msg=f"failed in get_all_installed(): {stderr}")
return stdout
# Function used to find out if a package is currently installed.
def get_package_state(names, pkg_spec, module):
info_cmd = "pkg_info -Iq"
for name in names:
command = f"{info_cmd} inst:{name}"
rc, stdout, stderr = execute_command(command, module)
if stderr:
match = re.search(rf"^Can't find inst:{re.escape(name)}$", stderr)
if match:
pkg_spec[name]["installed_state"] = False
else:
module.fail_json(msg=f"failed in get_package_state(): {stderr}")
if stdout:
# If the requested package name is just a stem, like "python", we may
# find multiple packages with that name.
pkg_spec[name]["installed_names"] = stdout.splitlines()
module.debug(f"get_package_state(): installed_names = {pkg_spec[name]['installed_names']}")
pkg_spec[name]["installed_state"] = True
else:
pkg_spec[name]["installed_state"] = False
# Function used to make sure a package is present.
def package_present(names, pkg_spec, module):
build = module.params["build"]
for name in names:
# It is possible package_present() has been called from package_latest().
# In that case we do not want to operate on the whole list of names,
# only the leftovers.
if pkg_spec["package_latest_leftovers"]:
if name not in pkg_spec["package_latest_leftovers"]:
module.debug(f"package_present(): ignoring '{name}' which is not a package_latest() leftover")
continue
else:
module.debug(f"package_present(): handling package_latest() leftovers, installing '{name}'")
if module.check_mode:
install_cmd = "pkg_add -Imn"
else:
if build is True:
port_dir = f"{module.params['ports_dir']}/{get_package_source_path(name, pkg_spec, module)}"
if os.path.isdir(port_dir):
if pkg_spec[name]["flavor"]:
flavors = pkg_spec[name]["flavor"].replace("-", " ")
install_cmd = f'cd {port_dir} && make clean=depends && FLAVOR="{flavors}" make install && make clean=depends'
elif pkg_spec[name]["subpackage"]:
install_cmd = f'cd {port_dir} && make clean=depends && SUBPACKAGE="{pkg_spec[name]["subpackage"]}" make install && make clean=depends'
else:
install_cmd = f"cd {port_dir} && make install && make clean=depends"
else:
module.fail_json(msg=f"the port source directory {port_dir} does not exist")
else:
install_cmd = "pkg_add -Im"
if module.params["snapshot"] is True:
install_cmd += " -Dsnap"
if pkg_spec[name]["installed_state"] is False:
# Attempt to install the package
if build is True and not module.check_mode:
(pkg_spec[name]["rc"], pkg_spec[name]["stdout"], pkg_spec[name]["stderr"]) = module.run_command(
install_cmd, module, use_unsafe_shell=True
)
else:
(pkg_spec[name]["rc"], pkg_spec[name]["stdout"], pkg_spec[name]["stderr"]) = execute_command(
f"{install_cmd} {name}", module
)
# The behaviour of pkg_add is a bit different depending on if a
# specific version is supplied or not.
#
# When a specific version is supplied the return code will be 0 when
# a package is found and 1 when it is not. If a version is not
# supplied the tool will exit 0 in both cases.
#
# It is important to note that "version" relates to the
# packages-specs(7) notion of a version. If using the branch syntax
# (like "python%3.5") even though a branch name may look like a
# version string it is not used an one by pkg_add.
if pkg_spec[name]["version"] or build is True:
# Depend on the return code.
module.debug(f"package_present(): depending on return code for name '{name}'")
if pkg_spec[name]["rc"]:
pkg_spec[name]["changed"] = False
else:
# Depend on stderr instead.
module.debug(f"package_present(): depending on stderr for name '{name}'")
if pkg_spec[name]["stderr"]:
# There is a corner case where having an empty directory in
# installpath prior to the right location will result in a
# "file:/local/package/directory/ is empty" message on stderr
# while still installing the package, so we need to look for
# for a message like "packagename-1.0: ok" just in case.
match = re.search(rf"\W{re.escape(pkg_spec[name]['stem'])}-[^:]+: ok\W", pkg_spec[name]["stdout"])
if match:
# It turns out we were able to install the package.
module.debug(f"package_present(): we were able to install package for name '{name}'")
pkg_spec[name]["changed"] = True
else:
# We really did fail, fake the return code.
module.debug(f"package_present(): we really did fail for name '{name}'")
pkg_spec[name]["rc"] = 1
pkg_spec[name]["changed"] = False
else:
module.debug(f"package_present(): stderr was not set for name '{name}'")
if pkg_spec[name]["rc"] == 0:
pkg_spec[name]["changed"] = True
else:
pkg_spec[name]["rc"] = 0
pkg_spec[name]["stdout"] = ""
pkg_spec[name]["stderr"] = ""
pkg_spec[name]["changed"] = False
# Function used to make sure a package is the latest available version.
def package_latest(names, pkg_spec, module):
if module.params["build"] is True:
module.fail_json(msg=f"the combination of build={module.params['build']} and state=latest is not supported")
upgrade_cmd = "pkg_add -um"
if module.check_mode:
upgrade_cmd += "n"
if module.params["clean"]:
upgrade_cmd += "c"
if module.params["quick"]:
upgrade_cmd += "q"
if module.params["snapshot"]:
upgrade_cmd += " -Dsnap"
for name in names:
if pkg_spec[name]["installed_state"] is True:
# Attempt to upgrade the package.
(pkg_spec[name]["rc"], pkg_spec[name]["stdout"], pkg_spec[name]["stderr"]) = execute_command(
f"{upgrade_cmd} {name}", module
)
# Look for output looking something like "nmap-6.01->6.25: ok" to see if
# something changed (or would have changed). Use \W to delimit the match
# from progress meter output.
pkg_spec[name]["changed"] = False
for installed_name in pkg_spec[name]["installed_names"]:
module.debug(f"package_latest(): checking for pre-upgrade package name: {installed_name}")
match = re.search(rf"\W{re.escape(installed_name)}->.+: ok\W", pkg_spec[name]["stdout"])
if match:
module.debug(f"package_latest(): pre-upgrade package name match: {installed_name}")
pkg_spec[name]["changed"] = True
break
# FIXME: This part is problematic. Based on the issues mentioned (and
# handled) in package_present() it is not safe to blindly trust stderr
# as an indicator that the command failed, and in the case with
# empty installpath directories this will break.
#
# For now keep this safeguard here, but ignore it if we managed to
# parse out a successful update above. This way we will report a
# successful run when we actually modify something but fail
# otherwise.
if pkg_spec[name]["changed"] is not True:
if pkg_spec[name]["stderr"]:
pkg_spec[name]["rc"] = 1
else:
# Note packages that need to be handled by package_present
module.debug(f"package_latest(): package '{name}' is not installed, will be handled by package_present()")
pkg_spec["package_latest_leftovers"].append(name)
# If there were any packages that were not installed we call
# package_present() which will handle those.
if pkg_spec["package_latest_leftovers"]:
module.debug("package_latest(): calling package_present() to handle leftovers")
package_present(names, pkg_spec, module)
# Function used to make sure a package is not installed.
def package_absent(names, pkg_spec, module):
remove_cmd = "pkg_delete -I"
if module.check_mode:
remove_cmd += "n"
if module.params["clean"]:
remove_cmd += "c"
if module.params["quick"]:
remove_cmd += "q"
for name in names:
if pkg_spec[name]["installed_state"] is True:
# Attempt to remove the package.
(pkg_spec[name]["rc"], pkg_spec[name]["stdout"], pkg_spec[name]["stderr"]) = execute_command(
f"{remove_cmd} {name}", module
)
if pkg_spec[name]["rc"] == 0:
pkg_spec[name]["changed"] = True
else:
pkg_spec[name]["changed"] = False
else:
pkg_spec[name]["rc"] = 0
pkg_spec[name]["stdout"] = ""
pkg_spec[name]["stderr"] = ""
pkg_spec[name]["changed"] = False
# Function used to remove unused dependencies.
def package_rm_unused_deps(pkg_spec, module):
rm_unused_deps_cmd = "pkg_delete -Ia"
if module.check_mode:
rm_unused_deps_cmd += "n"
if module.params["clean"]:
rm_unused_deps_cmd += "c"
if module.params["quick"]:
rm_unused_deps_cmd += "q"
# If we run the commands, we set changed to true to let
# the package list change detection code do the actual work.
# Create a minimal pkg_spec entry for '*' to store return values.
pkg_spec["*"] = {}
# Attempt to remove unused dependencies.
pkg_spec["*"]["rc"], pkg_spec["*"]["stdout"], pkg_spec["*"]["stderr"] = execute_command(rm_unused_deps_cmd, module)
pkg_spec["*"]["changed"] = True
# Function used to parse the package name based on packages-specs(7).
# The general name structure is "stem-version[-flavors]".
#
# Names containing "%" are a special variation not part of the
# packages-specs(7) syntax. See pkg_add(1) on OpenBSD 6.0 or later for a
# description.
def parse_package_name(names, pkg_spec, module):
# Initialize empty list of package_latest() leftovers.
pkg_spec["package_latest_leftovers"] = []
for name in names:
module.debug(f"parse_package_name(): parsing name: {name}")
# Do some initial matches so we can base the more advanced regex on that.
version_match = re.search("-[0-9]", name)
versionless_match = re.search("--", name)
# Stop if someone is giving us a name that both has a version and is
# version-less at the same time.
if version_match and versionless_match:
module.fail_json(msg=f"package name both has a version and is version-less: {name}")
# All information for a given name is kept in the pkg_spec keyed by that name.
pkg_spec[name] = {}
# If name includes a version.
if version_match:
match = re.search(
"^(?P<stem>[^%]+)-(?P<version>[0-9][^-]*)(?P<flavor_separator>-)?(?P<flavor>[a-z].*)?(%(?P<branch>.+))?$",
name,
)
if match:
pkg_spec[name]["stem"] = match.group("stem")
pkg_spec[name]["version_separator"] = "-"
pkg_spec[name]["version"] = match.group("version")
pkg_spec[name]["flavor_separator"] = match.group("flavor_separator")
pkg_spec[name]["flavor"] = match.group("flavor")
pkg_spec[name]["branch"] = match.group("branch")
pkg_spec[name]["style"] = "version"
module.debug(
f"version_match: stem: {pkg_spec[name]['stem']}, version: {pkg_spec[name]['version']}, "
f"flavor_separator: {pkg_spec[name]['flavor_separator']}, flavor: {pkg_spec[name]['flavor']}, branch: {pkg_spec[name]['branch']}, "
f"style: {pkg_spec[name]['style']}"
)
else:
module.fail_json(msg=f"unable to parse package name at version_match: {name}")
# If name includes no version but is version-less ("--").
elif versionless_match:
match = re.search("^(?P<stem>[^%]+)--(?P<flavor>[a-z].*)?(%(?P<branch>.+))?$", name)
if match:
pkg_spec[name]["stem"] = match.group("stem")
pkg_spec[name]["version_separator"] = "-"
pkg_spec[name]["version"] = None
pkg_spec[name]["flavor_separator"] = "-"
pkg_spec[name]["flavor"] = match.group("flavor")
pkg_spec[name]["branch"] = match.group("branch")
pkg_spec[name]["style"] = "versionless"
module.debug(
f"versionless_match: stem: {pkg_spec[name]['stem']}, flavor: {pkg_spec[name]['flavor']}, "
f"branch: {pkg_spec[name]['branch']}, style: {pkg_spec[name]['style']}"
)
else:
module.fail_json(msg=f"unable to parse package name at versionless_match: {name}")
# If name includes no version, and is not version-less, it is all a
# stem, possibly with a branch (%branchname) tacked on at the
# end.
else:
match = re.search("^(?P<stem>[^%]+)(%(?P<branch>.+))?$", name)
if match:
pkg_spec[name]["stem"] = match.group("stem")
pkg_spec[name]["version_separator"] = None
pkg_spec[name]["version"] = None
pkg_spec[name]["flavor_separator"] = None
pkg_spec[name]["flavor"] = None
pkg_spec[name]["branch"] = match.group("branch")
pkg_spec[name]["style"] = "stem"
module.debug(
f"stem_match: stem: {pkg_spec[name]['stem']}, branch: {pkg_spec[name]['branch']}, style: {pkg_spec[name]['style']}"
)
else:
module.fail_json(msg=f"unable to parse package name at else: {name}")
# Verify that the managed host is new enough to support branch syntax.
if pkg_spec[name]["branch"]:
branch_release = "6.0"
if LooseVersion(platform.release()) < LooseVersion(branch_release):
module.fail_json(
msg=f"package name using 'branch' syntax requires at least OpenBSD {branch_release}: {name}"
)
# Sanity check that there are no trailing dashes in flavor.
# Try to stop strange stuff early so we can be strict later.
if pkg_spec[name]["flavor"]:
match = re.search("-$", pkg_spec[name]["flavor"])
if match:
module.fail_json(msg=f"trailing dash in flavor: {pkg_spec[name]['flavor']}")
# Function used for figuring out the port path.
def get_package_source_path(name, pkg_spec, module):
pkg_spec[name]["subpackage"] = None
if pkg_spec[name]["stem"] == "sqlports":
return "databases/sqlports"
else:
# try for an exact match first
sqlports_db_file = "/usr/local/share/sqlports"
if not os.path.isfile(sqlports_db_file):
module.fail_json(msg=f"sqlports file '{sqlports_db_file}' is missing")
conn = sqlite3.connect(sqlports_db_file)
first_part_of_query = "SELECT fullpkgpath, fullpkgname FROM ports WHERE fullpkgname"
query = f"{first_part_of_query} = ?"
module.debug(f"package_package_source_path(): exact query: {query}")
cursor = conn.execute(query, (name,))
results = cursor.fetchall()
# next, try for a fuzzier match
if len(results) < 1:
looking_for = (
pkg_spec[name]["stem"]
+ (pkg_spec[name]["version_separator"] or "-")
+ (pkg_spec[name]["version"] or "%")
)
query = f"{first_part_of_query} LIKE ?"
if pkg_spec[name]["flavor"]:
looking_for += pkg_spec[name]["flavor_separator"] + pkg_spec[name]["flavor"]
module.debug(f"package_package_source_path(): fuzzy flavor query: {query}")
cursor = conn.execute(query, (looking_for,))
elif pkg_spec[name]["style"] == "versionless":
query += " AND fullpkgname NOT LIKE ?"
module.debug(f"package_package_source_path(): fuzzy versionless query: {query}")
cursor = conn.execute(
query,
(
looking_for,
f"{looking_for}-%",
),
)
else:
module.debug(f"package_package_source_path(): fuzzy query: {query}")
cursor = conn.execute(query, (looking_for,))
results = cursor.fetchall()
# error if we don't find exactly 1 match
conn.close()
if len(results) < 1:
module.fail_json(msg=f"could not find a port by the name '{name}'")
if len(results) > 1:
matches = map(lambda x: x[1], results)
module.fail_json(msg=f"too many matches, unsure which to build: {' OR '.join(matches)}")
# there's exactly 1 match, so figure out the subpackage, if any, then return
fullpkgpath = results[0][0]
parts = fullpkgpath.split(",")
if len(parts) > 1 and parts[1][0] == "-":
pkg_spec[name]["subpackage"] = parts[1]
return parts[0]
# Function used for upgrading all installed packages.
def upgrade_packages(pkg_spec, module):
if module.check_mode:
upgrade_cmd = "pkg_add -Imnu"
else:
upgrade_cmd = "pkg_add -Imu"
if module.params["snapshot"]:
upgrade_cmd += " -Dsnap"
# Create a minimal pkg_spec entry for '*' to store return values.
pkg_spec["*"] = {}
# Attempt to upgrade all packages.
pkg_spec["*"]["rc"], pkg_spec["*"]["stdout"], pkg_spec["*"]["stderr"] = execute_command(upgrade_cmd, module)
# Try to find any occurrence of a package changing version like:
# "bzip2-1.0.6->1.0.6p0: ok".
match = re.search(r"\W\w.+->.+: ok\W", pkg_spec["*"]["stdout"])
if match:
pkg_spec["*"]["changed"] = True
else:
pkg_spec["*"]["changed"] = False
# It seems we can not trust the return value, so depend on the presence of
# stderr to know if something failed.
if pkg_spec["*"]["stderr"]:
pkg_spec["*"]["rc"] = 1
else:
pkg_spec["*"]["rc"] = 0
# ===========================================
# Main control flow.
def main():
module = AnsibleModule(
argument_spec=dict(
name=dict(type="list", elements="str", required=True),
state=dict(type="str", default="present", choices=["absent", "installed", "latest", "present", "removed"]),
build=dict(type="bool", default=False),
snapshot=dict(type="bool", default=False),
ports_dir=dict(type="path", default="/usr/ports"),
quick=dict(type="bool", default=False),
clean=dict(type="bool", default=False),
autoremove=dict(type="bool", default=False),
),
mutually_exclusive=[["snapshot", "build"]],
supports_check_mode=True,
)
name = module.params["name"]
state = module.params["state"]
build = module.params["build"]
ports_dir = module.params["ports_dir"]
result = {}
result["name"] = name
result["state"] = state
result["build"] = build
result["diff"] = {}
# The data structure used to keep track of package information.
pkg_spec = {}
new_package_list = original_package_list = get_all_installed(module)
if build is True:
if not os.path.isdir(ports_dir):
module.fail_json(msg=f"the ports source directory {ports_dir} does not exist")
# build sqlports if its not installed yet
parse_package_name(["sqlports"], pkg_spec, module)
get_package_state(["sqlports"], pkg_spec, module)
if not pkg_spec["sqlports"]["installed_state"]:
module.debug(f"main(): installing 'sqlports' because build={module.params['build']}")
package_present(["sqlports"], pkg_spec, module)
asterisk_name = False
for n in name:
if n == "*":
if len(name) != 1:
module.fail_json(msg="the package name '*' can not be mixed with other names")
asterisk_name = True
if asterisk_name:
if state != "latest" and not module.params["autoremove"]:
module.fail_json(msg="the package name '*' is only valid when using state=latest or autoremove=true")
if state == "latest":
# Perform an upgrade of all installed packages.
upgrade_packages(pkg_spec, module)
if module.params["autoremove"]:
# Remove unused dependencies.
package_rm_unused_deps(pkg_spec, module)
else:
# Parse package names and put results in the pkg_spec dictionary.
parse_package_name(name, pkg_spec, module)
# Not sure how the branch syntax is supposed to play together
# with build mode. Disable it for now.
for n in name:
if pkg_spec[n]["branch"] and module.params["build"] is True:
module.fail_json(
msg=f"the combination of 'branch' syntax and build={module.params['build']} is not supported: {n}"
)
# Get state for all package names.
get_package_state(name, pkg_spec, module)
# Perform requested action.
if state in ["installed", "present"]:
package_present(name, pkg_spec, module)
elif state in ["absent", "removed"]:
package_absent(name, pkg_spec, module)
elif state == "latest":
package_latest(name, pkg_spec, module)
# Handle autoremove if requested for non-asterisk packages
if module.params["autoremove"]:
package_rm_unused_deps(pkg_spec, module)
# The combined changed status for all requested packages. If anything
# is changed this is set to True.
combined_changed = False
# The combined failed status for all requested packages. If anything
# failed this is set to True.
combined_failed = False
# We combine all error messages in this comma separated string, for example:
# "msg": "Can't find nmapp\n, Can't find nmappp\n"
combined_error_message = ""
# Loop over all requested package names and check if anything failed or
# changed.
for n in name:
if pkg_spec[n]["rc"] != 0:
combined_failed = True
if pkg_spec[n]["stderr"]:
if combined_error_message:
combined_error_message += f", {pkg_spec[n]['stderr']}"
else:
combined_error_message = pkg_spec[n]["stderr"]
else:
if combined_error_message:
combined_error_message += f", {pkg_spec[n]['stdout']}"
else:
combined_error_message = pkg_spec[n]["stdout"]
if pkg_spec[n]["changed"] is True:
combined_changed = True
# If combined_error_message contains anything at least some part of the
# list of requested package names failed.
if combined_failed:
module.fail_json(msg=combined_error_message, **result)
result["changed"] = combined_changed
if not module.check_mode:
new_package_list = get_all_installed(module)
result["diff"] = dict(before=original_package_list, after=new_package_list)
result["changed"] = result["diff"]["before"] != result["diff"]["after"]
module.exit_json(**result)
if __name__ == "__main__":
main()