source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(edges, iterations=1000, force_strength=5.0, dampening=0.01,
max_velocity=2.0, max_distance=50, is_3d=True):
nodes = set(e['source'] for e in edges) | set(e['target'] for e in edges)
d = 3 if is_3d else 2
nodes = {n: {'velocity': [0.0] * d, 'force': [0.0] * d} for n in nodes}
for _ in repeat(None, iterations):
for node1, node2 in combinations(nodes.values(), 2):
_coulomb(node1, node2, force_strength, max_distance)
for edge in edges:
_hooke(nodes[edge['source']], nodes[edge['target']],
force_strength * edge.get('size', 1), max_distance)
for node in nodes.values():
force = [_constrain(dampening * f, -max_velocity, max_velocity) for
f in node['force']]
node['velocity'] = [(v + dv) for v, dv in zip(node['velocity'],
force)]
node['force'] = [0] * d
for node in nodes.values():
del node['force']
node['location'] = node['velocity']
del node['velocity']
if not is_3d:
node['location'] += [0.0]
return nodes
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(edges, iterations=1000, force_strength=5.0, dampening=0.01,\n max_velocity=2.0, max_distance=50, is_3d=True):\n nodes = set(e['source'] for e in edges) | set(e['target'] for e in edges)\n d = 3 if is_3d else 2\n nodes = {n: {'velocity': [0.0] * d, 'force': [0.0] * d} for n in nodes}\n for _ in repeat(None, iterations):\n for node1, node2 in combinations(nodes.values(), 2):\n _coulomb(node1, node2, force_strength, max_distance)\n for edge in edges:\n _hooke(nodes[edge['source']], nodes[edge['target']], \n force_strength * edge.get('size', 1), max_distance)\n for node in nodes.values():\n force = [_constrain(dampening * f, -max_velocity, max_velocity) for\n f in node['force']]\n node['velocity'] = [(v + dv) for v, dv in zip(node['velocity'],\n force)]\n node['force'] = [0] * d\n for node in nodes.values():\n del node['force']\n node['location'] = node['velocity']\n del node['velocity']\n if not is_3d:\n node['location'] += [0.0]\n return nodes\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(n1, n2, k, r):
delta = [(x2 - x1) for x1, x2 in zip(n1['velocity'], n2['velocity'])]
distance = sqrt(sum(d ** 2 for d in delta))
if distance < 0.1:
delta = [uniform(0.1, 0.2) for _ in repeat(None, 3)]
distance = sqrt(sum(d ** 2 for d in delta))
if distance < r:
force = (k / distance) ** 2
n1['force'] = [(f - force * d) for f, d in zip(n1['force'], delta)]
n2['force'] = [(f + force * d) for f, d in zip(n2['force'], delta)]
| coulomb | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n1, n2, k, r):\n delta = [(x2 - x1) for x1, x2 in zip(n1['velocity'], n2['velocity'])]\n distance = sqrt(sum(d ** 2 for d in delta))\n if distance < 0.1:\n delta = [uniform(0.1, 0.2) for _ in repeat(None, 3)]\n distance = sqrt(sum(d ** 2 for d in delta))\n if distance < r:\n force = (k / distance) ** 2\n n1['force'] = [(f - force * d) for f, d in zip(n1['force'], delta)]\n n2['force'] = [(f + force * d) for f, d in zip(n2['force'], delta)]\n",
"role": "user"
},
{
"content": "coulomb",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
context.clear()
logger.info(f'Context wiped. New context size: {len(context)}')
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n context.clear()\n logger.info(f'Context wiped. New context size: {len(context)}')\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context_arg):
assert context_arg, "pipeline must be invoked with context arg set. For this json parser you're looking for something like: pypyr pipelinename './myjsonfile.json'"
logger.debug('starting')
logger.debug(f'attempting to open file: {context_arg}')
with open(context_arg) as json_file:
payload = json.load(json_file)
logger.debug(f'json file loaded into context. Count: {len(payload)}')
logger.debug('done')
return payload
| get_parsed_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context_arg):\n assert context_arg, \"pipeline must be invoked with context arg set. For this json parser you're looking for something like: pypyr pipelinename './myjsonfile.json'\"\n logger.debug('starting')\n logger.debug(f'attempting to open file: {context_arg}')\n with open(context_arg) as json_file:\n payload = json.load(json_file)\n logger.debug(f'json file loaded into context. Count: {len(payload)}')\n logger.debug('done')\n return payload\n",
"role": "user"
},
{
"content": "get_parsed_context",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
context.assert_key_has_value(key='pathCheck', caller=__name__)
paths_to_check = context['pathCheck']
if not paths_to_check:
raise KeyInContextHasNoValueError(
f"context['pathCheck'] must have a value for {__name__}.")
if isinstance(paths_to_check, list):
check_me = paths_to_check
else:
check_me = [paths_to_check]
out = {}
total_found = 0
for path in check_me:
logger.debug(f'checking path: {path}')
formatted_path = context.get_formatted_string(path)
found_paths = pypyr.utils.filesystem.get_glob(formatted_path)
no_of_paths = len(found_paths)
out[path] = {'exists': no_of_paths > 0, 'count': no_of_paths,
'found': found_paths}
total_found = total_found + no_of_paths
context['pathCheckOut'] = out
logger.info(f'checked {len(out)} path(s) and found {total_found}')
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n context.assert_key_has_value(key='pathCheck', caller=__name__)\n paths_to_check = context['pathCheck']\n if not paths_to_check:\n raise KeyInContextHasNoValueError(\n f\"context['pathCheck'] must have a value for {__name__}.\")\n if isinstance(paths_to_check, list):\n check_me = paths_to_check\n else:\n check_me = [paths_to_check]\n out = {}\n total_found = 0\n for path in check_me:\n logger.debug(f'checking path: {path}')\n formatted_path = context.get_formatted_string(path)\n found_paths = pypyr.utils.filesystem.get_glob(formatted_path)\n no_of_paths = len(found_paths)\n out[path] = {'exists': no_of_paths > 0, 'count': no_of_paths,\n 'found': found_paths}\n total_found = total_found + no_of_paths\n context['pathCheckOut'] = out\n logger.info(f'checked {len(out)} path(s) and found {total_found}')\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
context.assert_child_key_has_value('fileWriteJson', 'path', __name__)
out_path = context.get_formatted_string(context['fileWriteJson']['path'])
is_payload_specified = 'payload' in context['fileWriteJson']
logger.debug(f'opening destination file for writing: {out_path}')
os.makedirs(os.path.abspath(os.path.dirname(out_path)), exist_ok=True)
with open(out_path, 'w') as outfile:
if is_payload_specified:
payload = context['fileWriteJson']['payload']
formatted_iterable = context.get_formatted_iterable(payload)
else:
formatted_iterable = context.get_formatted_iterable(context)
json.dump(formatted_iterable, outfile, indent=2, ensure_ascii=False)
logger.info(f'formatted context content and wrote to {out_path}')
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n context.assert_child_key_has_value('fileWriteJson', 'path', __name__)\n out_path = context.get_formatted_string(context['fileWriteJson']['path'])\n is_payload_specified = 'payload' in context['fileWriteJson']\n logger.debug(f'opening destination file for writing: {out_path}')\n os.makedirs(os.path.abspath(os.path.dirname(out_path)), exist_ok=True)\n with open(out_path, 'w') as outfile:\n if is_payload_specified:\n payload = context['fileWriteJson']['payload']\n formatted_iterable = context.get_formatted_iterable(payload)\n else:\n formatted_iterable = context.get_formatted_iterable(context)\n json.dump(formatted_iterable, outfile, indent=2, ensure_ascii=False)\n logger.info(f'formatted context content and wrote to {out_path}')\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
(pipeline_name, use_parent_context, pipe_arg, skip_parse, raise_error,
loader) = get_arguments(context)
try:
if use_parent_context:
logger.info(f'pyping {pipeline_name}, using parent context.')
pipelinerunner.load_and_run_pipeline(pipeline_name=
pipeline_name, pipeline_context_input=pipe_arg, context=
context, parse_input=not skip_parse, loader=loader)
else:
logger.info(f'pyping {pipeline_name}, without parent context.')
pipelinerunner.load_and_run_pipeline(pipeline_name=
pipeline_name, pipeline_context_input=pipe_arg, working_dir
=context.working_dir, parse_input=not skip_parse, loader=loader
)
logger.info(f'pyped {pipeline_name}.')
except Exception as ex_info:
logger.error(
f'Something went wrong pyping {pipeline_name}. {type(ex_info).__name__}: {ex_info}'
)
if raise_error:
logger.debug('Raising original exception to caller.')
raise
else:
logger.debug(
f'raiseError is False. Swallowing error in {pipeline_name}.')
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n (pipeline_name, use_parent_context, pipe_arg, skip_parse, raise_error,\n loader) = get_arguments(context)\n try:\n if use_parent_context:\n logger.info(f'pyping {pipeline_name}, using parent context.')\n pipelinerunner.load_and_run_pipeline(pipeline_name=\n pipeline_name, pipeline_context_input=pipe_arg, context=\n context, parse_input=not skip_parse, loader=loader)\n else:\n logger.info(f'pyping {pipeline_name}, without parent context.')\n pipelinerunner.load_and_run_pipeline(pipeline_name=\n pipeline_name, pipeline_context_input=pipe_arg, working_dir\n =context.working_dir, parse_input=not skip_parse, loader=loader\n )\n logger.info(f'pyped {pipeline_name}.')\n except Exception as ex_info:\n logger.error(\n f'Something went wrong pyping {pipeline_name}. {type(ex_info).__name__}: {ex_info}'\n )\n if raise_error:\n logger.debug('Raising original exception to caller.')\n raise\n else:\n logger.debug(\n f'raiseError is False. Swallowing error in {pipeline_name}.')\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context):
context.assert_key_has_value(key='pype', caller=__name__)
pype = context.get_formatted('pype')
try:
pipeline_name = pype['name']
if pipeline_name is None:
raise KeyInContextHasNoValueError(
"pypyr.steps.pype ['pype']['name'] exists but is empty.")
except KeyError as err:
raise KeyNotInContextError(
"pypyr.steps.pype missing 'name' in the 'pype' context item. You need to specify the pipeline name to run another pipeline."
) from err
use_parent_context = pype.get('useParentContext', True)
pipe_arg = pype.get('pipeArg', None)
skip_parse = pype.get('skipParse', True)
raise_error = pype.get('raiseError', True)
loader = pype.get('loader', None)
return (pipeline_name, use_parent_context, pipe_arg, skip_parse,
raise_error, loader)
| get_arguments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n context.assert_key_has_value(key='pype', caller=__name__)\n pype = context.get_formatted('pype')\n try:\n pipeline_name = pype['name']\n if pipeline_name is None:\n raise KeyInContextHasNoValueError(\n \"pypyr.steps.pype ['pype']['name'] exists but is empty.\")\n except KeyError as err:\n raise KeyNotInContextError(\n \"pypyr.steps.pype missing 'name' in the 'pype' context item. You need to specify the pipeline name to run another pipeline.\"\n ) from err\n use_parent_context = pype.get('useParentContext', True)\n pipe_arg = pype.get('pipeArg', None)\n skip_parse = pype.get('skipParse', True)\n raise_error = pype.get('raiseError', True)\n loader = pype.get('loader', None)\n return (pipeline_name, use_parent_context, pipe_arg, skip_parse,\n raise_error, loader)\n",
"role": "user"
},
{
"content": "get_arguments",
"role": "assistant"
}
] |
def x(pipeline_name, working_directory):
logger.debug('starting')
logger.debug(f'current directory is {working_directory}')
pipeline_path = os.path.abspath(os.path.join(working_directory,
'pipelines', pipeline_name + '.yaml'))
if os.path.isfile(pipeline_path):
logger.debug(f'Found {pipeline_path}')
else:
logger.debug(
f'{pipeline_name} not found in current directory/pipelines folder. Looking in pypyr install directory instead.'
)
pypyr_dir = os.path.dirname(os.path.dirname(os.path.abspath(__file__)))
logger.debug(f'pypyr installation directory is: {pypyr_dir}')
pipeline_path = os.path.abspath(os.path.join(pypyr_dir, 'pipelines',
pipeline_name + '.yaml'))
if os.path.isfile(pipeline_path):
logger.debug(f'Found {pipeline_path}')
else:
raise PipelineNotFoundError(
f'{pipeline_name}.yaml not found in either {working_directory}/pipelines or {pypyr_dir}/pipelines'
)
logger.debug('done')
return pipeline_path
| get_pipeline_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pipeline_name, working_directory):\n logger.debug('starting')\n logger.debug(f'current directory is {working_directory}')\n pipeline_path = os.path.abspath(os.path.join(working_directory,\n 'pipelines', pipeline_name + '.yaml'))\n if os.path.isfile(pipeline_path):\n logger.debug(f'Found {pipeline_path}')\n else:\n logger.debug(\n f'{pipeline_name} not found in current directory/pipelines folder. Looking in pypyr install directory instead.'\n )\n pypyr_dir = os.path.dirname(os.path.dirname(os.path.abspath(__file__)))\n logger.debug(f'pypyr installation directory is: {pypyr_dir}')\n pipeline_path = os.path.abspath(os.path.join(pypyr_dir, 'pipelines',\n pipeline_name + '.yaml'))\n if os.path.isfile(pipeline_path):\n logger.debug(f'Found {pipeline_path}')\n else:\n raise PipelineNotFoundError(\n f'{pipeline_name}.yaml not found in either {working_directory}/pipelines or {pypyr_dir}/pipelines'\n )\n logger.debug('done')\n return pipeline_path\n",
"role": "user"
},
{
"content": "get_pipeline_path",
"role": "assistant"
}
] |
def x(pipeline_name, working_dir):
logger.debug('starting')
pipeline_path = get_pipeline_path(pipeline_name=pipeline_name,
working_directory=working_dir)
logger.debug(f'Trying to open pipeline at path {pipeline_path}')
try:
with open(pipeline_path) as yaml_file:
pipeline_definition = pypyr.yaml.get_pipeline_yaml(yaml_file)
logger.debug(
f'found {len(pipeline_definition)} stages in pipeline.')
except FileNotFoundError:
logger.error(
f"The pipeline doesn't exist. Looking for a file here: {pipeline_name}.yaml in the /pipelines sub directory."
)
raise
logger.debug('pipeline definition loaded')
logger.debug('done')
return pipeline_definition
| get_pipeline_definition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pipeline_name, working_dir):\n logger.debug('starting')\n pipeline_path = get_pipeline_path(pipeline_name=pipeline_name,\n working_directory=working_dir)\n logger.debug(f'Trying to open pipeline at path {pipeline_path}')\n try:\n with open(pipeline_path) as yaml_file:\n pipeline_definition = pypyr.yaml.get_pipeline_yaml(yaml_file)\n logger.debug(\n f'found {len(pipeline_definition)} stages in pipeline.')\n except FileNotFoundError:\n logger.error(\n f\"The pipeline doesn't exist. Looking for a file here: {pipeline_name}.yaml in the /pipelines sub directory.\"\n )\n raise\n logger.debug('pipeline definition loaded')\n logger.debug('done')\n return pipeline_definition\n",
"role": "user"
},
{
"content": "get_pipeline_definition",
"role": "assistant"
}
] |
def x(cls, representer, node):
return representer.represent_scalar(cls.yaml_tag, node.value)
| to_yaml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, representer, node):\n return representer.represent_scalar(cls.yaml_tag, node.value)\n",
"role": "user"
},
{
"content": "to_yaml",
"role": "assistant"
}
] |
def x(self, context):
if self.value:
return expressions.eval_string(self.value, context)
else:
raise ValueError(
'!py string expression is empty. It must be a valid python expression instead.'
)
| get_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context):\n if self.value:\n return expressions.eval_string(self.value, context)\n else:\n raise ValueError(\n '!py string expression is empty. It must be a valid python expression instead.'\n )\n",
"role": "user"
},
{
"content": "get_value",
"role": "assistant"
}
] |
def x(self, context):
logger.debug('starting')
foreach = context.get_formatted_iterable(self.foreach_items)
foreach_length = len(foreach)
logger.info(f'foreach decorator will loop {foreach_length} times.')
for i in foreach:
logger.info(f'foreach: running step {i}')
context['i'] = i
self.run_conditional_decorators(context)
logger.debug(f'foreach: done step {i}')
logger.debug(f'foreach decorator looped {foreach_length} times.')
logger.debug('done')
| foreach_loop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context):\n logger.debug('starting')\n foreach = context.get_formatted_iterable(self.foreach_items)\n foreach_length = len(foreach)\n logger.info(f'foreach decorator will loop {foreach_length} times.')\n for i in foreach:\n logger.info(f'foreach: running step {i}')\n context['i'] = i\n self.run_conditional_decorators(context)\n logger.debug(f'foreach: done step {i}')\n logger.debug(f'foreach decorator looped {foreach_length} times.')\n logger.debug('done')\n",
"role": "user"
},
{
"content": "foreach_loop",
"role": "assistant"
}
] |
def x(self, context):
logger.debug('starting')
logger.debug(f'running step {self.module}')
self.run_step_function(context)
logger.debug(f'step {self.module} done')
| invoke_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context):\n logger.debug('starting')\n logger.debug(f'running step {self.module}')\n self.run_step_function(context)\n logger.debug(f'step {self.module} done')\n",
"role": "user"
},
{
"content": "invoke_step",
"role": "assistant"
}
] |
def x(self, context):
logger.debug('starting')
run_me = context.get_formatted_as_type(self.run_me, out_type=bool)
skip_me = context.get_formatted_as_type(self.skip_me, out_type=bool)
swallow_me = context.get_formatted_as_type(self.swallow_me, out_type=bool)
if run_me:
if not skip_me:
try:
if self.retry_decorator:
self.retry_decorator.retry_loop(context, self.invoke_step)
else:
self.invoke_step(context=context)
except Exception as ex_info:
if swallow_me:
logger.error(
f"""{self.name} Ignoring error because swallow is True for this step.
{type(ex_info).__name__}: {ex_info}"""
)
else:
raise
else:
logger.info(f'{self.name} not running because skip is True.')
else:
logger.info(f'{self.name} not running because run is False.')
logger.debug('done')
| run_conditional_decorators | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context):\n logger.debug('starting')\n run_me = context.get_formatted_as_type(self.run_me, out_type=bool)\n skip_me = context.get_formatted_as_type(self.skip_me, out_type=bool)\n swallow_me = context.get_formatted_as_type(self.swallow_me, out_type=bool)\n if run_me:\n if not skip_me:\n try:\n if self.retry_decorator:\n self.retry_decorator.retry_loop(context, self.invoke_step)\n else:\n self.invoke_step(context=context)\n except Exception as ex_info:\n if swallow_me:\n logger.error(\n f\"\"\"{self.name} Ignoring error because swallow is True for this step.\n{type(ex_info).__name__}: {ex_info}\"\"\"\n )\n else:\n raise\n else:\n logger.info(f'{self.name} not running because skip is True.')\n else:\n logger.info(f'{self.name} not running because run is False.')\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_conditional_decorators",
"role": "assistant"
}
] |
def x(self, context):
logger.debug('starting')
if self.foreach_items:
self.foreach_loop(context)
else:
self.run_conditional_decorators(context)
logger.debug('done')
| run_foreach_or_conditional | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context):\n logger.debug('starting')\n if self.foreach_items:\n self.foreach_loop(context)\n else:\n self.run_conditional_decorators(context)\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_foreach_or_conditional",
"role": "assistant"
}
] |
def x(self, context):
logger.debug('starting')
self.set_step_input_context(context)
if self.while_decorator:
self.while_decorator.while_loop(context, self.
run_foreach_or_conditional)
else:
self.run_foreach_or_conditional(context)
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context):\n logger.debug('starting')\n self.set_step_input_context(context)\n if self.while_decorator:\n self.while_decorator.while_loop(context, self.\n run_foreach_or_conditional)\n else:\n self.run_foreach_or_conditional(context)\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(self, context):
logger.debug('starting')
if self.in_parameters is not None:
parameter_count = len(self.in_parameters)
if parameter_count > 0:
logger.debug(
f"Updating context with {parameter_count} 'in' parameters.")
context.update(self.in_parameters)
logger.debug('done')
| set_step_input_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context):\n logger.debug('starting')\n if self.in_parameters is not None:\n parameter_count = len(self.in_parameters)\n if parameter_count > 0:\n logger.debug(\n f\"Updating context with {parameter_count} 'in' parameters.\")\n context.update(self.in_parameters)\n logger.debug('done')\n",
"role": "user"
},
{
"content": "set_step_input_context",
"role": "assistant"
}
] |
def x(self, counter, context, step_method):
logger.debug('starting')
context['retryCounter'] = counter
logger.info(f'retry: running step with counter {counter}')
try:
step_method(context)
result = True
except Exception as ex_info:
if self.max:
if counter == self.max:
logger.debug(
f'retry: max {counter} retries exhausted. raising error.')
raise
if self.stop_on or self.retry_on:
error_name = get_error_name(ex_info)
if self.stop_on:
formatted_stop_list = context.get_formatted_iterable(self.
stop_on)
if error_name in formatted_stop_list:
logger.error(
f'{error_name} in stopOn. Raising error and exiting retry.'
)
raise
else:
logger.debug(f'{error_name} not in stopOn. Continue.')
if self.retry_on:
formatted_retry_list = context.get_formatted_iterable(self.
retry_on)
if error_name not in formatted_retry_list:
logger.error(
f'{error_name} not in retryOn. Raising error and exiting retry.'
)
raise
else:
logger.debug(f'{error_name} in retryOn. Retry again.')
result = False
logger.error(
f"""retry: ignoring error because retryCounter < max.
{type(ex_info).__name__}: {ex_info}"""
)
logger.debug(f'retry: done step with counter {counter}')
logger.debug('done')
return result
| exec_iteration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, counter, context, step_method):\n logger.debug('starting')\n context['retryCounter'] = counter\n logger.info(f'retry: running step with counter {counter}')\n try:\n step_method(context)\n result = True\n except Exception as ex_info:\n if self.max:\n if counter == self.max:\n logger.debug(\n f'retry: max {counter} retries exhausted. raising error.')\n raise\n if self.stop_on or self.retry_on:\n error_name = get_error_name(ex_info)\n if self.stop_on:\n formatted_stop_list = context.get_formatted_iterable(self.\n stop_on)\n if error_name in formatted_stop_list:\n logger.error(\n f'{error_name} in stopOn. Raising error and exiting retry.'\n )\n raise\n else:\n logger.debug(f'{error_name} not in stopOn. Continue.')\n if self.retry_on:\n formatted_retry_list = context.get_formatted_iterable(self.\n retry_on)\n if error_name not in formatted_retry_list:\n logger.error(\n f'{error_name} not in retryOn. Raising error and exiting retry.'\n )\n raise\n else:\n logger.debug(f'{error_name} in retryOn. Retry again.')\n result = False\n logger.error(\n f\"\"\"retry: ignoring error because retryCounter < max.\n{type(ex_info).__name__}: {ex_info}\"\"\"\n )\n logger.debug(f'retry: done step with counter {counter}')\n logger.debug('done')\n return result\n",
"role": "user"
},
{
"content": "exec_iteration",
"role": "assistant"
}
] |
def x(self, context, step_method):
logger.debug('starting')
context['retryCounter'] = 0
sleep = context.get_formatted_as_type(self.sleep, out_type=float)
if self.max:
max = context.get_formatted_as_type(self.max, out_type=int)
logger.info(
f'retry decorator will try {max} times at {sleep}s intervals.')
else:
max = None
logger.info(
f'retry decorator will try indefinitely at {sleep}s intervals.')
if poll.while_until_true(interval=sleep, max_attempts=max)(self.
exec_iteration)(context=context, step_method=step_method):
logger.debug('retry loop complete, reporting success.')
logger.debug('retry loop done')
logger.debug('done')
| retry_loop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context, step_method):\n logger.debug('starting')\n context['retryCounter'] = 0\n sleep = context.get_formatted_as_type(self.sleep, out_type=float)\n if self.max:\n max = context.get_formatted_as_type(self.max, out_type=int)\n logger.info(\n f'retry decorator will try {max} times at {sleep}s intervals.')\n else:\n max = None\n logger.info(\n f'retry decorator will try indefinitely at {sleep}s intervals.')\n if poll.while_until_true(interval=sleep, max_attempts=max)(self.\n exec_iteration)(context=context, step_method=step_method):\n logger.debug('retry loop complete, reporting success.')\n logger.debug('retry loop done')\n logger.debug('done')\n",
"role": "user"
},
{
"content": "retry_loop",
"role": "assistant"
}
] |
def x(self, counter, context, step_method):
logger.debug('starting')
context['whileCounter'] = counter
logger.info(f'while: running step with counter {counter}')
step_method(context)
logger.debug(f'while: done step {counter}')
result = False
if self.stop:
result = context.get_formatted_as_type(self.stop, out_type=bool)
logger.debug('done')
return result
| exec_iteration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, counter, context, step_method):\n logger.debug('starting')\n context['whileCounter'] = counter\n logger.info(f'while: running step with counter {counter}')\n step_method(context)\n logger.debug(f'while: done step {counter}')\n result = False\n if self.stop:\n result = context.get_formatted_as_type(self.stop, out_type=bool)\n logger.debug('done')\n return result\n",
"role": "user"
},
{
"content": "exec_iteration",
"role": "assistant"
}
] |
def x(self, context, step_method):
logger.debug('starting')
context['whileCounter'] = 0
if self.stop is None and self.max is None:
logger.error(f'while decorator missing both max and stop.')
raise PipelineDefinitionError(
'the while decorator must have either max or stop, or both. But not neither.'
)
error_on_max = context.get_formatted_as_type(self.error_on_max,
out_type=bool)
sleep = context.get_formatted_as_type(self.sleep, out_type=float)
if self.max is None:
max = None
logger.info(
f'while decorator will loop until {self.stop} evaluates to True at {sleep}s intervals.'
)
else:
max = context.get_formatted_as_type(self.max, out_type=int)
if max < 1:
logger.info(
f'max {self.max} is {max}. while only runs when max > 0.')
logger.debug('done')
return
if self.stop is None:
logger.info(
f'while decorator will loop {max} times at {sleep}s intervals.'
)
else:
logger.info(
f'while decorator will loop {max} times, or until {self.stop} evaluates to True at {sleep}s intervals.'
)
if not poll.while_until_true(interval=sleep, max_attempts=max)(self.
exec_iteration)(context=context, step_method=step_method):
if error_on_max:
logger.error(
f'exhausted {max} iterations of while loop, and errorOnMax is True.'
)
if self.stop and max:
raise LoopMaxExhaustedError(
f'while loop reached {max} and {self.stop} never evaluated to True.'
)
else:
raise LoopMaxExhaustedError(f'while loop reached {max}.')
elif self.stop and max:
logger.info(
f'while decorator looped {max} times, and {self.stop} never evaluated to True.'
)
logger.debug('while loop done')
else:
logger.info(
f'while loop done, stop condition {self.stop} evaluated True.')
logger.debug('done')
| while_loop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context, step_method):\n logger.debug('starting')\n context['whileCounter'] = 0\n if self.stop is None and self.max is None:\n logger.error(f'while decorator missing both max and stop.')\n raise PipelineDefinitionError(\n 'the while decorator must have either max or stop, or both. But not neither.'\n )\n error_on_max = context.get_formatted_as_type(self.error_on_max,\n out_type=bool)\n sleep = context.get_formatted_as_type(self.sleep, out_type=float)\n if self.max is None:\n max = None\n logger.info(\n f'while decorator will loop until {self.stop} evaluates to True at {sleep}s intervals.'\n )\n else:\n max = context.get_formatted_as_type(self.max, out_type=int)\n if max < 1:\n logger.info(\n f'max {self.max} is {max}. while only runs when max > 0.')\n logger.debug('done')\n return\n if self.stop is None:\n logger.info(\n f'while decorator will loop {max} times at {sleep}s intervals.'\n )\n else:\n logger.info(\n f'while decorator will loop {max} times, or until {self.stop} evaluates to True at {sleep}s intervals.'\n )\n if not poll.while_until_true(interval=sleep, max_attempts=max)(self.\n exec_iteration)(context=context, step_method=step_method):\n if error_on_max:\n logger.error(\n f'exhausted {max} iterations of while loop, and errorOnMax is True.'\n )\n if self.stop and max:\n raise LoopMaxExhaustedError(\n f'while loop reached {max} and {self.stop} never evaluated to True.'\n )\n else:\n raise LoopMaxExhaustedError(f'while loop reached {max}.')\n elif self.stop and max:\n logger.info(\n f'while decorator looped {max} times, and {self.stop} never evaluated to True.'\n )\n logger.debug('while loop done')\n else:\n logger.info(\n f'while loop done, stop condition {self.stop} evaluated True.')\n logger.debug('done')\n",
"role": "user"
},
{
"content": "while_loop",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
deprecated(context)
context.assert_key_has_value(key='fetchYaml', caller=__name__)
fetch_yaml_input = context.get_formatted('fetchYaml')
if isinstance(fetch_yaml_input, str):
file_path = fetch_yaml_input
destination_key_expression = None
else:
context.assert_child_key_has_value(parent='fetchYaml', child='path',
caller=__name__)
file_path = fetch_yaml_input['path']
destination_key_expression = fetch_yaml_input.get('key', None)
logger.debug(f'attempting to open file: {file_path}')
with open(file_path) as yaml_file:
yaml_loader = yaml.YAML(typ='safe', pure=True)
payload = yaml_loader.load(yaml_file)
if destination_key_expression:
destination_key = context.get_formatted_iterable(
destination_key_expression)
logger.debug(f'yaml file loaded. Writing to context {destination_key}')
context[destination_key] = payload
else:
if not isinstance(payload, MutableMapping):
raise TypeError(
"""yaml input should describe a dictionary at the top level when fetchYamlKey isn't specified. You should have something like
'key1: value1'
key2: value2'
in the yaml top-level, not
'- value1
- value2'"""
)
logger.debug('yaml file loaded. Merging into pypyr context. . .')
context.update(payload)
logger.info(f'yaml file written into pypyr context. Count: {len(payload)}')
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n deprecated(context)\n context.assert_key_has_value(key='fetchYaml', caller=__name__)\n fetch_yaml_input = context.get_formatted('fetchYaml')\n if isinstance(fetch_yaml_input, str):\n file_path = fetch_yaml_input\n destination_key_expression = None\n else:\n context.assert_child_key_has_value(parent='fetchYaml', child='path',\n caller=__name__)\n file_path = fetch_yaml_input['path']\n destination_key_expression = fetch_yaml_input.get('key', None)\n logger.debug(f'attempting to open file: {file_path}')\n with open(file_path) as yaml_file:\n yaml_loader = yaml.YAML(typ='safe', pure=True)\n payload = yaml_loader.load(yaml_file)\n if destination_key_expression:\n destination_key = context.get_formatted_iterable(\n destination_key_expression)\n logger.debug(f'yaml file loaded. Writing to context {destination_key}')\n context[destination_key] = payload\n else:\n if not isinstance(payload, MutableMapping):\n raise TypeError(\n \"\"\"yaml input should describe a dictionary at the top level when fetchYamlKey isn't specified. You should have something like \n'key1: value1'\n key2: value2'\nin the yaml top-level, not \n'- value1\n - value2'\"\"\"\n )\n logger.debug('yaml file loaded. Merging into pypyr context. . .')\n context.update(payload)\n logger.info(f'yaml file written into pypyr context. Count: {len(payload)}')\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
deprecated(context)
ObjectRewriterStep(__name__, 'fileFormatYaml', context).run_step(
YamlRepresenter())
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n deprecated(context)\n ObjectRewriterStep(__name__, 'fileFormatYaml', context).run_step(\n YamlRepresenter())\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(interval, max_attempts):
def x(f):
logger.debug('started')
def x(*args, **kwargs):
logger.debug(
f'Looping every {interval} seconds for {max_attempts} attempts'
)
for i in range(1, max_attempts + 1):
result = f(*args, **kwargs)
if result:
logger.debug(f'iteration {i}. Desired state reached.')
return True
if i < max_attempts:
logger.debug(f'iteration {i}. Still waiting. . .')
time.sleep(interval)
logger.debug('done')
return False
return sleep_looper
return decorator
| wait_until_true | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(interval, max_attempts):\n\n def x(f):\n logger.debug('started')\n\n def x(*args, **kwargs):\n logger.debug(\n f'Looping every {interval} seconds for {max_attempts} attempts'\n )\n for i in range(1, max_attempts + 1):\n result = f(*args, **kwargs)\n if result:\n logger.debug(f'iteration {i}. Desired state reached.')\n return True\n if i < max_attempts:\n logger.debug(f'iteration {i}. Still waiting. . .')\n time.sleep(interval)\n logger.debug('done')\n return False\n return sleep_looper\n return decorator\n",
"role": "user"
},
{
"content": "wait_until_true",
"role": "assistant"
}
] |
def x(interval, max_attempts):
def x(f):
logger.debug('started')
def x(*args, **kwargs):
if max_attempts:
logger.debug(
f'Looping every {interval} seconds for {max_attempts} attempts'
)
else:
logger.debug(f'Looping every {interval} seconds.')
i = 0
result = False
while not result:
i += 1
result = f(i, *args, **kwargs)
if result:
logger.debug(f'iteration {i}. Desired state reached.')
break
elif max_attempts:
if i < max_attempts:
logger.debug(f'iteration {i}. Still waiting. . .')
time.sleep(interval)
else:
logger.debug(f'iteration {i}. Max attempts exhausted.')
break
else:
logger.debug(f'iteration {i}. Still waiting. . .')
time.sleep(interval)
logger.debug('done')
return result
return sleep_looper
return decorator
| while_until_true | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(interval, max_attempts):\n\n def x(f):\n logger.debug('started')\n\n def x(*args, **kwargs):\n if max_attempts:\n logger.debug(\n f'Looping every {interval} seconds for {max_attempts} attempts'\n )\n else:\n logger.debug(f'Looping every {interval} seconds.')\n i = 0\n result = False\n while not result:\n i += 1\n result = f(i, *args, **kwargs)\n if result:\n logger.debug(f'iteration {i}. Desired state reached.')\n break\n elif max_attempts:\n if i < max_attempts:\n logger.debug(f'iteration {i}. Still waiting. . .')\n time.sleep(interval)\n else:\n logger.debug(f'iteration {i}. Max attempts exhausted.')\n break\n else:\n logger.debug(f'iteration {i}. Still waiting. . .')\n time.sleep(interval)\n logger.debug('done')\n return result\n return sleep_looper\n return decorator\n",
"role": "user"
},
{
"content": "while_until_true",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
deprecated(context)
StreamRewriterStep(__name__, 'fileFormat', context).run_step()
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n deprecated(context)\n StreamRewriterStep(__name__, 'fileFormat', context).run_step()\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context):
if 'fileFormatIn' in context:
context.assert_keys_have_values(__name__, 'fileFormatIn',
'fileFormatOut')
context['fileFormat'] = {'in': context['fileFormatIn'], 'out':
context['fileFormatOut']}
logger.warning(
"fileFormatIn and fileFormatOut are deprecated. They will stop working upon the next major release. Use the new context key fileFormat instead. It's a lot better, promise! For the moment pypyr is creating the new fileFormat key for you under the hood."
)
| deprecated | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n if 'fileFormatIn' in context:\n context.assert_keys_have_values(__name__, 'fileFormatIn',\n 'fileFormatOut')\n context['fileFormat'] = {'in': context['fileFormatIn'], 'out':\n context['fileFormatOut']}\n logger.warning(\n \"fileFormatIn and fileFormatOut are deprecated. They will stop working upon the next major release. Use the new context key fileFormat instead. It's a lot better, promise! For the moment pypyr is creating the new fileFormat key for you under the hood.\"\n )\n",
"role": "user"
},
{
"content": "deprecated",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
format_expression = context.get('nowUtcIn', None)
if format_expression:
formatted_expression = context.get_formatted_string(format_expression)
context['nowUtc'] = datetime.now(timezone.utc).strftime(
formatted_expression)
else:
context['nowUtc'] = datetime.now(timezone.utc).isoformat()
logger.info(f"timestamp {context['nowUtc']} saved to context nowUtc")
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n format_expression = context.get('nowUtcIn', None)\n if format_expression:\n formatted_expression = context.get_formatted_string(format_expression)\n context['nowUtc'] = datetime.now(timezone.utc).strftime(\n formatted_expression)\n else:\n context['nowUtc'] = datetime.now(timezone.utc).isoformat()\n logger.info(f\"timestamp {context['nowUtc']} saved to context nowUtc\")\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
assert context, f'context must have value for {__name__}'
deprecated(context)
context.assert_key_has_value('env', __name__)
found_get = env_get(context)
found_set = env_set(context)
found_unset = env_unset(context)
if not (found_get or found_set or found_unset):
raise KeyNotInContextError(
f"context must contain any combination of env['get'], env['set'] or env['unset'] for {__name__}"
)
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n assert context, f'context must have value for {__name__}'\n deprecated(context)\n context.assert_key_has_value('env', __name__)\n found_get = env_get(context)\n found_set = env_set(context)\n found_unset = env_unset(context)\n if not (found_get or found_set or found_unset):\n raise KeyNotInContextError(\n f\"context must contain any combination of env['get'], env['set'] or env['unset'] for {__name__}\"\n )\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context):
get = context['env'].get('get', None)
exists = False
if get:
logger.debug('start')
for k, v in get.items():
logger.debug(f'setting context {k} to $ENV {v}')
context[k] = os.environ[v]
logger.info(f'saved {len(get)} $ENVs to context.')
exists = True
logger.debug('done')
return exists
| env_get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n get = context['env'].get('get', None)\n exists = False\n if get:\n logger.debug('start')\n for k, v in get.items():\n logger.debug(f'setting context {k} to $ENV {v}')\n context[k] = os.environ[v]\n logger.info(f'saved {len(get)} $ENVs to context.')\n exists = True\n logger.debug('done')\n return exists\n",
"role": "user"
},
{
"content": "env_get",
"role": "assistant"
}
] |
def x(context):
env_set = context['env'].get('set', None)
exists = False
if env_set:
logger.debug('started')
for k, v in env_set.items():
logger.debug(f'setting ${k} to context[{v}]')
os.environ[k] = context.get_formatted_string(v)
logger.info(f'set {len(env_set)} $ENVs from context.')
exists = True
logger.debug('done')
return exists
| env_set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n env_set = context['env'].get('set', None)\n exists = False\n if env_set:\n logger.debug('started')\n for k, v in env_set.items():\n logger.debug(f'setting ${k} to context[{v}]')\n os.environ[k] = context.get_formatted_string(v)\n logger.info(f'set {len(env_set)} $ENVs from context.')\n exists = True\n logger.debug('done')\n return exists\n",
"role": "user"
},
{
"content": "env_set",
"role": "assistant"
}
] |
def x(context):
unset = context['env'].get('unset', None)
exists = False
if unset:
logger.debug('started')
for env_var_name in unset:
logger.debug(f'unsetting ${env_var_name}')
try:
del os.environ[env_var_name]
except KeyError:
logger.debug(
f"${env_var_name} doesn't exist anyway. As you were.")
logger.info(f'unset {len(unset)} $ENVs.')
exists = True
logger.debug('done')
return exists
| env_unset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n unset = context['env'].get('unset', None)\n exists = False\n if unset:\n logger.debug('started')\n for env_var_name in unset:\n logger.debug(f'unsetting ${env_var_name}')\n try:\n del os.environ[env_var_name]\n except KeyError:\n logger.debug(\n f\"${env_var_name} doesn't exist anyway. As you were.\")\n logger.info(f'unset {len(unset)} $ENVs.')\n exists = True\n logger.debug('done')\n return exists\n",
"role": "user"
},
{
"content": "env_unset",
"role": "assistant"
}
] |
def x(context):
env = context.get('env', None)
get_info, set_info, unset_info = context.keys_of_type_exist(('envGet',
dict), ('envSet', dict), ('envUnset', list))
found_at_least_one = (get_info.key_in_context or set_info.
key_in_context or unset_info.key_in_context)
if found_at_least_one:
env = context['env'] = {}
else:
return
if get_info.key_in_context and get_info.is_expected_type:
env['get'] = context[get_info.key]
if set_info.key_in_context and set_info.is_expected_type:
env['set'] = context[set_info.key]
if unset_info.key_in_context and unset_info.is_expected_type:
env['unset'] = context[unset_info.key]
logger.warning(
"envGet, envSet and envUnset are deprecated. They will stop working upon the next major release. Use the new context key env instead. It's a lot better, promise! For the moment pypyr is creating the new env key for you under the hood."
)
| deprecated | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n env = context.get('env', None)\n get_info, set_info, unset_info = context.keys_of_type_exist(('envGet',\n dict), ('envSet', dict), ('envUnset', list))\n found_at_least_one = (get_info.key_in_context or set_info.\n key_in_context or unset_info.key_in_context)\n if found_at_least_one:\n env = context['env'] = {}\n else:\n return\n if get_info.key_in_context and get_info.is_expected_type:\n env['get'] = context[get_info.key]\n if set_info.key_in_context and set_info.is_expected_type:\n env['set'] = context[set_info.key]\n if unset_info.key_in_context and unset_info.is_expected_type:\n env['unset'] = context[unset_info.key]\n logger.warning(\n \"envGet, envSet and envUnset are deprecated. They will stop working upon the next major release. Use the new context key env instead. It's a lot better, promise! For the moment pypyr is creating the new env key for you under the hood.\"\n )\n",
"role": "user"
},
{
"content": "deprecated",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
assert context, f'context must have value for {__name__}'
deprecated(context)
context.assert_key_has_value('assert', __name__)
assert_this = context['assert']['this']
is_equals_there = 'equals' in context['assert']
if is_equals_there:
assert_equals = context['assert']['equals']
logger.debug("comparing assert['this'] to assert['equals'].")
assert_result = context.get_formatted_iterable(assert_this
) == context.get_formatted_iterable(assert_equals)
else:
logger.debug("evaluating assert['this'] as a boolean.")
assert_result = context.get_formatted_as_type(assert_this, out_type
=bool)
logger.info(f'assert evaluated to {assert_result}')
if not assert_result:
if is_equals_there:
type_this = type(context.get_formatted_iterable(assert_this)
).__name__
type_equals = type(context.get_formatted_iterable(assert_equals)
).__name__
error_text = (
f"assert assert['this'] is of type {type_this} and does not equal assert['equals'] of type {type_equals}."
)
else:
error_text = f'assert {assert_this} evaluated to False.'
raise ContextError(error_text)
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n assert context, f'context must have value for {__name__}'\n deprecated(context)\n context.assert_key_has_value('assert', __name__)\n assert_this = context['assert']['this']\n is_equals_there = 'equals' in context['assert']\n if is_equals_there:\n assert_equals = context['assert']['equals']\n logger.debug(\"comparing assert['this'] to assert['equals'].\")\n assert_result = context.get_formatted_iterable(assert_this\n ) == context.get_formatted_iterable(assert_equals)\n else:\n logger.debug(\"evaluating assert['this'] as a boolean.\")\n assert_result = context.get_formatted_as_type(assert_this, out_type\n =bool)\n logger.info(f'assert evaluated to {assert_result}')\n if not assert_result:\n if is_equals_there:\n type_this = type(context.get_formatted_iterable(assert_this)\n ).__name__\n type_equals = type(context.get_formatted_iterable(assert_equals)\n ).__name__\n error_text = (\n f\"assert assert['this'] is of type {type_this} and does not equal assert['equals'] of type {type_equals}.\"\n )\n else:\n error_text = f'assert {assert_this} evaluated to False.'\n raise ContextError(error_text)\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context):
assert_context = context.get('assert', None)
if 'assertThis' in context:
assert_this = context['assertThis']
assert_context = context['assert'] = {'this': assert_this}
if 'assertEquals' in context:
assert_equals = context['assertEquals']
assert_context['equals'] = assert_equals
logger.warning(
"assertThis and assertEquals are deprecated. They will stop working upon the next major release. Use the new context key assert instead. It's a lot better, promise! For the moment pypyr is creating the new assert key for you under the hood."
)
| deprecated | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n assert_context = context.get('assert', None)\n if 'assertThis' in context:\n assert_this = context['assertThis']\n assert_context = context['assert'] = {'this': assert_this}\n if 'assertEquals' in context:\n assert_equals = context['assertEquals']\n assert_context['equals'] = assert_equals\n logger.warning(\n \"assertThis and assertEquals are deprecated. They will stop working upon the next major release. Use the new context key assert instead. It's a lot better, promise! For the moment pypyr is creating the new assert key for you under the hood.\"\n )\n",
"role": "user"
},
{
"content": "deprecated",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
assert context, f'context must have value for {__name__}'
deprecated(context)
found_at_least_one = False
context.assert_key_has_value('tar', __name__)
tar = context['tar']
if 'extract' in tar:
found_at_least_one = True
tar_extract(context)
if 'archive' in tar:
found_at_least_one = True
tar_archive(context)
if not found_at_least_one:
raise KeyNotInContextError(
'pypyr.steps.tar must have either extract or archive specified under the tar key. Or both of these. It has neither.'
)
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n assert context, f'context must have value for {__name__}'\n deprecated(context)\n found_at_least_one = False\n context.assert_key_has_value('tar', __name__)\n tar = context['tar']\n if 'extract' in tar:\n found_at_least_one = True\n tar_extract(context)\n if 'archive' in tar:\n found_at_least_one = True\n tar_archive(context)\n if not found_at_least_one:\n raise KeyNotInContextError(\n 'pypyr.steps.tar must have either extract or archive specified under the tar key. Or both of these. It has neither.'\n )\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context):
format = context['tar'].get('format', None)
if format or format == '':
mode = f'r:{context.get_formatted_string(format)}'
else:
mode = 'r:*'
return mode
| get_file_mode_for_reading | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n format = context['tar'].get('format', None)\n if format or format == '':\n mode = f'r:{context.get_formatted_string(format)}'\n else:\n mode = 'r:*'\n return mode\n",
"role": "user"
},
{
"content": "get_file_mode_for_reading",
"role": "assistant"
}
] |
def x(context):
format = context['tar'].get('format', None)
if format or format == '':
mode = f'w:{context.get_formatted_string(format)}'
else:
mode = 'w:xz'
return mode
| get_file_mode_for_writing | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n format = context['tar'].get('format', None)\n if format or format == '':\n mode = f'w:{context.get_formatted_string(format)}'\n else:\n mode = 'w:xz'\n return mode\n",
"role": "user"
},
{
"content": "get_file_mode_for_writing",
"role": "assistant"
}
] |
def x(context):
logger.debug('start')
mode = get_file_mode_for_writing(context)
for item in context['tar']['archive']:
destination = context.get_formatted_string(item['out'])
source = context.get_formatted_string(item['in'])
with tarfile.open(destination, mode) as archive_me:
logger.debug(f"Archiving '{source}' to '{destination}'")
archive_me.add(source, arcname='.')
logger.info(f"Archived '{source}' to '{destination}'")
logger.debug('end')
| tar_archive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('start')\n mode = get_file_mode_for_writing(context)\n for item in context['tar']['archive']:\n destination = context.get_formatted_string(item['out'])\n source = context.get_formatted_string(item['in'])\n with tarfile.open(destination, mode) as archive_me:\n logger.debug(f\"Archiving '{source}' to '{destination}'\")\n archive_me.add(source, arcname='.')\n logger.info(f\"Archived '{source}' to '{destination}'\")\n logger.debug('end')\n",
"role": "user"
},
{
"content": "tar_archive",
"role": "assistant"
}
] |
def x(context):
logger.debug('start')
mode = get_file_mode_for_reading(context)
for item in context['tar']['extract']:
source = context.get_formatted_string(item['in'])
destination = context.get_formatted_string(item['out'])
with tarfile.open(source, mode) as extract_me:
logger.debug(f"Extracting '{source}' to '{destination}'")
extract_me.extractall(destination)
logger.info(f"Extracted '{source}' to '{destination}'")
logger.debug('end')
| tar_extract | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('start')\n mode = get_file_mode_for_reading(context)\n for item in context['tar']['extract']:\n source = context.get_formatted_string(item['in'])\n destination = context.get_formatted_string(item['out'])\n with tarfile.open(source, mode) as extract_me:\n logger.debug(f\"Extracting '{source}' to '{destination}'\")\n extract_me.extractall(destination)\n logger.info(f\"Extracted '{source}' to '{destination}'\")\n logger.debug('end')\n",
"role": "user"
},
{
"content": "tar_extract",
"role": "assistant"
}
] |
def x(context):
tar = context.get('tar', None)
tar_extract, tar_archive = context.keys_of_type_exist(('tarExtract',
list), ('tarArchive', list))
found_at_least_one = (tar_extract.key_in_context or tar_archive.
key_in_context)
if tar and not found_at_least_one:
return
elif found_at_least_one:
tar = context['tar'] = {}
if tar_extract.key_in_context and tar_extract.is_expected_type:
tar['extract'] = context[tar_extract.key]
if tar_archive.key_in_context and tar_archive.is_expected_type:
tar['archive'] = context[tar_archive.key]
if 'tarFormat' in context:
tar['format'] = context['tarFormat']
logger.warning(
"tarExtract and tarArchive are deprecated. They will stop working upon the next major release. Use the new context key env instead. It's a lot better, promise! For the moment pypyr is creating the new env key for you under the hood."
)
| deprecated | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n tar = context.get('tar', None)\n tar_extract, tar_archive = context.keys_of_type_exist(('tarExtract',\n list), ('tarArchive', list))\n found_at_least_one = (tar_extract.key_in_context or tar_archive.\n key_in_context)\n if tar and not found_at_least_one:\n return\n elif found_at_least_one:\n tar = context['tar'] = {}\n if tar_extract.key_in_context and tar_extract.is_expected_type:\n tar['extract'] = context[tar_extract.key]\n if tar_archive.key_in_context and tar_archive.is_expected_type:\n tar['archive'] = context[tar_archive.key]\n if 'tarFormat' in context:\n tar['format'] = context['tarFormat']\n logger.warning(\n \"tarExtract and tarArchive are deprecated. They will stop working upon the next major release. Use the new context key env instead. It's a lot better, promise! For the moment pypyr is creating the new env key for you under the hood.\"\n )\n",
"role": "user"
},
{
"content": "deprecated",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
CmdStep(name=__name__, context=context).run_step(is_shell=True)
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n CmdStep(name=__name__, context=context).run_step(is_shell=True)\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
assert context, f'context must have value for {__name__}'
context.assert_key_has_value('envGet', __name__)
if isinstance(context['envGet'], list):
get_items = context['envGet']
else:
get_items = [context['envGet']]
get_count = 0
for get_me in get_items:
env, key, has_default, default = get_args(get_me)
logger.debug(f'setting context {key} to $ENV {env}')
formatted_key = context.get_formatted_string(key)
formatted_env = context.get_formatted_string(env)
if formatted_env in os.environ:
context[formatted_key] = os.environ[formatted_env]
get_count += 1
else:
logger.debug(f'$ENV {env} not found.')
if has_default:
logger.debug(f'Using default value for {env} instead.')
formatted_default = context.get_formatted_iterable(default)
context[formatted_key] = os.environ.get(formatted_env,
formatted_default)
get_count += 1
else:
logger.debug(f"No default value for {env} found. Doin nuthin'."
)
logger.info(f'saved {get_count} $ENVs to context.')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n assert context, f'context must have value for {__name__}'\n context.assert_key_has_value('envGet', __name__)\n if isinstance(context['envGet'], list):\n get_items = context['envGet']\n else:\n get_items = [context['envGet']]\n get_count = 0\n for get_me in get_items:\n env, key, has_default, default = get_args(get_me)\n logger.debug(f'setting context {key} to $ENV {env}')\n formatted_key = context.get_formatted_string(key)\n formatted_env = context.get_formatted_string(env)\n if formatted_env in os.environ:\n context[formatted_key] = os.environ[formatted_env]\n get_count += 1\n else:\n logger.debug(f'$ENV {env} not found.')\n if has_default:\n logger.debug(f'Using default value for {env} instead.')\n formatted_default = context.get_formatted_iterable(default)\n context[formatted_key] = os.environ.get(formatted_env,\n formatted_default)\n get_count += 1\n else:\n logger.debug(f\"No default value for {env} found. Doin nuthin'.\"\n )\n logger.info(f'saved {get_count} $ENVs to context.')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(get_item):
if not isinstance(get_item, dict):
raise ContextError('envGet must contain a list of dicts.')
env = get_item.get('env', None)
if not env:
raise KeyNotInContextError(
'context envGet[env] must exist in context for envGet.')
key = get_item.get('key', None)
if not key:
raise KeyNotInContextError(
'context envGet[key] must exist in context for envGet.')
if 'default' in get_item:
has_default = True
default = get_item['default']
else:
has_default = False
default = None
return env, key, has_default, default
| get_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(get_item):\n if not isinstance(get_item, dict):\n raise ContextError('envGet must contain a list of dicts.')\n env = get_item.get('env', None)\n if not env:\n raise KeyNotInContextError(\n 'context envGet[env] must exist in context for envGet.')\n key = get_item.get('key', None)\n if not key:\n raise KeyNotInContextError(\n 'context envGet[key] must exist in context for envGet.')\n if 'default' in get_item:\n has_default = True\n default = get_item['default']\n else:\n has_default = False\n default = None\n return env, key, has_default, default\n",
"role": "user"
},
{
"content": "get_args",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
context.assert_key_has_value(key='pycode', caller=__name__)
logger.debug(f"Executing python string: {context['pycode']}")
locals_dictionary = locals()
exec(context['pycode'], globals(), locals_dictionary)
logger.debug('looking for context update in exec')
exec_context = locals_dictionary['context']
context.update(exec_context)
logger.debug('exec output context merged with pipeline context')
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n context.assert_key_has_value(key='pycode', caller=__name__)\n logger.debug(f\"Executing python string: {context['pycode']}\")\n locals_dictionary = locals()\n exec(context['pycode'], globals(), locals_dictionary)\n logger.debug('looking for context update in exec')\n exec_context = locals_dictionary['context']\n context.update(exec_context)\n logger.debug('exec output context merged with pipeline context')\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context_arg):
assert context_arg, "pipeline must be invoked with context arg set. For this yaml parser you're looking for something like: pypyr pipelinename './myyamlfile.yaml'"
logger.debug('starting')
logger.debug(f'attempting to open file: {context_arg}')
with open(context_arg) as yaml_file:
yaml_loader = yaml.YAML(typ='safe', pure=True)
payload = yaml_loader.load(yaml_file)
logger.debug(f'yaml file parsed. Count: {len(payload)}')
if not isinstance(payload, MutableMapping):
raise TypeError(
"""yaml input should describe a dictionary at the top level. You should have something like
'key1: value1'
key2: value2'
in the yaml top-level, not
'- value1
- value2'"""
)
logger.debug('done')
return payload
| get_parsed_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context_arg):\n assert context_arg, \"pipeline must be invoked with context arg set. For this yaml parser you're looking for something like: pypyr pipelinename './myyamlfile.yaml'\"\n logger.debug('starting')\n logger.debug(f'attempting to open file: {context_arg}')\n with open(context_arg) as yaml_file:\n yaml_loader = yaml.YAML(typ='safe', pure=True)\n payload = yaml_loader.load(yaml_file)\n logger.debug(f'yaml file parsed. Count: {len(payload)}')\n if not isinstance(payload, MutableMapping):\n raise TypeError(\n \"\"\"yaml input should describe a dictionary at the top level. You should have something like \n'key1: value1'\n key2: value2'\nin the yaml top-level, not \n'- value1\n - value2'\"\"\"\n )\n logger.debug('done')\n return payload\n",
"role": "user"
},
{
"content": "get_parsed_context",
"role": "assistant"
}
] |
def x():
parser = argparse.ArgumentParser(allow_abbrev=True, description=
'pypyr pipeline runner')
parser.add_argument('pipeline_name', help=
'Name of pipeline to run. It should exist in the ./pipelines directory.'
)
parser.add_argument(dest='pipeline_context', nargs='?', help=
"String for context values. Parsed by the pipeline's context_parser function."
)
parser.add_argument('--dir', dest='working_dir', default=os.getcwd(),
help=
'Working directory. Use if your pipelines directory is elsewhere. Defaults to cwd.'
)
parser.add_argument('--log', '--loglevel', dest='log_level', type=int,
default=20, help=
"""Integer log level. Defaults to 20 (INFO). 10=DEBUG
20=INFO
30=WARNING
40=ERROR
50=CRITICAL.
Log Level < 10 gives full traceback on errors."""
)
parser.add_argument('--logpath', dest='log_path', help=
'Log-file path. Append log output to this path')
parser.add_argument('--version', action='version', help=
'Echo version number.', version=f'{pypyr.version.get_version()}')
return parser
| get_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = argparse.ArgumentParser(allow_abbrev=True, description=\n 'pypyr pipeline runner')\n parser.add_argument('pipeline_name', help=\n 'Name of pipeline to run. It should exist in the ./pipelines directory.'\n )\n parser.add_argument(dest='pipeline_context', nargs='?', help=\n \"String for context values. Parsed by the pipeline's context_parser function.\"\n )\n parser.add_argument('--dir', dest='working_dir', default=os.getcwd(),\n help=\n 'Working directory. Use if your pipelines directory is elsewhere. Defaults to cwd.'\n )\n parser.add_argument('--log', '--loglevel', dest='log_level', type=int,\n default=20, help=\n \"\"\"Integer log level. Defaults to 20 (INFO). 10=DEBUG\n20=INFO\n30=WARNING\n40=ERROR\n50=CRITICAL.\n Log Level < 10 gives full traceback on errors.\"\"\"\n )\n parser.add_argument('--logpath', dest='log_path', help=\n 'Log-file path. Append log output to this path')\n parser.add_argument('--version', action='version', help=\n 'Echo version number.', version=f'{pypyr.version.get_version()}')\n return parser\n",
"role": "user"
},
{
"content": "get_parser",
"role": "assistant"
}
] |
def x(args=None):
if args is None:
args = sys.argv[1:]
parsed_args = get_args(args)
try:
return pypyr.pipelinerunner.main(pipeline_name=parsed_args.
pipeline_name, pipeline_context_input=parsed_args.
pipeline_context, working_dir=parsed_args.working_dir,
log_level=parsed_args.log_level, log_path=parsed_args.log_path)
except KeyboardInterrupt:
sys.stdout.write('\n')
return 128 + signal.SIGINT
except Exception as e:
sys.stderr.write('\n')
sys.stderr.write(f'\x1b[91m{type(e).__name__}: {str(e)}\x1b[0;0m')
sys.stderr.write('\n')
if parsed_args.log_level < 10:
traceback.print_exc()
return 255
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args=None):\n if args is None:\n args = sys.argv[1:]\n parsed_args = get_args(args)\n try:\n return pypyr.pipelinerunner.main(pipeline_name=parsed_args.\n pipeline_name, pipeline_context_input=parsed_args.\n pipeline_context, working_dir=parsed_args.working_dir,\n log_level=parsed_args.log_level, log_path=parsed_args.log_path)\n except KeyboardInterrupt:\n sys.stdout.write('\\n')\n return 128 + signal.SIGINT\n except Exception as e:\n sys.stderr.write('\\n')\n sys.stderr.write(f'\\x1b[91m{type(e).__name__}: {str(e)}\\x1b[0;0m')\n sys.stderr.write('\\n')\n if parsed_args.log_level < 10:\n traceback.print_exc()\n return 255\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self, is_shell):
assert is_shell is not None, 'is_shell param must exist for CmdStep.'
if is_shell:
args = self.cmd_text
else:
args = shlex.split(self.cmd_text)
if self.is_save:
completed_process = subprocess.run(args, cwd=self.cwd, shell=
is_shell, stdout=subprocess.PIPE, stderr=subprocess.PIPE,
universal_newlines=True)
self.context['cmdOut'] = {'returncode': completed_process.
returncode, 'stdout': completed_process.stdout, 'stderr':
completed_process.stderr}
self.logger.info(f'stdout: {completed_process.stdout}')
if completed_process.stderr:
self.logger.error(f'stderr: {completed_process.stderr}')
completed_process.check_returncode()
else:
subprocess.run(args, shell=is_shell, check=True, cwd=self.cwd)
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, is_shell):\n assert is_shell is not None, 'is_shell param must exist for CmdStep.'\n if is_shell:\n args = self.cmd_text\n else:\n args = shlex.split(self.cmd_text)\n if self.is_save:\n completed_process = subprocess.run(args, cwd=self.cwd, shell=\n is_shell, stdout=subprocess.PIPE, stderr=subprocess.PIPE,\n universal_newlines=True)\n self.context['cmdOut'] = {'returncode': completed_process.\n returncode, 'stdout': completed_process.stdout, 'stderr':\n completed_process.stderr}\n self.logger.info(f'stdout: {completed_process.stdout}')\n if completed_process.stderr:\n self.logger.error(f'stderr: {completed_process.stderr}')\n completed_process.check_returncode()\n else:\n subprocess.run(args, shell=is_shell, check=True, cwd=self.cwd)\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
context.assert_key_has_value(key='contextClear', caller=__name__)
for k in context['contextClear']:
logger.debug(f'removing {k} from context')
context.pop(k, None)
logger.info(f'removed {k} from context')
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n context.assert_key_has_value(key='contextClear', caller=__name__)\n for k in context['contextClear']:\n logger.debug(f'removing {k} from context')\n context.pop(k, None)\n logger.info(f'removed {k} from context')\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
pypyr.steps.cmd.run_step(context)
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n pypyr.steps.cmd.run_step(context)\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
context.assert_key_has_value(key='defaults', caller=__name__)
context.set_defaults(context['defaults'])
logger.info(f"set {len(context['defaults'])} context item defaults.")
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n context.assert_key_has_value(key='defaults', caller=__name__)\n context.set_defaults(context['defaults'])\n logger.info(f\"set {len(context['defaults'])} context item defaults.\")\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(pipeline, steps_group):
logger.debug('starting')
assert pipeline
assert steps_group
logger.debug(f'retrieving {steps_group} steps from pipeline')
if steps_group in pipeline:
steps = pipeline[steps_group]
if steps is None:
logger.warn(
f"{steps_group}: sequence has no elements. So it won't do anything."
)
logger.debug('done')
return None
steps_count = len(steps)
logger.debug(
f'{steps_count} steps found under {steps_group} in pipeline definition.'
)
logger.debug('done')
return steps
else:
logger.debug(
f"pipeline doesn't have a {steps_group} collection. Add a {steps_group}: sequence to the yaml if you want {steps_group} actually to do something."
)
logger.debug('done')
return None
| get_pipeline_steps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pipeline, steps_group):\n logger.debug('starting')\n assert pipeline\n assert steps_group\n logger.debug(f'retrieving {steps_group} steps from pipeline')\n if steps_group in pipeline:\n steps = pipeline[steps_group]\n if steps is None:\n logger.warn(\n f\"{steps_group}: sequence has no elements. So it won't do anything.\"\n )\n logger.debug('done')\n return None\n steps_count = len(steps)\n logger.debug(\n f'{steps_count} steps found under {steps_group} in pipeline definition.'\n )\n logger.debug('done')\n return steps\n else:\n logger.debug(\n f\"pipeline doesn't have a {steps_group} collection. Add a {steps_group}: sequence to the yaml if you want {steps_group} actually to do something.\"\n )\n logger.debug('done')\n return None\n",
"role": "user"
},
{
"content": "get_pipeline_steps",
"role": "assistant"
}
] |
def x(pipeline, context):
logger.debug('starting')
try:
assert pipeline
run_step_group(pipeline_definition=pipeline, step_group_name=
'on_failure', context=context)
except Exception as exception:
logger.error('Failure handler also failed. Swallowing.')
logger.error(exception)
logger.debug('done')
| run_failure_step_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pipeline, context):\n logger.debug('starting')\n try:\n assert pipeline\n run_step_group(pipeline_definition=pipeline, step_group_name=\n 'on_failure', context=context)\n except Exception as exception:\n logger.error('Failure handler also failed. Swallowing.')\n logger.error(exception)\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_failure_step_group",
"role": "assistant"
}
] |
def x(steps, context):
logger.debug('starting')
assert isinstance(context, dict
), 'context must be a dictionary, even if empty {}.'
if steps is None:
logger.debug('No steps found to execute.')
else:
step_count = 0
for step in steps:
step_instance = Step(step)
step_instance.run_step(context)
step_count += 1
logger.debug(f'executed {step_count} steps')
logger.debug('done')
| run_pipeline_steps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(steps, context):\n logger.debug('starting')\n assert isinstance(context, dict\n ), 'context must be a dictionary, even if empty {}.'\n if steps is None:\n logger.debug('No steps found to execute.')\n else:\n step_count = 0\n for step in steps:\n step_instance = Step(step)\n step_instance.run_step(context)\n step_count += 1\n logger.debug(f'executed {step_count} steps')\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_pipeline_steps",
"role": "assistant"
}
] |
def x(pipeline_definition, step_group_name, context):
logger.debug(f'starting {step_group_name}')
assert step_group_name
steps = get_pipeline_steps(pipeline=pipeline_definition, steps_group=
step_group_name)
run_pipeline_steps(steps=steps, context=context)
logger.debug(f'done {step_group_name}')
| run_step_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pipeline_definition, step_group_name, context):\n logger.debug(f'starting {step_group_name}')\n assert step_group_name\n steps = get_pipeline_steps(pipeline=pipeline_definition, steps_group=\n step_group_name)\n run_pipeline_steps(steps=steps, context=context)\n logger.debug(f'done {step_group_name}')\n",
"role": "user"
},
{
"content": "run_step_group",
"role": "assistant"
}
] |
def x(path):
os.makedirs(os.path.abspath(os.path.dirname(path)), exist_ok=True)
| ensure_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n os.makedirs(os.path.abspath(os.path.dirname(path)), exist_ok=True)\n",
"role": "user"
},
{
"content": "ensure_dir",
"role": "assistant"
}
] |
def x(path):
if isinstance(path, str):
return glob.glob(path, recursive=True)
if isinstance(path, os.PathLike):
return glob.glob(str(path), recursive=True)
elif isinstance(path, (list, tuple)):
return list(chain.from_iterable(glob.glob(str(p), recursive=True) for
p in path))
else:
raise TypeError(
f"path should be string, path-like or a list. Instead, it's a {type(path)}"
)
| get_glob | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n if isinstance(path, str):\n return glob.glob(path, recursive=True)\n if isinstance(path, os.PathLike):\n return glob.glob(str(path), recursive=True)\n elif isinstance(path, (list, tuple)):\n return list(chain.from_iterable(glob.glob(str(p), recursive=True) for\n p in path))\n else:\n raise TypeError(\n f\"path should be string, path-like or a list. Instead, it's a {type(path)}\"\n )\n",
"role": "user"
},
{
"content": "get_glob",
"role": "assistant"
}
] |
def x(path1, path2):
return path1 and path2 and os.path.isfile(path1) and os.path.isfile(path2
) and os.path.samefile(path1, path2)
| is_same_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path1, path2):\n return path1 and path2 and os.path.isfile(path1) and os.path.isfile(path2\n ) and os.path.samefile(path1, path2)\n",
"role": "user"
},
{
"content": "is_same_file",
"role": "assistant"
}
] |
def x(src, dest):
try:
os.replace(src, dest)
except Exception as ex_replace:
logger.error(f'error moving file {src} to {dest}. {ex_replace}')
raise
| move_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src, dest):\n try:\n os.replace(src, dest)\n except Exception as ex_replace:\n logger.error(f'error moving file {src} to {dest}. {ex_replace}')\n raise\n",
"role": "user"
},
{
"content": "move_file",
"role": "assistant"
}
] |
def x(src, dest):
try:
move_file(src, dest)
except Exception:
try:
os.remove(src)
except Exception as ex_clean:
logger.error(f'error removing temp file {src}. {ex_clean}')
raise
| move_temp_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src, dest):\n try:\n move_file(src, dest)\n except Exception:\n try:\n os.remove(src)\n except Exception as ex_clean:\n logger.error(f'error removing temp file {src}. {ex_clean}')\n raise\n",
"role": "user"
},
{
"content": "move_temp_file",
"role": "assistant"
}
] |
def x(self, in_path, out_path=None):
in_paths = get_glob(in_path)
in_count = len(in_paths)
if in_count == 0:
logger.debug(f'in path found {in_count} paths.')
else:
logger.debug(f'in path found {in_count} paths:')
for path in in_paths:
logger.debug(f'{path}')
logger.debug('herewith ends the paths. will now process each file.')
if in_paths:
basedir_out = None
is_outfile_name_known = False
if out_path:
pathlib_out = Path(out_path)
if isinstance(out_path, str) and out_path.endswith(os.sep):
pathlib_out.mkdir(parents=True, exist_ok=True)
basedir_out = pathlib_out
elif pathlib_out.is_dir():
basedir_out = pathlib_out
else:
if len(in_paths) > 1:
raise Error(
f'{in_path} resolves to {len(in_paths)} files, but you specified only a single file as out {out_path}. If the outpath is meant to be a directory, put a / at the end.'
)
basedir_out = pathlib_out.parent
basedir_out.parent.mkdir(parents=True, exist_ok=True)
is_outfile_name_known = True
file_counter = 0
is_edit = False
for path in in_paths:
actual_in = Path(path)
if actual_in.is_file():
if basedir_out:
if is_outfile_name_known:
actual_out = pathlib_out
else:
actual_out = basedir_out.joinpath(actual_in.name)
logger.debug(f'writing {path} to {actual_out}')
self.in_to_out(in_path=actual_in, out_path=actual_out)
else:
logger.debug(f'editing {path}')
self.in_to_out(in_path=actual_in)
is_edit = True
file_counter += 1
if is_edit:
logger.info(f'edited & wrote {file_counter} file(s) at {in_path}')
else:
logger.info(
f'read {in_path}, formatted and wrote {file_counter} file(s) to {out_path}'
)
else:
logger.info(f'{in_path} found no files')
| files_in_to_out | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, in_path, out_path=None):\n in_paths = get_glob(in_path)\n in_count = len(in_paths)\n if in_count == 0:\n logger.debug(f'in path found {in_count} paths.')\n else:\n logger.debug(f'in path found {in_count} paths:')\n for path in in_paths:\n logger.debug(f'{path}')\n logger.debug('herewith ends the paths. will now process each file.')\n if in_paths:\n basedir_out = None\n is_outfile_name_known = False\n if out_path:\n pathlib_out = Path(out_path)\n if isinstance(out_path, str) and out_path.endswith(os.sep):\n pathlib_out.mkdir(parents=True, exist_ok=True)\n basedir_out = pathlib_out\n elif pathlib_out.is_dir():\n basedir_out = pathlib_out\n else:\n if len(in_paths) > 1:\n raise Error(\n f'{in_path} resolves to {len(in_paths)} files, but you specified only a single file as out {out_path}. If the outpath is meant to be a directory, put a / at the end.'\n )\n basedir_out = pathlib_out.parent\n basedir_out.parent.mkdir(parents=True, exist_ok=True)\n is_outfile_name_known = True\n file_counter = 0\n is_edit = False\n for path in in_paths:\n actual_in = Path(path)\n if actual_in.is_file():\n if basedir_out:\n if is_outfile_name_known:\n actual_out = pathlib_out\n else:\n actual_out = basedir_out.joinpath(actual_in.name)\n logger.debug(f'writing {path} to {actual_out}')\n self.in_to_out(in_path=actual_in, out_path=actual_out)\n else:\n logger.debug(f'editing {path}')\n self.in_to_out(in_path=actual_in)\n is_edit = True\n file_counter += 1\n if is_edit:\n logger.info(f'edited & wrote {file_counter} file(s) at {in_path}')\n else:\n logger.info(\n f'read {in_path}, formatted and wrote {file_counter} file(s) to {out_path}'\n )\n else:\n logger.info(f'{in_path} found no files')\n",
"role": "user"
},
{
"content": "files_in_to_out",
"role": "assistant"
}
] |
def x(self, in_path, out_path=None):
if is_same_file(in_path, out_path):
logger.debug(
'in path and out path are the same file. writing to temp file and then replacing in path with the temp file.'
)
out_path = None
logger.debug(f'opening source file: {in_path}')
with open(in_path) as infile:
obj = self.object_representer.load(infile)
if out_path:
logger.debug(f'opening destination file for writing: {out_path}')
ensure_dir(out_path)
with open(out_path, 'w') as outfile:
self.object_representer.dump(outfile, self.formatter(obj))
return
else:
logger.debug('opening temp file for writing...')
with NamedTemporaryFile(mode='w+t', dir=os.path.dirname(in_path),
delete=False) as outfile:
self.object_representer.dump(outfile, self.formatter(obj))
logger.debug(f'moving temp file to: {in_path}')
move_temp_file(outfile.name, infile.name)
| in_to_out | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, in_path, out_path=None):\n if is_same_file(in_path, out_path):\n logger.debug(\n 'in path and out path are the same file. writing to temp file and then replacing in path with the temp file.'\n )\n out_path = None\n logger.debug(f'opening source file: {in_path}')\n with open(in_path) as infile:\n obj = self.object_representer.load(infile)\n if out_path:\n logger.debug(f'opening destination file for writing: {out_path}')\n ensure_dir(out_path)\n with open(out_path, 'w') as outfile:\n self.object_representer.dump(outfile, self.formatter(obj))\n return\n else:\n logger.debug('opening temp file for writing...')\n with NamedTemporaryFile(mode='w+t', dir=os.path.dirname(in_path),\n delete=False) as outfile:\n self.object_representer.dump(outfile, self.formatter(obj))\n logger.debug(f'moving temp file to: {in_path}')\n move_temp_file(outfile.name, infile.name)\n",
"role": "user"
},
{
"content": "in_to_out",
"role": "assistant"
}
] |
def x(self, in_path, out_path=None):
is_in_place_edit = False
if is_same_file(in_path, out_path):
logger.debug(
'in path and out path are the same file. writing to temp file and then replacing in path with the temp file.'
)
out_path = None
is_in_place_edit = True
logger.debug(f'opening source file: {in_path}')
with open(in_path) as infile:
if out_path:
logger.debug(f'opening destination file for writing: {out_path}')
ensure_dir(out_path)
with open(out_path, 'w') as outfile:
outfile.writelines(self.formatter(infile))
return
else:
logger.debug('opening temp file for writing...')
with NamedTemporaryFile(mode='w+t', dir=os.path.dirname(in_path
), delete=False) as outfile:
outfile.writelines(self.formatter(infile))
is_in_place_edit = True
if is_in_place_edit:
logger.debug(f'moving temp file to: {in_path}')
move_temp_file(outfile.name, infile.name)
| in_to_out | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, in_path, out_path=None):\n is_in_place_edit = False\n if is_same_file(in_path, out_path):\n logger.debug(\n 'in path and out path are the same file. writing to temp file and then replacing in path with the temp file.'\n )\n out_path = None\n is_in_place_edit = True\n logger.debug(f'opening source file: {in_path}')\n with open(in_path) as infile:\n if out_path:\n logger.debug(f'opening destination file for writing: {out_path}')\n ensure_dir(out_path)\n with open(out_path, 'w') as outfile:\n outfile.writelines(self.formatter(infile))\n return\n else:\n logger.debug('opening temp file for writing...')\n with NamedTemporaryFile(mode='w+t', dir=os.path.dirname(in_path\n ), delete=False) as outfile:\n outfile.writelines(self.formatter(infile))\n is_in_place_edit = True\n if is_in_place_edit:\n logger.debug(f'moving temp file to: {in_path}')\n move_temp_file(outfile.name, infile.name)\n",
"role": "user"
},
{
"content": "in_to_out",
"role": "assistant"
}
] |
def x(self, file, payload):
json.dump(payload, file, indent=2, ensure_ascii=False)
| dump | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file, payload):\n json.dump(payload, file, indent=2, ensure_ascii=False)\n",
"role": "user"
},
{
"content": "dump",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
deprecated(context)
StreamReplacePairsRewriterStep(__name__, 'fileReplace', context).run_step()
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n deprecated(context)\n StreamReplacePairsRewriterStep(__name__, 'fileReplace', context).run_step()\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
deprecated(context)
ObjectRewriterStep(__name__, 'fileFormatJson', context).run_step(
JsonRepresenter())
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n deprecated(context)\n ObjectRewriterStep(__name__, 'fileFormatJson', context).run_step(\n JsonRepresenter())\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(log_level, handlers):
logging.basicConfig(format=
'%(asctime)s %(levelname)s:%(name)s:%(funcName)s: %(message)s',
datefmt='%Y-%m-%d %H:%M:%S', level=log_level, handlers=handlers)
| set_logging_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(log_level, handlers):\n logging.basicConfig(format=\n '%(asctime)s %(levelname)s:%(name)s:%(funcName)s: %(message)s',\n datefmt='%Y-%m-%d %H:%M:%S', level=log_level, handlers=handlers)\n",
"role": "user"
},
{
"content": "set_logging_config",
"role": "assistant"
}
] |
def x(root_log_level, log_path=None):
handlers = []
console_handler = logging.StreamHandler()
handlers.append(console_handler)
if log_path:
file_handler = logging.FileHandler(log_path)
handlers.append(file_handler)
set_logging_config(root_log_level, handlers=handlers)
root_logger = logging.getLogger('pypyr')
root_logger.debug(
f'Root logger {root_logger.name} configured with level {root_log_level}'
)
| set_root_logger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root_log_level, log_path=None):\n handlers = []\n console_handler = logging.StreamHandler()\n handlers.append(console_handler)\n if log_path:\n file_handler = logging.FileHandler(log_path)\n handlers.append(file_handler)\n set_logging_config(root_log_level, handlers=handlers)\n root_logger = logging.getLogger('pypyr')\n root_logger.debug(\n f'Root logger {root_logger.name} configured with level {root_log_level}'\n )\n",
"role": "user"
},
{
"content": "set_root_logger",
"role": "assistant"
}
] |
def x(context_arg):
if not context_arg:
logger.debug(
'pipeline invoked without context arg set. For this json parser you\'re looking for something like: pypyr pipelinename \'{"key1":"value1","key2":"value2"}\''
)
return None
logger.debug('starting')
return json.loads(context_arg)
| get_parsed_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context_arg):\n if not context_arg:\n logger.debug(\n 'pipeline invoked without context arg set. For this json parser you\\'re looking for something like: pypyr pipelinename \\'{\"key1\":\"value1\",\"key2\":\"value2\"}\\''\n )\n return None\n logger.debug('starting')\n return json.loads(context_arg)\n",
"role": "user"
},
{
"content": "get_parsed_context",
"role": "assistant"
}
] |
def x(pipeline, context_in_string):
logger.debug('starting')
if 'context_parser' in pipeline:
parser_module_name = pipeline['context_parser']
logger.debug(f'context parser found: {parser_module_name}')
parser_module = pypyr.moduleloader.get_module(parser_module_name)
try:
logger.debug(f'running parser {parser_module_name}')
result_context = parser_module.get_parsed_context(context_in_string
)
logger.debug(f'step {parser_module_name} done')
if result_context is None:
logger.debug(
f'{parser_module_name} returned None. Using empty context instead'
)
return pypyr.context.Context()
else:
return pypyr.context.Context(result_context)
except AttributeError:
logger.error(
f"The parser {parser_module_name} doesn't have a get_parsed_context(context) function."
)
raise
else:
logger.debug(
'pipeline does not have custom context parser. Using empty context.'
)
logger.debug('done')
return pypyr.context.Context()
| get_parsed_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pipeline, context_in_string):\n logger.debug('starting')\n if 'context_parser' in pipeline:\n parser_module_name = pipeline['context_parser']\n logger.debug(f'context parser found: {parser_module_name}')\n parser_module = pypyr.moduleloader.get_module(parser_module_name)\n try:\n logger.debug(f'running parser {parser_module_name}')\n result_context = parser_module.get_parsed_context(context_in_string\n )\n logger.debug(f'step {parser_module_name} done')\n if result_context is None:\n logger.debug(\n f'{parser_module_name} returned None. Using empty context instead'\n )\n return pypyr.context.Context()\n else:\n return pypyr.context.Context(result_context)\n except AttributeError:\n logger.error(\n f\"The parser {parser_module_name} doesn't have a get_parsed_context(context) function.\"\n )\n raise\n else:\n logger.debug(\n 'pipeline does not have custom context parser. Using empty context.'\n )\n logger.debug('done')\n return pypyr.context.Context()\n",
"role": "user"
},
{
"content": "get_parsed_context",
"role": "assistant"
}
] |
def x(pipeline_name, pipeline_context_input, working_dir, log_level, log_path):
pypyr.log.logger.set_root_logger(log_level, log_path)
logger.debug('starting pypyr')
pypyr.moduleloader.set_working_directory(working_dir)
load_and_run_pipeline(pipeline_name=pipeline_name,
pipeline_context_input=pipeline_context_input, working_dir=working_dir)
logger.debug('pypyr done')
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pipeline_name, pipeline_context_input, working_dir, log_level, log_path):\n pypyr.log.logger.set_root_logger(log_level, log_path)\n logger.debug('starting pypyr')\n pypyr.moduleloader.set_working_directory(working_dir)\n load_and_run_pipeline(pipeline_name=pipeline_name,\n pipeline_context_input=pipeline_context_input, working_dir=working_dir)\n logger.debug('pypyr done')\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(pipeline, context_in_string, context):
logger.debug('starting')
parsed_context = get_parsed_context(pipeline=pipeline,
context_in_string=context_in_string)
context.update(parsed_context)
logger.debug('done')
| prepare_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pipeline, context_in_string, context):\n logger.debug('starting')\n parsed_context = get_parsed_context(pipeline=pipeline,\n context_in_string=context_in_string)\n context.update(parsed_context)\n logger.debug('done')\n",
"role": "user"
},
{
"content": "prepare_context",
"role": "assistant"
}
] |
def x(pipeline_name, pipeline_context_input=None, working_dir=None, context
=None, parse_input=True, loader=None):
logger.debug(f'you asked to run pipeline: {pipeline_name}')
if loader:
logger.debug(f'you set the pype loader to: {loader}')
else:
loader = 'pypyr.pypeloaders.fileloader'
logger.debug(f'use default pype loader: {loader}')
logger.debug(f'you set the initial context to: {pipeline_context_input}')
if context is None:
context = pypyr.context.Context()
context.working_dir = working_dir
else:
working_dir = context.working_dir
loader_module = pypyr.moduleloader.get_module(loader)
try:
get_pipeline_definition = getattr(loader_module,
'get_pipeline_definition')
except AttributeError:
logger.error(
f"The pipeline loader {loader_module} doesn't have a get_pipeline_definition(pipeline_name, working_dir) function."
)
raise
logger.debug(f'loading the pipeline definition with {loader_module}')
pipeline_definition = get_pipeline_definition(pipeline_name=
pipeline_name, working_dir=working_dir)
logger.debug(f'{loader_module} done')
run_pipeline(pipeline=pipeline_definition, pipeline_context_input=
pipeline_context_input, context=context, parse_input=parse_input)
| load_and_run_pipeline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pipeline_name, pipeline_context_input=None, working_dir=None, context\n =None, parse_input=True, loader=None):\n logger.debug(f'you asked to run pipeline: {pipeline_name}')\n if loader:\n logger.debug(f'you set the pype loader to: {loader}')\n else:\n loader = 'pypyr.pypeloaders.fileloader'\n logger.debug(f'use default pype loader: {loader}')\n logger.debug(f'you set the initial context to: {pipeline_context_input}')\n if context is None:\n context = pypyr.context.Context()\n context.working_dir = working_dir\n else:\n working_dir = context.working_dir\n loader_module = pypyr.moduleloader.get_module(loader)\n try:\n get_pipeline_definition = getattr(loader_module,\n 'get_pipeline_definition')\n except AttributeError:\n logger.error(\n f\"The pipeline loader {loader_module} doesn't have a get_pipeline_definition(pipeline_name, working_dir) function.\"\n )\n raise\n logger.debug(f'loading the pipeline definition with {loader_module}')\n pipeline_definition = get_pipeline_definition(pipeline_name=\n pipeline_name, working_dir=working_dir)\n logger.debug(f'{loader_module} done')\n run_pipeline(pipeline=pipeline_definition, pipeline_context_input=\n pipeline_context_input, context=context, parse_input=parse_input)\n",
"role": "user"
},
{
"content": "load_and_run_pipeline",
"role": "assistant"
}
] |
def x(pipeline, context, pipeline_context_input=None, parse_input=True):
logger.debug('starting')
try:
if parse_input:
logger.debug('executing context_parser')
prepare_context(pipeline=pipeline, context_in_string=
pipeline_context_input, context=context)
else:
logger.debug('skipping context_parser')
pypyr.stepsrunner.run_step_group(pipeline_definition=pipeline,
step_group_name='steps', context=context)
logger.debug('pipeline steps complete. Running on_success steps now.')
pypyr.stepsrunner.run_step_group(pipeline_definition=pipeline,
step_group_name='on_success', context=context)
except Exception:
logger.error('Something went wrong. Will now try to run on_failure.')
pypyr.stepsrunner.run_failure_step_group(pipeline=pipeline, context
=context)
logger.debug('Raising original exception to caller.')
raise
logger.debug('done')
| run_pipeline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pipeline, context, pipeline_context_input=None, parse_input=True):\n logger.debug('starting')\n try:\n if parse_input:\n logger.debug('executing context_parser')\n prepare_context(pipeline=pipeline, context_in_string=\n pipeline_context_input, context=context)\n else:\n logger.debug('skipping context_parser')\n pypyr.stepsrunner.run_step_group(pipeline_definition=pipeline,\n step_group_name='steps', context=context)\n logger.debug('pipeline steps complete. Running on_success steps now.')\n pypyr.stepsrunner.run_step_group(pipeline_definition=pipeline,\n step_group_name='on_success', context=context)\n except Exception:\n logger.error('Something went wrong. Will now try to run on_failure.')\n pypyr.stepsrunner.run_failure_step_group(pipeline=pipeline, context\n =context)\n logger.debug('Raising original exception to caller.')\n raise\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_pipeline",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
context.assert_child_key_has_value('fileWriteYaml', 'path', __name__)
out_path = context.get_formatted_string(context['fileWriteYaml']['path'])
is_payload_specified = 'payload' in context['fileWriteYaml']
yaml_writer = pypyr.yaml.get_yaml_parser_roundtrip_for_context()
logger.debug(f'opening destination file for writing: {out_path}')
os.makedirs(os.path.abspath(os.path.dirname(out_path)), exist_ok=True)
with open(out_path, 'w') as outfile:
if is_payload_specified:
payload = context['fileWriteYaml']['payload']
formatted_iterable = context.get_formatted_iterable(payload)
else:
formatted_iterable = context.get_formatted_iterable(context)
yaml_writer.dump(formatted_iterable, outfile)
logger.info(f'formatted context content and wrote to {out_path}')
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n context.assert_child_key_has_value('fileWriteYaml', 'path', __name__)\n out_path = context.get_formatted_string(context['fileWriteYaml']['path'])\n is_payload_specified = 'payload' in context['fileWriteYaml']\n yaml_writer = pypyr.yaml.get_yaml_parser_roundtrip_for_context()\n logger.debug(f'opening destination file for writing: {out_path}')\n os.makedirs(os.path.abspath(os.path.dirname(out_path)), exist_ok=True)\n with open(out_path, 'w') as outfile:\n if is_payload_specified:\n payload = context['fileWriteYaml']['payload']\n formatted_iterable = context.get_formatted_iterable(payload)\n else:\n formatted_iterable = context.get_formatted_iterable(context)\n yaml_writer.dump(formatted_iterable, outfile)\n logger.info(f'formatted context content and wrote to {out_path}')\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
debug = context.get('debug', None)
if debug:
keys = debug.get('keys', None)
format = debug.get('format', False)
if keys:
logger.debug(f'Writing to output: {keys}')
if isinstance(keys, str):
payload = {keys: context[keys]}
else:
payload = {k: context[k] for k in keys}
else:
logger.debug('No keys specified. Writing entire context to output.'
)
payload = context
if format:
payload = context.get_formatted_iterable(payload)
else:
payload = context
logger.info(f'\n{json.dumps(payload, indent=2, ensure_ascii=False)}')
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n debug = context.get('debug', None)\n if debug:\n keys = debug.get('keys', None)\n format = debug.get('format', False)\n if keys:\n logger.debug(f'Writing to output: {keys}')\n if isinstance(keys, str):\n payload = {keys: context[keys]}\n else:\n payload = {k: context[k] for k in keys}\n else:\n logger.debug('No keys specified. Writing entire context to output.'\n )\n payload = context\n if format:\n payload = context.get_formatted_iterable(payload)\n else:\n payload = context\n logger.info(f'\\n{json.dumps(payload, indent=2, ensure_ascii=False)}')\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
assert context, "context must be set for echo. Did you set 'echoMe=text here'?"
context.assert_key_exists('echoMe', __name__)
if isinstance(context['echoMe'], str):
val = context.get_formatted('echoMe')
else:
val = context['echoMe']
logger.info(val)
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n assert context, \"context must be set for echo. Did you set 'echoMe=text here'?\"\n context.assert_key_exists('echoMe', __name__)\n if isinstance(context['echoMe'], str):\n val = context.get_formatted('echoMe')\n else:\n val = context['echoMe']\n logger.info(val)\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(error):
error_type = type(error)
if error_type.__module__ in ['__main__', 'builtins']:
return error_type.__name__
else:
return f'{error_type.__module__}.{error_type.__name__}'
| get_error_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(error):\n error_type = type(error)\n if error_type.__module__ in ['__main__', 'builtins']:\n return error_type.__name__\n else:\n return f'{error_type.__module__}.{error_type.__name__}'\n",
"role": "user"
},
{
"content": "get_error_name",
"role": "assistant"
}
] |
def x(module_abs_import):
logger.debug('starting')
logger.debug(f'loading module {module_abs_import}')
try:
imported_module = importlib.import_module(module_abs_import)
logger.debug('done')
return imported_module
except ModuleNotFoundError as err:
msg = (
f"The module doesn't exist. Looking for a file like this: {module_abs_import}"
)
extended_msg = f"""{module_abs_import}.py should be in your working dir or it should be installed to the python path.
If you have 'package.sub.mod' your current working dir should contain ./package/sub/mod.py
If you specified 'mymodulename', your current working dir should contain ./mymodulename.py
If the module is not in your current working dir, it must exist in your current python path - so you should have run pip install or setup.py"""
logger.error(msg)
raise PyModuleNotFoundError(extended_msg) from err
| get_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(module_abs_import):\n logger.debug('starting')\n logger.debug(f'loading module {module_abs_import}')\n try:\n imported_module = importlib.import_module(module_abs_import)\n logger.debug('done')\n return imported_module\n except ModuleNotFoundError as err:\n msg = (\n f\"The module doesn't exist. Looking for a file like this: {module_abs_import}\"\n )\n extended_msg = f\"\"\"{module_abs_import}.py should be in your working dir or it should be installed to the python path.\nIf you have 'package.sub.mod' your current working dir should contain ./package/sub/mod.py\nIf you specified 'mymodulename', your current working dir should contain ./mymodulename.py\nIf the module is not in your current working dir, it must exist in your current python path - so you should have run pip install or setup.py\"\"\"\n logger.error(msg)\n raise PyModuleNotFoundError(extended_msg) from err\n",
"role": "user"
},
{
"content": "get_module",
"role": "assistant"
}
] |
def x(working_directory):
logger.debug('starting')
logger.debug(f'adding {working_directory} to sys.paths')
sys.path.append(working_directory)
logger.debug('done')
| set_working_directory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(working_directory):\n logger.debug('starting')\n logger.debug(f'adding {working_directory} to sys.paths')\n sys.path.append(working_directory)\n logger.debug('done')\n",
"role": "user"
},
{
"content": "set_working_directory",
"role": "assistant"
}
] |
def x(self, parent, child, caller):
assert parent, 'parent parameter must be specified.'
assert child, 'child parameter must be specified.'
self.assert_key_has_value(parent, caller)
try:
child_exists = child in self[parent]
except TypeError as err:
raise ContextError(
f"context['{parent}'] must be iterable and contain '{child}' for {caller}. {err}"
) from err
if child_exists:
if self[parent][child] is None:
raise KeyInContextHasNoValueError(
f"context['{parent}']['{child}'] must have a value for {caller}."
)
else:
raise KeyNotInContextError(
f"context['{parent}']['{child}'] doesn't exist. It must exist for {caller}."
)
| assert_child_key_has_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent, child, caller):\n assert parent, 'parent parameter must be specified.'\n assert child, 'child parameter must be specified.'\n self.assert_key_has_value(parent, caller)\n try:\n child_exists = child in self[parent]\n except TypeError as err:\n raise ContextError(\n f\"context['{parent}'] must be iterable and contain '{child}' for {caller}. {err}\"\n ) from err\n if child_exists:\n if self[parent][child] is None:\n raise KeyInContextHasNoValueError(\n f\"context['{parent}']['{child}'] must have a value for {caller}.\"\n )\n else:\n raise KeyNotInContextError(\n f\"context['{parent}']['{child}'] doesn't exist. It must exist for {caller}.\"\n )\n",
"role": "user"
},
{
"content": "assert_child_key_has_value",
"role": "assistant"
}
] |
def x(self, key, caller):
assert key, 'key parameter must be specified.'
self.assert_key_exists(key, caller)
if self[key] is None:
raise KeyInContextHasNoValueError(
f"context['{key}'] must have a value for {caller}.")
| assert_key_has_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, caller):\n assert key, 'key parameter must be specified.'\n self.assert_key_exists(key, caller)\n if self[key] is None:\n raise KeyInContextHasNoValueError(\n f\"context['{key}'] must have a value for {caller}.\")\n",
"role": "user"
},
{
"content": "assert_key_has_value",
"role": "assistant"
}
] |
def x(self, context_item, caller, extra_error_text=''):
assert context_item, 'context_item parameter must be specified.'
if extra_error_text is None or extra_error_text == '':
append_error_text = ''
else:
append_error_text = f' {extra_error_text}'
if not context_item.key_in_context:
raise KeyNotInContextError(
f"{caller} couldn't find {context_item.key} in context.{append_error_text}"
)
if not context_item.has_value:
raise KeyInContextHasNoValueError(
f"{caller} found {context_item.key} in context but it doesn't have a value.{append_error_text}"
)
if not context_item.is_expected_type:
raise KeyInContextHasNoValueError(
f"{caller} found {context_item.key} in context, but it's not a {context_item.expected_type}.{append_error_text}"
)
| assert_key_type_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context_item, caller, extra_error_text=''):\n assert context_item, 'context_item parameter must be specified.'\n if extra_error_text is None or extra_error_text == '':\n append_error_text = ''\n else:\n append_error_text = f' {extra_error_text}'\n if not context_item.key_in_context:\n raise KeyNotInContextError(\n f\"{caller} couldn't find {context_item.key} in context.{append_error_text}\"\n )\n if not context_item.has_value:\n raise KeyInContextHasNoValueError(\n f\"{caller} found {context_item.key} in context but it doesn't have a value.{append_error_text}\"\n )\n if not context_item.is_expected_type:\n raise KeyInContextHasNoValueError(\n f\"{caller} found {context_item.key} in context, but it's not a {context_item.expected_type}.{append_error_text}\"\n )\n",
"role": "user"
},
{
"content": "assert_key_type_value",
"role": "assistant"
}
] |
def x(self, caller, *keys):
assert keys, '*keys parameter must be specified.'
for key in keys:
self.assert_key_exists(key, caller)
| assert_keys_exist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, caller, *keys):\n assert keys, '*keys parameter must be specified.'\n for key in keys:\n self.assert_key_exists(key, caller)\n",
"role": "user"
},
{
"content": "assert_keys_exist",
"role": "assistant"
}
] |
def x(self, caller, *keys):
for key in keys:
self.assert_key_has_value(key, caller)
| assert_keys_have_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, caller, *keys):\n for key in keys:\n self.assert_key_has_value(key, caller)\n",
"role": "user"
},
{
"content": "assert_keys_have_values",
"role": "assistant"
}
] |
def x(self, caller, extra_error_text, *context_items):
assert context_items, 'context_items parameter must be specified.'
for context_item in context_items:
self.assert_key_type_value(context_item, caller, extra_error_text)
| assert_keys_type_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, caller, extra_error_text, *context_items):\n assert context_items, 'context_items parameter must be specified.'\n for context_item in context_items:\n self.assert_key_type_value(context_item, caller, extra_error_text)\n",
"role": "user"
},
{
"content": "assert_keys_type_value",
"role": "assistant"
}
] |
def x(self, key):
val = self[key]
if isinstance(val, str):
try:
return self.get_processed_string(val)
except KeyNotInContextError as err:
raise KeyNotInContextError(
f"Unable to format '{val}' at context['{key}'], because {err}"
) from err
elif isinstance(val, SpecialTagDirective):
return val.get_value(self)
else:
return self.get_formatted_iterable(val)
| get_formatted | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n val = self[key]\n if isinstance(val, str):\n try:\n return self.get_processed_string(val)\n except KeyNotInContextError as err:\n raise KeyNotInContextError(\n f\"Unable to format '{val}' at context['{key}'], because {err}\"\n ) from err\n elif isinstance(val, SpecialTagDirective):\n return val.get_value(self)\n else:\n return self.get_formatted_iterable(val)\n",
"role": "user"
},
{
"content": "get_formatted",
"role": "assistant"
}
] |
def x(self, obj, memo=None):
if memo is None:
memo = {}
obj_id = id(obj)
already_done = memo.get(obj_id, None)
if already_done is not None:
return already_done
if isinstance(obj, str):
new = self.get_formatted_string(obj)
elif isinstance(obj, SpecialTagDirective):
new = obj.get_value(self)
elif isinstance(obj, (bytes, bytearray)):
new = obj
elif isinstance(obj, Mapping):
new = obj.__class__()
for k, v in obj.items():
new[self.get_formatted_string(k)] = self.get_formatted_iterable(v,
memo)
elif isinstance(obj, (Sequence, Set)):
new = obj.__class__(self.get_formatted_iterable(v, memo) for v in obj)
else:
return obj
if new is not obj:
memo[obj_id] = new
return new
| get_formatted_iterable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, memo=None):\n if memo is None:\n memo = {}\n obj_id = id(obj)\n already_done = memo.get(obj_id, None)\n if already_done is not None:\n return already_done\n if isinstance(obj, str):\n new = self.get_formatted_string(obj)\n elif isinstance(obj, SpecialTagDirective):\n new = obj.get_value(self)\n elif isinstance(obj, (bytes, bytearray)):\n new = obj\n elif isinstance(obj, Mapping):\n new = obj.__class__()\n for k, v in obj.items():\n new[self.get_formatted_string(k)] = self.get_formatted_iterable(v,\n memo)\n elif isinstance(obj, (Sequence, Set)):\n new = obj.__class__(self.get_formatted_iterable(v, memo) for v in obj)\n else:\n return obj\n if new is not obj:\n memo[obj_id] = new\n return new\n",
"role": "user"
},
{
"content": "get_formatted_iterable",
"role": "assistant"
}
] |
def x(self, input_string):
if isinstance(input_string, str):
try:
return self.get_processed_string(input_string)
except KeyNotInContextError as err:
raise KeyNotInContextError(
f"Unable to format '{input_string}' because {err}") from err
elif isinstance(input_string, SpecialTagDirective):
return input_string.get_value(self)
else:
raise TypeError(
f'can only format on strings. {input_string} is a {type(input_string)} instead.'
)
| get_formatted_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input_string):\n if isinstance(input_string, str):\n try:\n return self.get_processed_string(input_string)\n except KeyNotInContextError as err:\n raise KeyNotInContextError(\n f\"Unable to format '{input_string}' because {err}\") from err\n elif isinstance(input_string, SpecialTagDirective):\n return input_string.get_value(self)\n else:\n raise TypeError(\n f'can only format on strings. {input_string} is a {type(input_string)} instead.'\n )\n",
"role": "user"
},
{
"content": "get_formatted_string",
"role": "assistant"
}
] |
def x(self, value, default=None, out_type=str):
if value is None:
value = default
if isinstance(value, SpecialTagDirective):
result = value.get_value(self)
return types.cast_to_type(result, out_type)
if isinstance(value, str):
result = self.get_formatted_string(value)
result_type = type(result)
if out_type is result_type:
return result
elif out_type is bool and result_type is str:
return result.lower() in ['true', '1', '1.0']
else:
return out_type(result)
else:
return out_type(value)
| get_formatted_as_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, default=None, out_type=str):\n if value is None:\n value = default\n if isinstance(value, SpecialTagDirective):\n result = value.get_value(self)\n return types.cast_to_type(result, out_type)\n if isinstance(value, str):\n result = self.get_formatted_string(value)\n result_type = type(result)\n if out_type is result_type:\n return result\n elif out_type is bool and result_type is str:\n return result.lower() in ['true', '1', '1.0']\n else:\n return out_type(result)\n else:\n return out_type(value)\n",
"role": "user"
},
{
"content": "get_formatted_as_type",
"role": "assistant"
}
] |
def x(self, input_string):
if isinstance(input_string, SpecialTagDirective):
return input_string.get_value(self)
else:
out = None
is_out_set = False
expr_count = 0
for expression in formatter.parse(input_string):
if not expression[0] and expression[1] and not expr_count:
out = formatter.get_field(expression[1], None, self)[0]
is_out_set = True
expr_count += 1
if expr_count > 1:
break
if is_out_set and expr_count == 1:
return self.get_formatted_iterable(out)
else:
return input_string.format_map(self)
| get_processed_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input_string):\n if isinstance(input_string, SpecialTagDirective):\n return input_string.get_value(self)\n else:\n out = None\n is_out_set = False\n expr_count = 0\n for expression in formatter.parse(input_string):\n if not expression[0] and expression[1] and not expr_count:\n out = formatter.get_field(expression[1], None, self)[0]\n is_out_set = True\n expr_count += 1\n if expr_count > 1:\n break\n if is_out_set and expr_count == 1:\n return self.get_formatted_iterable(out)\n else:\n return input_string.format_map(self)\n",
"role": "user"
},
{
"content": "get_processed_string",
"role": "assistant"
}
] |
def x(self, *keys):
keys_exist = [(key, key in self.keys(), expected_type) for key,
expected_type in keys]
return tuple(ContextItemInfo(key=k[0], key_in_context=k[1],
expected_type=k[2], is_expected_type=isinstance(self[k[0]], k[2]) if
k[1] else None, has_value=k[1] and not self[k[0]] is None) for k in
keys_exist)
| keys_of_type_exist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *keys):\n keys_exist = [(key, key in self.keys(), expected_type) for key,\n expected_type in keys]\n return tuple(ContextItemInfo(key=k[0], key_in_context=k[1],\n expected_type=k[2], is_expected_type=isinstance(self[k[0]], k[2]) if\n k[1] else None, has_value=k[1] and not self[k[0]] is None) for k in\n keys_exist)\n",
"role": "user"
},
{
"content": "keys_of_type_exist",
"role": "assistant"
}
] |
def x(self, add_me):
def x(current, add_me):
for k, v in add_me.items():
k = self.get_formatted_string(k)
if isinstance(v, str):
current[k] = self.get_formatted_string(v)
elif isinstance(v, (bytes, bytearray)):
current[k] = v
elif k in current:
if types.are_all_this_type(Mapping, current[k], v):
merge_recurse(current[k], v)
elif types.are_all_this_type(list, current[k], v):
current[k].extend(self.get_formatted_iterable(v))
elif types.are_all_this_type(tuple, current[k], v):
current[k] = current[k] + self.get_formatted_iterable(v)
elif types.are_all_this_type(Set, current[k], v):
current[k] = current[k] | self.get_formatted_iterable(v)
else:
current[k] = v
else:
current[k] = self.get_formatted_iterable(v)
merge_recurse(self, add_me)
| merge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, add_me):\n\n def x(current, add_me):\n for k, v in add_me.items():\n k = self.get_formatted_string(k)\n if isinstance(v, str):\n current[k] = self.get_formatted_string(v)\n elif isinstance(v, (bytes, bytearray)):\n current[k] = v\n elif k in current:\n if types.are_all_this_type(Mapping, current[k], v):\n merge_recurse(current[k], v)\n elif types.are_all_this_type(list, current[k], v):\n current[k].extend(self.get_formatted_iterable(v))\n elif types.are_all_this_type(tuple, current[k], v):\n current[k] = current[k] + self.get_formatted_iterable(v)\n elif types.are_all_this_type(Set, current[k], v):\n current[k] = current[k] | self.get_formatted_iterable(v)\n else:\n current[k] = v\n else:\n current[k] = self.get_formatted_iterable(v)\n merge_recurse(self, add_me)\n",
"role": "user"
},
{
"content": "merge",
"role": "assistant"
}
] |
def x(self, defaults):
def x(current, defaults):
for k, v in defaults.items():
k = self.get_formatted_string(k)
if k in current:
if types.are_all_this_type(Mapping, current[k], v):
defaults_recurse(current[k], v)
else:
current[k] = self.get_formatted_iterable(v)
defaults_recurse(self, defaults)
| set_defaults | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, defaults):\n\n def x(current, defaults):\n for k, v in defaults.items():\n k = self.get_formatted_string(k)\n if k in current:\n if types.are_all_this_type(Mapping, current[k], v):\n defaults_recurse(current[k], v)\n else:\n current[k] = self.get_formatted_iterable(v)\n defaults_recurse(self, defaults)\n",
"role": "user"
},
{
"content": "set_defaults",
"role": "assistant"
}
] |
def x(self, rewriter):
assert rewriter, 'FileRewriter instance required to run FileInRewriterStep.'
rewriter.files_in_to_out(in_path=self.path_in, out_path=self.path_out)
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rewriter):\n assert rewriter, 'FileRewriter instance required to run FileInRewriterStep.'\n rewriter.files_in_to_out(in_path=self.path_in, out_path=self.path_out)\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(self, representer):
assert representer, 'ObjectRepresenter instance required to run ObjectRewriterStep.'
rewriter = ObjectRewriter(self.context.get_formatted_iterable, representer)
super().run_step(rewriter)
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, representer):\n assert representer, 'ObjectRepresenter instance required to run ObjectRewriterStep.'\n rewriter = ObjectRewriter(self.context.get_formatted_iterable, representer)\n super().run_step(rewriter)\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(self):
rewriter = StreamRewriter(self.context.iter_formatted_strings)
super().run_step(rewriter)
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rewriter = StreamRewriter(self.context.iter_formatted_strings)\n super().run_step(rewriter)\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(self):
formatted_replacements = self.context.get_formatted_iterable(self.
replace_pairs)
iter = StreamReplacePairsRewriterStep.iter_replace_strings(
formatted_replacements)
rewriter = StreamRewriter(iter)
super().run_step(rewriter)
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n formatted_replacements = self.context.get_formatted_iterable(self.\n replace_pairs)\n iter = StreamReplacePairsRewriterStep.iter_replace_strings(\n formatted_replacements)\n rewriter = StreamRewriter(iter)\n super().run_step(rewriter)\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.