mirror of
https://github.com/YunoHost/yunohost.git
synced 2024-09-03 20:06:10 +02:00
[enh] can run the action of an app
This commit is contained in:
parent
eef1b6d658
commit
f35e3ef055
3 changed files with 212 additions and 2 deletions
|
@ -785,6 +785,20 @@ app:
|
||||||
app_id:
|
app_id:
|
||||||
help: app id
|
help: app id
|
||||||
|
|
||||||
|
### app_action_run()
|
||||||
|
run:
|
||||||
|
action_help: Run app action
|
||||||
|
api: PUT /<app>/actions/<action>
|
||||||
|
arguments:
|
||||||
|
app_id:
|
||||||
|
help: app id
|
||||||
|
action:
|
||||||
|
help: action id
|
||||||
|
-a:
|
||||||
|
full: --args
|
||||||
|
help: Serialized arguments for app script (i.e. "domain=domain.tld&path=/path")
|
||||||
|
|
||||||
|
|
||||||
config:
|
config:
|
||||||
subcategory_help: Applications configuration panel
|
subcategory_help: Applications configuration panel
|
||||||
actions:
|
actions:
|
||||||
|
|
|
@ -1392,6 +1392,51 @@ def app_action_list(app_id):
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
|
def app_action_run(app_id, action, args=None):
|
||||||
|
from yunohost.hook import hook_exec
|
||||||
|
import tempfile
|
||||||
|
|
||||||
|
# will raise if action doesn't exist
|
||||||
|
actions = app_action_list(app_id)["actions"]
|
||||||
|
|
||||||
|
if action not in actions:
|
||||||
|
raise MoulinetteError(errno.EINVAL, "action '%s' not available for app '%s', available actions are: %s" % (action, app_id, ", ".join(actions.keys())))
|
||||||
|
|
||||||
|
action_declaration = actions[action]
|
||||||
|
|
||||||
|
# Retrieve arguments list for install script
|
||||||
|
args_dict = {} if not args else \
|
||||||
|
dict(urlparse.parse_qsl(args, keep_blank_values=True))
|
||||||
|
args_odict = _parse_args_for_action(actions[action], args=args_dict)
|
||||||
|
args_list = args_odict.values()
|
||||||
|
|
||||||
|
env_dict = _make_environment_dict(args_odict, prefix="ACTION_")
|
||||||
|
env_dict["YNH_APP_ID"] = app_id
|
||||||
|
env_dict["YNH_ACTION"] = action
|
||||||
|
|
||||||
|
_, path = tempfile.mkstemp()
|
||||||
|
|
||||||
|
with open(path, "w") as script:
|
||||||
|
script.write(action_declaration["command"])
|
||||||
|
|
||||||
|
os.chmod(path, 700)
|
||||||
|
|
||||||
|
retcode = hook_exec(
|
||||||
|
path,
|
||||||
|
args=args_list,
|
||||||
|
env=env_dict,
|
||||||
|
chdir=action_declaration.get("cwd"),
|
||||||
|
user=action_declaration.get("user", "root"),
|
||||||
|
)
|
||||||
|
|
||||||
|
if retcode not in action_declaration.get("accepted_return_codes", [0]):
|
||||||
|
raise MoulinetteError(retcode, "Error while executing action '%s' of app '%s': return code %s" % (action, app_id, retcode))
|
||||||
|
|
||||||
|
os.remove(path)
|
||||||
|
|
||||||
|
return logger.success("Action successed!")
|
||||||
|
|
||||||
|
|
||||||
# Config panel todo list:
|
# Config panel todo list:
|
||||||
# * docstrings
|
# * docstrings
|
||||||
# * merge translations on the json once the workflow is in place
|
# * merge translations on the json once the workflow is in place
|
||||||
|
@ -2105,7 +2150,157 @@ def _parse_args_from_manifest(manifest, action, args={}, auth=None):
|
||||||
return args_dict
|
return args_dict
|
||||||
|
|
||||||
|
|
||||||
def _make_environment_dict(args_dict):
|
def _parse_args_for_action(action, args={}, auth=None):
|
||||||
|
"""Parse arguments needed for an action from the actions list
|
||||||
|
|
||||||
|
Retrieve specified arguments for the action from the manifest, and parse
|
||||||
|
given args according to that. If some required arguments are not provided,
|
||||||
|
its values will be asked if interaction is possible.
|
||||||
|
Parsed arguments will be returned as an OrderedDict
|
||||||
|
|
||||||
|
Keyword arguments:
|
||||||
|
action -- The action
|
||||||
|
args -- A dictionnary of arguments to parse
|
||||||
|
|
||||||
|
"""
|
||||||
|
from yunohost.domain import (domain_list, _get_maindomain,
|
||||||
|
domain_url_available, _normalize_domain_path)
|
||||||
|
from yunohost.user import user_info
|
||||||
|
|
||||||
|
args_dict = OrderedDict()
|
||||||
|
|
||||||
|
if 'arguments' not in action:
|
||||||
|
logger.debug("no arguments found for '%s' in manifest", action)
|
||||||
|
return args_dict
|
||||||
|
|
||||||
|
action_args = action['arguments']
|
||||||
|
|
||||||
|
for arg in action_args:
|
||||||
|
arg_name = arg['name']
|
||||||
|
arg_type = arg.get('type', 'string')
|
||||||
|
arg_default = arg.get('default', None)
|
||||||
|
arg_choices = arg.get('choices', [])
|
||||||
|
arg_value = None
|
||||||
|
|
||||||
|
# Transpose default value for boolean type and set it to
|
||||||
|
# false if not defined.
|
||||||
|
if arg_type == 'boolean':
|
||||||
|
arg_default = 1 if arg_default else 0
|
||||||
|
|
||||||
|
# Attempt to retrieve argument value
|
||||||
|
if arg_name in args:
|
||||||
|
arg_value = args[arg_name]
|
||||||
|
else:
|
||||||
|
if 'ask' in arg:
|
||||||
|
# Retrieve proper ask string
|
||||||
|
ask_string = _value_for_locale(arg['ask'])
|
||||||
|
|
||||||
|
# Append extra strings
|
||||||
|
if arg_type == 'boolean':
|
||||||
|
ask_string += ' [0 | 1]'
|
||||||
|
elif arg_choices:
|
||||||
|
ask_string += ' [{0}]'.format(' | '.join(arg_choices))
|
||||||
|
if arg_default is not None:
|
||||||
|
ask_string += ' (default: {0})'.format(arg_default)
|
||||||
|
|
||||||
|
# Check for a password argument
|
||||||
|
is_password = True if arg_type == 'password' else False
|
||||||
|
|
||||||
|
if arg_type == 'domain':
|
||||||
|
arg_default = _get_maindomain()
|
||||||
|
ask_string += ' (default: {0})'.format(arg_default)
|
||||||
|
msignals.display(m18n.n('domains_available'))
|
||||||
|
for domain in domain_list(auth)['domains']:
|
||||||
|
msignals.display("- {}".format(domain))
|
||||||
|
|
||||||
|
try:
|
||||||
|
input_string = msignals.prompt(ask_string, is_password)
|
||||||
|
except NotImplementedError:
|
||||||
|
input_string = None
|
||||||
|
if (input_string == '' or input_string is None) \
|
||||||
|
and arg_default is not None:
|
||||||
|
arg_value = arg_default
|
||||||
|
else:
|
||||||
|
arg_value = input_string
|
||||||
|
elif arg_default is not None:
|
||||||
|
arg_value = arg_default
|
||||||
|
|
||||||
|
# Validate argument value
|
||||||
|
if (arg_value is None or arg_value == '') \
|
||||||
|
and not arg.get('optional', False):
|
||||||
|
raise MoulinetteError(errno.EINVAL,
|
||||||
|
m18n.n('app_argument_required', name=arg_name))
|
||||||
|
elif arg_value is None:
|
||||||
|
args_dict[arg_name] = ''
|
||||||
|
continue
|
||||||
|
|
||||||
|
# Validate argument choice
|
||||||
|
if arg_choices and arg_value not in arg_choices:
|
||||||
|
raise MoulinetteError(errno.EINVAL,
|
||||||
|
m18n.n('app_argument_choice_invalid',
|
||||||
|
name=arg_name, choices=', '.join(arg_choices)))
|
||||||
|
|
||||||
|
# Validate argument type
|
||||||
|
if arg_type == 'domain':
|
||||||
|
if arg_value not in domain_list(auth)['domains']:
|
||||||
|
raise MoulinetteError(errno.EINVAL,
|
||||||
|
m18n.n('app_argument_invalid',
|
||||||
|
name=arg_name, error=m18n.n('domain_unknown')))
|
||||||
|
elif arg_type == 'user':
|
||||||
|
try:
|
||||||
|
user_info(auth, arg_value)
|
||||||
|
except MoulinetteError as e:
|
||||||
|
raise MoulinetteError(errno.EINVAL,
|
||||||
|
m18n.n('app_argument_invalid',
|
||||||
|
name=arg_name, error=e.strerror))
|
||||||
|
elif arg_type == 'app':
|
||||||
|
if not _is_installed(arg_value):
|
||||||
|
raise MoulinetteError(errno.EINVAL,
|
||||||
|
m18n.n('app_argument_invalid',
|
||||||
|
name=arg_name, error=m18n.n('app_unknown')))
|
||||||
|
elif arg_type == 'boolean':
|
||||||
|
if isinstance(arg_value, bool):
|
||||||
|
arg_value = 1 if arg_value else 0
|
||||||
|
else:
|
||||||
|
try:
|
||||||
|
arg_value = int(arg_value)
|
||||||
|
if arg_value not in [0, 1]:
|
||||||
|
raise ValueError()
|
||||||
|
except (TypeError, ValueError):
|
||||||
|
raise MoulinetteError(errno.EINVAL,
|
||||||
|
m18n.n('app_argument_choice_invalid',
|
||||||
|
name=arg_name, choices='0, 1'))
|
||||||
|
args_dict[arg_name] = arg_value
|
||||||
|
|
||||||
|
# END loop over action_args...
|
||||||
|
|
||||||
|
# If there's only one "domain" and "path", validate that domain/path
|
||||||
|
# is an available url and normalize the path.
|
||||||
|
|
||||||
|
domain_args = [arg["name"] for arg in action_args
|
||||||
|
if arg.get("type", "string") == "domain"]
|
||||||
|
path_args = [arg["name"] for arg in action_args
|
||||||
|
if arg.get("type", "string") == "path"]
|
||||||
|
|
||||||
|
if len(domain_args) == 1 and len(path_args) == 1:
|
||||||
|
|
||||||
|
domain = args_dict[domain_args[0]]
|
||||||
|
path = args_dict[path_args[0]]
|
||||||
|
domain, path = _normalize_domain_path(domain, path)
|
||||||
|
|
||||||
|
# Check the url is available
|
||||||
|
if not domain_url_available(auth, domain, path):
|
||||||
|
raise MoulinetteError(errno.EINVAL,
|
||||||
|
m18n.n('app_location_unavailable'))
|
||||||
|
|
||||||
|
# (We save this normalized path so that the install script have a
|
||||||
|
# standard path format to deal with no matter what the user inputted)
|
||||||
|
args_dict[path_args[0]] = path
|
||||||
|
|
||||||
|
return args_dict
|
||||||
|
|
||||||
|
|
||||||
|
def _make_environment_dict(args_dict, prefix="APP_ARG_"):
|
||||||
"""
|
"""
|
||||||
Convert a dictionnary containing manifest arguments
|
Convert a dictionnary containing manifest arguments
|
||||||
to a dictionnary of env. var. to be passed to scripts
|
to a dictionnary of env. var. to be passed to scripts
|
||||||
|
@ -2116,7 +2311,7 @@ def _make_environment_dict(args_dict):
|
||||||
"""
|
"""
|
||||||
env_dict = {}
|
env_dict = {}
|
||||||
for arg_name, arg_value in args_dict.items():
|
for arg_name, arg_value in args_dict.items():
|
||||||
env_dict["YNH_APP_ARG_%s" % arg_name.upper()] = arg_value
|
env_dict["YNH_%s%s" % (prefix, arg_name.upper())] = arg_value
|
||||||
return env_dict
|
return env_dict
|
||||||
|
|
||||||
|
|
||||||
|
|
|
@ -365,6 +365,7 @@ def hook_exec(path, args=None, raise_on_error=False, no_trace=False,
|
||||||
stdout_callback if stdout_callback else lambda l: logger.debug(l.rstrip()),
|
stdout_callback if stdout_callback else lambda l: logger.debug(l.rstrip()),
|
||||||
stderr_callback if stderr_callback else lambda l: logger.warning(l.rstrip()),
|
stderr_callback if stderr_callback else lambda l: logger.warning(l.rstrip()),
|
||||||
)
|
)
|
||||||
|
logger.debug("About to run the command '%s'" % command)
|
||||||
returncode = call_async_output(
|
returncode = call_async_output(
|
||||||
command, callbacks, shell=False, cwd=chdir
|
command, callbacks, shell=False, cwd=chdir
|
||||||
)
|
)
|
||||||
|
|
Loading…
Add table
Reference in a new issue