mirror of
https://github.com/ansible-collections/community.general.git
synced 2026-02-04 16:01:55 +00:00
303 lines
9.2 KiB
Python
303 lines
9.2 KiB
Python
#!/usr/bin/python
|
|
|
|
# Copyright (c) 2020, Lukas Bestle <project-ansible@lukasbestle.com>
|
|
# Copyright (c) 2017, Michael Heap <m@michaelheap.com>
|
|
# 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: mas
|
|
short_description: Manage Mac App Store applications with mas-cli
|
|
description:
|
|
- Installs, uninstalls and updates macOS applications from the Mac App Store using the C(mas-cli).
|
|
version_added: '0.2.0'
|
|
author:
|
|
- Michael Heap (@mheap)
|
|
- Lukas Bestle (@lukasbestle)
|
|
extends_documentation_fragment:
|
|
- community.general.attributes
|
|
attributes:
|
|
check_mode:
|
|
support: full
|
|
diff_mode:
|
|
support: none
|
|
options:
|
|
id:
|
|
description:
|
|
- The Mac App Store identifier of the app(s) you want to manage.
|
|
- This can be found by running C(mas search APP_NAME) on your machine.
|
|
type: list
|
|
elements: int
|
|
state:
|
|
description:
|
|
- Desired state of the app installation.
|
|
- The V(absent) value requires root permissions, also see the examples.
|
|
type: str
|
|
choices:
|
|
- absent
|
|
- latest
|
|
- present
|
|
default: present
|
|
upgrade_all:
|
|
description:
|
|
- Upgrade all installed Mac App Store apps.
|
|
type: bool
|
|
default: false
|
|
aliases: ["upgrade"]
|
|
requirements:
|
|
- macOS 10.11 or higher.
|
|
- "mas-cli (U(https://github.com/mas-cli/mas)) 1.5.0+ available as C(mas) in the bin path"
|
|
- The Apple ID to use already needs to be signed in to the Mac App Store (check with C(mas account)).
|
|
- The feature of "checking if user is signed in" is disabled for anyone using macOS 12.0+.
|
|
- Users need to sign in to the Mac App Store GUI beforehand for anyone using macOS 12.0+ due to U(https://github.com/mas-cli/mas/issues/417).
|
|
"""
|
|
|
|
EXAMPLES = r"""
|
|
- name: Install Keynote
|
|
community.general.mas:
|
|
id: 409183694
|
|
state: present
|
|
|
|
- name: Install Divvy with command mas installed in /usr/local/bin
|
|
community.general.mas:
|
|
id: 413857545
|
|
state: present
|
|
environment:
|
|
PATH: /usr/local/bin:{{ ansible_facts.env.PATH }}
|
|
|
|
- name: Install a list of apps
|
|
community.general.mas:
|
|
id:
|
|
- 409183694 # Keynote
|
|
- 413857545 # Divvy
|
|
state: present
|
|
|
|
- name: Ensure the latest Keynote version is installed
|
|
community.general.mas:
|
|
id: 409183694
|
|
state: latest
|
|
|
|
- name: Upgrade all installed Mac App Store apps
|
|
community.general.mas:
|
|
upgrade_all: true
|
|
|
|
- name: Install specific apps and also upgrade all others
|
|
community.general.mas:
|
|
id:
|
|
- 409183694 # Keynote
|
|
- 413857545 # Divvy
|
|
state: present
|
|
upgrade_all: true
|
|
|
|
- name: Uninstall Divvy
|
|
community.general.mas:
|
|
id: 413857545
|
|
state: absent
|
|
become: true # Uninstallation requires root permissions
|
|
"""
|
|
|
|
RETURN = r""" # """
|
|
|
|
from ansible.module_utils.basic import AnsibleModule
|
|
import os
|
|
|
|
from ansible_collections.community.general.plugins.module_utils.version import LooseVersion
|
|
|
|
import platform
|
|
|
|
NOT_WORKING_MAC_VERSION_MAS_ACCOUNT = "12.0"
|
|
|
|
|
|
class Mas:
|
|
def __init__(self, module):
|
|
self.module = module
|
|
|
|
# Initialize data properties
|
|
self.mas_path = self.module.get_bin_path("mas")
|
|
self._checked_signin = False
|
|
self._mac_version = platform.mac_ver()[0] or "0.0"
|
|
self._installed = None # Populated only if needed
|
|
self._outdated = None # Populated only if needed
|
|
self.count_install = 0
|
|
self.count_upgrade = 0
|
|
self.count_uninstall = 0
|
|
self.result = {"changed": False}
|
|
|
|
self.check_mas_tool()
|
|
|
|
def app_command(self, command, id):
|
|
"""Runs a `mas` command on a given app; command can be 'install', 'upgrade' or 'uninstall'"""
|
|
|
|
if not self.module.check_mode:
|
|
if command != "uninstall":
|
|
self.check_signin()
|
|
|
|
rc, out, err = self.run([command, str(id)])
|
|
if rc != 0:
|
|
self.module.fail_json(msg=f"Error running command '{command}' on app '{id}': {out.rstrip()}")
|
|
|
|
# No error or dry run
|
|
self.__dict__[f"count_{command}"] += 1
|
|
|
|
def check_mas_tool(self):
|
|
"""Verifies that the `mas` tool is available in a recent version"""
|
|
|
|
# Is the `mas` tool available at all?
|
|
if not self.mas_path:
|
|
self.module.fail_json(msg="Required `mas` tool is not installed")
|
|
|
|
# Is the version recent enough?
|
|
rc, out, err = self.run(["version"])
|
|
if rc != 0 or not out.strip() or LooseVersion(out.strip()) < LooseVersion("1.5.0"):
|
|
self.module.fail_json(msg=f"`mas` tool in version 1.5.0+ needed, got {out.strip()}")
|
|
|
|
def check_signin(self):
|
|
"""Verifies that the user is signed in to the Mac App Store"""
|
|
# Only check this once per execution
|
|
if self._checked_signin:
|
|
return
|
|
if LooseVersion(self._mac_version) >= LooseVersion(NOT_WORKING_MAC_VERSION_MAS_ACCOUNT):
|
|
# Checking if user is signed-in is disabled due to https://github.com/mas-cli/mas/issues/417
|
|
self.module.log("WARNING: You must be signed in via the Mac App Store GUI beforehand else error will occur")
|
|
else:
|
|
rc, out, err = self.run(["account"])
|
|
if out.split("\n", 1)[0].rstrip() == "Not signed in":
|
|
self.module.fail_json(msg="You must be signed in to the Mac App Store")
|
|
|
|
self._checked_signin = True
|
|
|
|
def exit(self):
|
|
"""Exit with the data we have collected over time"""
|
|
|
|
msgs = []
|
|
if self.count_install > 0:
|
|
msgs.append(f"Installed {self.count_install} app(s)")
|
|
if self.count_upgrade > 0:
|
|
msgs.append(f"Upgraded {self.count_upgrade} app(s)")
|
|
if self.count_uninstall > 0:
|
|
msgs.append(f"Uninstalled {self.count_uninstall} app(s)")
|
|
|
|
if msgs:
|
|
self.result["changed"] = True
|
|
self.result["msg"] = ", ".join(msgs)
|
|
|
|
self.module.exit_json(**self.result)
|
|
|
|
def get_current_state(self, command):
|
|
"""Returns the list of all app IDs; command can either be 'list' or 'outdated'"""
|
|
|
|
rc, raw_apps, err = self.run([command])
|
|
rows = raw_apps.split("\n")
|
|
if rows[0] == "No installed apps found":
|
|
rows = []
|
|
apps = []
|
|
for r in rows:
|
|
# Format: "123456789 App Name"
|
|
r = r.split(" ", 1)
|
|
if len(r) == 2:
|
|
apps.append(int(r[0]))
|
|
|
|
return apps
|
|
|
|
def installed(self):
|
|
"""Returns the list of installed apps"""
|
|
|
|
# Populate cache if not already done
|
|
if self._installed is None:
|
|
self._installed = self.get_current_state("list")
|
|
|
|
return self._installed
|
|
|
|
def is_installed(self, id):
|
|
"""Checks whether the given app is installed"""
|
|
|
|
return int(id) in self.installed()
|
|
|
|
def is_outdated(self, id):
|
|
"""Checks whether the given app is installed, but outdated"""
|
|
|
|
return int(id) in self.outdated()
|
|
|
|
def outdated(self):
|
|
"""Returns the list of installed, but outdated apps"""
|
|
|
|
# Populate cache if not already done
|
|
if self._outdated is None:
|
|
self._outdated = self.get_current_state("outdated")
|
|
|
|
return self._outdated
|
|
|
|
def run(self, cmd):
|
|
"""Runs a command of the `mas` tool"""
|
|
|
|
cmd.insert(0, self.mas_path)
|
|
return self.module.run_command(cmd, False)
|
|
|
|
def upgrade_all(self):
|
|
"""Upgrades all installed apps and sets the correct result data"""
|
|
|
|
outdated = self.outdated()
|
|
|
|
if not self.module.check_mode:
|
|
self.check_signin()
|
|
|
|
rc, out, err = self.run(["upgrade"])
|
|
if rc != 0:
|
|
self.module.fail_json(msg=f"Could not upgrade all apps: {out.rstrip()}")
|
|
|
|
self.count_upgrade += len(outdated)
|
|
|
|
|
|
def main():
|
|
module = AnsibleModule(
|
|
argument_spec=dict(
|
|
id=dict(type="list", elements="int"),
|
|
state=dict(type="str", default="present", choices=["absent", "latest", "present"]),
|
|
upgrade_all=dict(type="bool", default=False, aliases=["upgrade"]),
|
|
),
|
|
supports_check_mode=True,
|
|
)
|
|
mas = Mas(module)
|
|
|
|
if module.params["id"]:
|
|
apps = module.params["id"]
|
|
else:
|
|
apps = []
|
|
|
|
state = module.params["state"]
|
|
upgrade = module.params["upgrade_all"]
|
|
|
|
# Run operations on the given app IDs
|
|
for app in sorted(set(apps)):
|
|
if state == "present":
|
|
if not mas.is_installed(app):
|
|
mas.app_command("install", app)
|
|
|
|
elif state == "absent":
|
|
if mas.is_installed(app):
|
|
# Ensure we are root
|
|
if os.getuid() != 0:
|
|
module.fail_json(msg="Uninstalling apps requires root permissions ('become: true')")
|
|
|
|
mas.app_command("uninstall", app)
|
|
|
|
elif state == "latest":
|
|
if not mas.is_installed(app):
|
|
mas.app_command("install", app)
|
|
elif mas.is_outdated(app):
|
|
mas.app_command("upgrade", app)
|
|
|
|
# Upgrade all apps if requested
|
|
mas._outdated = None # Clear cache
|
|
if upgrade and mas.outdated():
|
|
mas.upgrade_all()
|
|
|
|
# Exit with the collected data
|
|
mas.exit()
|
|
|
|
|
|
if __name__ == "__main__":
|
|
main()
|