Skip to content

Commit

Permalink
Merge pull request #5909 from wxtim/fix.sysarg_cleaner
Browse files Browse the repository at this point in the history
Ensure that sys argv cleaner cleans up --workflow-name=foo
  • Loading branch information
markgrahamdawson authored Jan 9, 2024
2 parents b64fcd6 + 88e8219 commit 9948532
Show file tree
Hide file tree
Showing 3 changed files with 130 additions and 55 deletions.
2 changes: 2 additions & 0 deletions changes.d/5909.fix.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,2 @@
Fix a bug where Cylc VIP did not remove --workflow-name=<name> from
Cylc play arguments.
107 changes: 80 additions & 27 deletions cylc/flow/option_parsers.py
Original file line number Diff line number Diff line change
Expand Up @@ -33,7 +33,7 @@

import sys
from textwrap import dedent
from typing import Any, Dict, Optional, List, Tuple, Union
from typing import Any, Dict, Iterable, Optional, List, Tuple, Union

from cylc.flow import LOG
from cylc.flow.terminal import supports_color, DIM
Expand Down Expand Up @@ -820,17 +820,33 @@ def combine_options(*args, modify=None):


def cleanup_sysargv(
script_name,
workflow_id,
options,
compound_script_opts,
script_opts,
source,
):
script_name: str,
workflow_id: str,
options: 'Values',
compound_script_opts: Iterable['OptionSettings'],
script_opts: Iterable['OptionSettings'],
source: str,
) -> None:
"""Remove unwanted options from sys.argv
Some cylc scripts (notably Cylc Play when it is re-invoked on a scheduler
server) require the correct content in sys.argv.
server) require the correct content in sys.argv: This function
subtracts the unwanted options from sys.argv.
Args:
script_name:
Name of the target script. For example if we are
using this for the play step of cylc vip then this
will be "play".
workflow_id:
options:
Actual options provided to the compound script.
compound_script_options:
Options available in compound script.
script_options:
Options available in target script.
source:
Source directory.
"""
# Organize Options by dest.
script_opts_by_dest = {
Expand All @@ -841,30 +857,67 @@ def cleanup_sysargv(
x.kwargs.get('dest', x.args[0].strip(DOUBLEDASH)): x
for x in compound_script_opts
}
# Filter out non-cylc-play options.
args = [i.split('=')[0] for i in sys.argv]
for unwanted_opt in (set(options.__dict__)) - set(script_opts_by_dest):
for arg in compound_opts_by_dest[unwanted_opt].args:
if arg in sys.argv:
index = sys.argv.index(arg)
sys.argv.pop(index)
if (
compound_opts_by_dest[unwanted_opt].kwargs['action']
not in ['store_true', 'store_false']
):
sys.argv.pop(index)
elif arg in args:
index = args.index(arg)
sys.argv.pop(index)

# Get a list of unwanted args:
unwanted_compound: List[str] = []
unwanted_simple: List[str] = []
for unwanted_dest in (set(options.__dict__)) - set(script_opts_by_dest):
for unwanted_arg in compound_opts_by_dest[unwanted_dest].args:
if (
compound_opts_by_dest[unwanted_dest].kwargs.get('action', None)
in ['store_true', 'store_false']
):
unwanted_simple.append(unwanted_arg)
else:
unwanted_compound.append(unwanted_arg)

new_args = filter_sysargv(sys.argv, unwanted_simple, unwanted_compound)

# replace compound script name:
sys.argv[1] = script_name
new_args[1] = script_name

# replace source path with workflow ID.
if str(source) in sys.argv:
sys.argv.remove(str(source))
new_args.remove(str(source))
if workflow_id not in sys.argv:
sys.argv.append(workflow_id)
new_args.append(workflow_id)

sys.argv = new_args


def filter_sysargv(
sysargs, unwanted_simple: List, unwanted_compound: List
) -> List:
"""Create a copy of sys.argv without unwanted arguments:
Cases:
>>> this = filter_sysargv
>>> this(['--foo', 'expects-a-value', '--bar'], [], ['--foo'])
['--bar']
>>> this(['--foo=expects-a-value', '--bar'], [], ['--foo'])
['--bar']
>>> this(['--foo', '--bar'], ['--foo'], [])
['--bar']
"""
pop_next: bool = False
new_args: List = []
for this_arg in sysargs:
parts = this_arg.split('=', 1)
if pop_next:
pop_next = False
continue
elif parts[0] in unwanted_compound:
# Case --foo=value or --foo value
if len(parts) == 1:
# --foo value
pop_next = True
continue
elif parts[0] in unwanted_simple:
# Case --foo does not expect a value:
continue
else:
new_args.append(this_arg)
return new_args


def log_subcommand(*args):
Expand Down
76 changes: 48 additions & 28 deletions tests/unit/test_option_parsers.py
Original file line number Diff line number Diff line change
Expand Up @@ -26,7 +26,7 @@
import cylc.flow.flags
from cylc.flow.option_parsers import (
CylcOptionParser as COP, Options, combine_options, combine_options_pair,
OptionSettings, cleanup_sysargv
OptionSettings, cleanup_sysargv, filter_sysargv
)


Expand Down Expand Up @@ -321,20 +321,6 @@ def test_combine_options(inputs, expect):
@pytest.mark.parametrize(
'argv_before, kwargs, expect',
[
param(
'vip myworkflow --foo something'.split(),
{
'script_name': 'play',
'workflow_id': 'myworkflow',
'compound_script_opts': [
OptionSettings(['--foo', '-f']),
],
'script_opts': [
OptionSettings(['--foo', '-f'])]
},
'play myworkflow --foo something'.split(),
id='no opts to remove'
),
param(
'vip myworkflow -f something -b something_else --baz'.split(),
{
Expand Down Expand Up @@ -397,19 +383,6 @@ def test_combine_options(inputs, expect):
'play --foo something myworkflow'.split(),
id='no path given'
),
param(
'vip --bar=something'.split(),
{
'script_name': 'play',
'workflow_id': 'myworkflow',
'compound_script_opts': [
OptionSettings(['--bar', '-b'])],
'script_opts': [],
'source': './myworkflow',
},
'play myworkflow'.split(),
id='removes --key=value'
),
]
)
def test_cleanup_sysargv(monkeypatch, argv_before, kwargs, expect):
Expand All @@ -432,6 +405,53 @@ def test_cleanup_sysargv(monkeypatch, argv_before, kwargs, expect):
assert sys.argv == dummy_cylc_path + expect


@pytest.mark.parametrize(
'sysargs, simple, compound, expect', (
param(
# Test for https://github.com/cylc/cylc-flow/issues/5905
'--no-run-name --workflow-name=name'.split(),
['--no-run-name'],
['--workflow-name'],
[],
id='--workflow-name=name'
),
param(
'--foo something'.split(),
[], [], '--foo something'.split(),
id='no-opts-removed'
),
param(
[], ['--foo'], ['--bar'], [],
id='Null-check'
),
param(
'''--keep1 --keep2 42 --keep3=Hi
--throw1 --throw2 84 --throw3=There
'''.split(),
['--throw1'],
'--throw2 --throw3'.split(),
'--keep1 --keep2 42 --keep3=Hi'.split(),
id='complex'
),
param(
"--foo 'foo=42' --bar='foo=94'".split(),
[], ['--foo'],
['--bar=\'foo=94\''],
id='--bar=\'foo=94\''
)
)
)
def test_filter_sysargv(
sysargs, simple, compound, expect
):
"""It returns the subset of sys.argv that we ask for.
n.b. The three most basic cases for this function are stored in
its own docstring.
"""
assert filter_sysargv(sysargs, simple, compound) == expect


class TestOptionSettings():
@staticmethod
def test_init():
Expand Down

0 comments on commit 9948532

Please sign in to comment.