source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, new_inputs, strip_prefix=True):
if strip_prefix and self.input_name_prefix is not None:
for i in new_inputs:
if i.startswith(self.input_name_prefix):
self.inputs[i[len(self.input_name_prefix):]] = new_inputs[i]
else:
self.inputs.update(new_inputs)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_inputs, strip_prefix=True):\n if strip_prefix and self.input_name_prefix is not None:\n for i in new_inputs:\n if i.startswith(self.input_name_prefix):\n self.inputs[i[len(self.input_name_prefix):]] = new_inputs[i]\n else:\n self.inputs.update(new_inputs)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self):
input_paths = [quad[1] for quad in self.requires_resolution]
results = resolve_multiple_existing_paths(input_paths)
for input_name, input_value, input_class, input_index in self.requires_resolution:
project = results[input_value]['project']
folderpath = results[input_value]['folder']
entity_result = results[input_value]['name']
if input_class is None:
if entity_result is not None:
if isinstance(entity_result, basestring):
assert is_job_id(entity_result) or is_analysis_id(
entity_result)
input_value = entity_result
elif is_hashid(input_value):
input_value = {'$dnanexus_link': entity_result['id']}
elif 'describe' in entity_result:
input_value = {'$dnanexus_link': {'project':
entity_result['describe']['project'], 'id':
entity_result['id']}}
else:
input_value = {'$dnanexus_link': {'project':
entity_result['project'], 'id': entity_result['id']}}
if input_index >= 0:
if self.inputs[input_name][input_index] is not None:
raise AssertionError(
"Expected 'self.inputs' to have saved a spot for 'input_value'."
)
self.inputs[input_name][input_index] = input_value
else:
if self.inputs[input_name] is not None:
raise AssertionError(
"Expected 'self.inputs' to have saved a spot for 'input_value'."
)
self.inputs[input_name] = input_value
else:
msg = ('Value provided for input field "' + input_name +
'" could not be parsed as ' + input_class + ': ')
if input_value == '':
raise DXCLIError(msg + 'empty string cannot be resolved')
if entity_result is None:
raise DXCLIError(msg + 'could not resolve "' + input_value +
'" to a name or ID')
try:
dxpy.bindings.verify_string_dxid(entity_result['id'],
input_class)
except DXError as details:
raise DXCLIError(msg + str(details))
if is_hashid(input_value):
input_value = {'$dnanexus_link': entity_result['id']}
elif 'describe' in entity_result:
input_value = {'$dnanexus_link': {'project': entity_result[
'describe']['project'], 'id': entity_result['id']}}
else:
input_value = {'$dnanexus_link': {'project': entity_result[
'project'], 'id': entity_result['id']}}
if input_index != -1:
self.inputs[input_name].append(input_value)
else:
self.inputs[input_name] = input_value
|
update_requires_resolution_inputs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n input_paths = [quad[1] for quad in self.requires_resolution]\n results = resolve_multiple_existing_paths(input_paths)\n for input_name, input_value, input_class, input_index in self.requires_resolution:\n project = results[input_value]['project']\n folderpath = results[input_value]['folder']\n entity_result = results[input_value]['name']\n if input_class is None:\n if entity_result is not None:\n if isinstance(entity_result, basestring):\n assert is_job_id(entity_result) or is_analysis_id(\n entity_result)\n input_value = entity_result\n elif is_hashid(input_value):\n input_value = {'$dnanexus_link': entity_result['id']}\n elif 'describe' in entity_result:\n input_value = {'$dnanexus_link': {'project':\n entity_result['describe']['project'], 'id':\n entity_result['id']}}\n else:\n input_value = {'$dnanexus_link': {'project':\n entity_result['project'], 'id': entity_result['id']}}\n if input_index >= 0:\n if self.inputs[input_name][input_index] is not None:\n raise AssertionError(\n \"Expected 'self.inputs' to have saved a spot for 'input_value'.\"\n )\n self.inputs[input_name][input_index] = input_value\n else:\n if self.inputs[input_name] is not None:\n raise AssertionError(\n \"Expected 'self.inputs' to have saved a spot for 'input_value'.\"\n )\n self.inputs[input_name] = input_value\n else:\n msg = ('Value provided for input field \"' + input_name +\n '\" could not be parsed as ' + input_class + ': ')\n if input_value == '':\n raise DXCLIError(msg + 'empty string cannot be resolved')\n if entity_result is None:\n raise DXCLIError(msg + 'could not resolve \"' + input_value +\n '\" to a name or ID')\n try:\n dxpy.bindings.verify_string_dxid(entity_result['id'],\n input_class)\n except DXError as details:\n raise DXCLIError(msg + str(details))\n if is_hashid(input_value):\n input_value = {'$dnanexus_link': entity_result['id']}\n elif 'describe' in entity_result:\n input_value = {'$dnanexus_link': {'project': entity_result[\n 'describe']['project'], 'id': entity_result['id']}}\n else:\n input_value = {'$dnanexus_link': {'project': entity_result[\n 'project'], 'id': entity_result['id']}}\n if input_index != -1:\n self.inputs[input_name].append(input_value)\n else:\n self.inputs[input_name] = input_value\n",
"role": "user"
},
{
"content": "update_requires_resolution_inputs",
"role": "assistant"
}
] |
def x(u):
def x(matchobj):
if ord(matchobj.group(1)) == 127:
return '\\x7f'
if ord(matchobj.group(1)) == 92:
return '\\\\'
return REPLACEMENT_TABLE[ord(matchobj.group(1))]
return re.sub('([\\000-\\037\\134\\177])', replacer, u)
|
escape_unicode_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(u):\n\n def x(matchobj):\n if ord(matchobj.group(1)) == 127:\n return '\\\\x7f'\n if ord(matchobj.group(1)) == 92:\n return '\\\\\\\\'\n return REPLACEMENT_TABLE[ord(matchobj.group(1))]\n return re.sub('([\\\\000-\\\\037\\\\134\\\\177])', replacer, u)\n",
"role": "user"
},
{
"content": "escape_unicode_string",
"role": "assistant"
}
] |
def x(tree, root=None):
formatted_tree = [root] if root is not None else []
def x(tree, prefix=' '):
nodes = list(tree.keys())
for i in range(len(nodes)):
node = nodes[i]
if i == len(nodes) - 1 and len(prefix) > 1:
my_prefix = prefix[:-4] + 'βββ '
my_multiline_prefix = prefix[:-4] + ' '
else:
my_prefix = prefix[:-4] + 'βββ '
my_multiline_prefix = prefix[:-4] + 'β '
n = 0
for line in node.splitlines():
if n == 0:
formatted_tree.append(my_prefix + line)
else:
formatted_tree.append(my_multiline_prefix + line)
n += 1
if isinstance(tree[node], collections.Mapping):
subprefix = prefix
if i < len(nodes) - 1 and len(prefix) > 1 and prefix[-4:
] == ' ':
subprefix = prefix[:-4] + 'β '
_format(tree[node], subprefix + ' ')
_format(tree)
return '\n'.join(formatted_tree)
|
format_tree
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tree, root=None):\n formatted_tree = [root] if root is not None else []\n\n def x(tree, prefix=' '):\n nodes = list(tree.keys())\n for i in range(len(nodes)):\n node = nodes[i]\n if i == len(nodes) - 1 and len(prefix) > 1:\n my_prefix = prefix[:-4] + 'βββ '\n my_multiline_prefix = prefix[:-4] + ' '\n else:\n my_prefix = prefix[:-4] + 'βββ '\n my_multiline_prefix = prefix[:-4] + 'β '\n n = 0\n for line in node.splitlines():\n if n == 0:\n formatted_tree.append(my_prefix + line)\n else:\n formatted_tree.append(my_multiline_prefix + line)\n n += 1\n if isinstance(tree[node], collections.Mapping):\n subprefix = prefix\n if i < len(nodes) - 1 and len(prefix) > 1 and prefix[-4:\n ] == ' ':\n subprefix = prefix[:-4] + 'β '\n _format(tree[node], subprefix + ' ')\n _format(tree)\n return '\\n'.join(formatted_tree)\n",
"role": "user"
},
{
"content": "format_tree",
"role": "assistant"
}
] |
def x(table, column_names=None, column_specs=None, max_col_width=32,
report_dimensions=False):
if len(table) > 0:
col_widths = [0] * len(list(table)[0])
elif column_specs is not None:
col_widths = [0] * (len(column_specs) + 1)
elif column_names is not None:
col_widths = [0] * len(column_names)
my_column_names = []
if column_specs is not None:
column_names = ['Row']
column_names.extend([col['name'] for col in column_specs])
column_specs = [{'name': 'Row', 'type': 'float'}] + column_specs
if column_names is not None:
for i in range(len(column_names)):
my_col = str(column_names[i])
if len(my_col) > max_col_width:
my_col = my_col[:max_col_width - 1] + 'β¦'
my_column_names.append(my_col)
col_widths[i] = max(col_widths[i], len(my_col))
my_table = []
for row in table:
my_row = []
for i in range(len(row)):
my_item = escape_unicode_string(str(row[i]))
if len(my_item) > max_col_width:
my_item = my_item[:max_col_width - 1] + 'β¦'
my_row.append(my_item)
col_widths[i] = max(col_widths[i], len(my_item))
my_table.append(my_row)
def x(i):
return WHITE() + i + ENDC()
type_colormap = {'boolean': BLUE(), 'integer': YELLOW(), 'float': WHITE
(), 'string': GREEN()}
for i in ('uint8', 'int16', 'uint16', 'int32', 'uint32', 'int64'):
type_colormap[i] = type_colormap['integer']
type_colormap['double'] = type_colormap['float']
def x(i):
if column_specs is not None:
return BOLD() + type_colormap[column_specs[i]['type']
] + column_names[i] + ENDC()
else:
return BOLD() + WHITE() + column_names[i] + ENDC()
formatted_table = [border('β') + border('β¬').join(border('β') * i for i in
col_widths) + border('β')]
if len(my_column_names) > 0:
padded_column_names = [(col_head(i) + ' ' * (col_widths[i] - len(
my_column_names[i]))) for i in range(len(my_column_names))]
formatted_table.append(border('β') + border('β').join(
padded_column_names) + border('β'))
formatted_table.append(border('β') + border('βΌ').join(border('β') *
i for i in col_widths) + border('β€'))
for row in my_table:
padded_row = [(row[i] + ' ' * (col_widths[i] - len(row[i]))) for i in
range(len(row))]
formatted_table.append(border('β') + border('β').join(padded_row) +
border('β'))
formatted_table.append(border('β') + border('β΄').join(border('β') * i for
i in col_widths) + border('β'))
if report_dimensions:
return '\n'.join(formatted_table), len(formatted_table), sum(col_widths
) + len(col_widths) + 1
else:
return '\n'.join(formatted_table)
|
format_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table, column_names=None, column_specs=None, max_col_width=32,\n report_dimensions=False):\n if len(table) > 0:\n col_widths = [0] * len(list(table)[0])\n elif column_specs is not None:\n col_widths = [0] * (len(column_specs) + 1)\n elif column_names is not None:\n col_widths = [0] * len(column_names)\n my_column_names = []\n if column_specs is not None:\n column_names = ['Row']\n column_names.extend([col['name'] for col in column_specs])\n column_specs = [{'name': 'Row', 'type': 'float'}] + column_specs\n if column_names is not None:\n for i in range(len(column_names)):\n my_col = str(column_names[i])\n if len(my_col) > max_col_width:\n my_col = my_col[:max_col_width - 1] + 'β¦'\n my_column_names.append(my_col)\n col_widths[i] = max(col_widths[i], len(my_col))\n my_table = []\n for row in table:\n my_row = []\n for i in range(len(row)):\n my_item = escape_unicode_string(str(row[i]))\n if len(my_item) > max_col_width:\n my_item = my_item[:max_col_width - 1] + 'β¦'\n my_row.append(my_item)\n col_widths[i] = max(col_widths[i], len(my_item))\n my_table.append(my_row)\n\n def x(i):\n return WHITE() + i + ENDC()\n type_colormap = {'boolean': BLUE(), 'integer': YELLOW(), 'float': WHITE\n (), 'string': GREEN()}\n for i in ('uint8', 'int16', 'uint16', 'int32', 'uint32', 'int64'):\n type_colormap[i] = type_colormap['integer']\n type_colormap['double'] = type_colormap['float']\n\n def x(i):\n if column_specs is not None:\n return BOLD() + type_colormap[column_specs[i]['type']\n ] + column_names[i] + ENDC()\n else:\n return BOLD() + WHITE() + column_names[i] + ENDC()\n formatted_table = [border('β') + border('β¬').join(border('β') * i for i in\n col_widths) + border('β')]\n if len(my_column_names) > 0:\n padded_column_names = [(col_head(i) + ' ' * (col_widths[i] - len(\n my_column_names[i]))) for i in range(len(my_column_names))]\n formatted_table.append(border('β') + border('β').join(\n padded_column_names) + border('β'))\n formatted_table.append(border('β') + border('βΌ').join(border('β') *\n i for i in col_widths) + border('β€'))\n for row in my_table:\n padded_row = [(row[i] + ' ' * (col_widths[i] - len(row[i]))) for i in\n range(len(row))]\n formatted_table.append(border('β') + border('β').join(padded_row) +\n border('β'))\n formatted_table.append(border('β') + border('β΄').join(border('β') * i for\n i in col_widths) + border('β'))\n if report_dimensions:\n return '\\n'.join(formatted_table), len(formatted_table), sum(col_widths\n ) + len(col_widths) + 1\n else:\n return '\\n'.join(formatted_table)\n",
"role": "user"
},
{
"content": "format_table",
"role": "assistant"
}
] |
def x(json_string, array_name):
result = re.sub('"{}": \\[\r?\n\\s*'.format(array_name), '"{}": ['.
format(array_name), json_string, flags=re.MULTILINE)
flatten_regexp = re.compile('"{}": \\[(.*)(?<=,)\r?\n\\s*'.format(
array_name), flags=re.MULTILINE)
while flatten_regexp.search(result):
result = flatten_regexp.sub('"{}": [\\1 '.format(array_name), result)
result = re.sub('"{}": \\[(.*)\r?\n\\s*\\]'.format(array_name),
'"{}": [\\1]'.format(array_name), result, flags=re.MULTILINE)
return result
|
flatten_json_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(json_string, array_name):\n result = re.sub('\"{}\": \\\\[\\r?\\n\\\\s*'.format(array_name), '\"{}\": ['.\n format(array_name), json_string, flags=re.MULTILINE)\n flatten_regexp = re.compile('\"{}\": \\\\[(.*)(?<=,)\\r?\\n\\\\s*'.format(\n array_name), flags=re.MULTILINE)\n while flatten_regexp.search(result):\n result = flatten_regexp.sub('\"{}\": [\\\\1 '.format(array_name), result)\n result = re.sub('\"{}\": \\\\[(.*)\\r?\\n\\\\s*\\\\]'.format(array_name),\n '\"{}\": [\\\\1]'.format(array_name), result, flags=re.MULTILINE)\n return result\n",
"role": "user"
},
{
"content": "flatten_json_array",
"role": "assistant"
}
] |
def x(title=None, summary=None, description=None, output_folder=None,
init_from=None, **kwargs):
dxworkflow = DXWorkflow()
dxworkflow.new(title=title, summary=summary, description=description,
output_folder=output_folder, init_from=init_from, **kwargs)
return dxworkflow
|
new_dxworkflow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(title=None, summary=None, description=None, output_folder=None,\n init_from=None, **kwargs):\n dxworkflow = DXWorkflow()\n dxworkflow.new(title=title, summary=summary, description=description,\n output_folder=output_folder, init_from=init_from, **kwargs)\n return dxworkflow\n",
"role": "user"
},
{
"content": "new_dxworkflow",
"role": "assistant"
}
] |
def x(self, dx_hash, **kwargs):
def x(kwargs, dxhash, key, new_key=None):
new_key = key if new_key is None else new_key
if key in kwargs:
if kwargs[key] is not None:
dxhash[new_key] = kwargs[key]
del kwargs[key]
if 'init_from' in kwargs:
if kwargs['init_from'] is not None:
if not (isinstance(kwargs['init_from'], (DXWorkflow, DXAnalysis
)) or isinstance(kwargs['init_from'], basestring) and re.
compile('^analysis-[0-9A-Za-z]{24}$').match(kwargs[
'init_from'])):
raise DXError(
'Expected init_from to be an instance of DXWorkflow or DXAnalysis, or to be a string analysis ID.'
)
if isinstance(kwargs['init_from'], basestring):
dx_hash['initializeFrom'] = {'id': kwargs['init_from']}
else:
dx_hash['initializeFrom'] = {'id': kwargs['init_from'].get_id()
}
if isinstance(kwargs['init_from'], DXWorkflow):
dx_hash['initializeFrom']['project'] = kwargs['init_from'
].get_proj_id()
del kwargs['init_from']
_set_dx_hash(kwargs, dx_hash, 'title')
_set_dx_hash(kwargs, dx_hash, 'summary')
_set_dx_hash(kwargs, dx_hash, 'description')
_set_dx_hash(kwargs, dx_hash, 'output_folder', 'outputFolder')
_set_dx_hash(kwargs, dx_hash, 'stages')
_set_dx_hash(kwargs, dx_hash, 'workflow_inputs', 'inputs')
_set_dx_hash(kwargs, dx_hash, 'workflow_outputs', 'outputs')
resp = dxpy.api.workflow_new(dx_hash, **kwargs)
self.set_ids(resp['id'], dx_hash['project'])
|
new
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dx_hash, **kwargs):\n\n def x(kwargs, dxhash, key, new_key=None):\n new_key = key if new_key is None else new_key\n if key in kwargs:\n if kwargs[key] is not None:\n dxhash[new_key] = kwargs[key]\n del kwargs[key]\n if 'init_from' in kwargs:\n if kwargs['init_from'] is not None:\n if not (isinstance(kwargs['init_from'], (DXWorkflow, DXAnalysis\n )) or isinstance(kwargs['init_from'], basestring) and re.\n compile('^analysis-[0-9A-Za-z]{24}$').match(kwargs[\n 'init_from'])):\n raise DXError(\n 'Expected init_from to be an instance of DXWorkflow or DXAnalysis, or to be a string analysis ID.'\n )\n if isinstance(kwargs['init_from'], basestring):\n dx_hash['initializeFrom'] = {'id': kwargs['init_from']}\n else:\n dx_hash['initializeFrom'] = {'id': kwargs['init_from'].get_id()\n }\n if isinstance(kwargs['init_from'], DXWorkflow):\n dx_hash['initializeFrom']['project'] = kwargs['init_from'\n ].get_proj_id()\n del kwargs['init_from']\n _set_dx_hash(kwargs, dx_hash, 'title')\n _set_dx_hash(kwargs, dx_hash, 'summary')\n _set_dx_hash(kwargs, dx_hash, 'description')\n _set_dx_hash(kwargs, dx_hash, 'output_folder', 'outputFolder')\n _set_dx_hash(kwargs, dx_hash, 'stages')\n _set_dx_hash(kwargs, dx_hash, 'workflow_inputs', 'inputs')\n _set_dx_hash(kwargs, dx_hash, 'workflow_outputs', 'outputs')\n resp = dxpy.api.workflow_new(dx_hash, **kwargs)\n self.set_ids(resp['id'], dx_hash['project'])\n",
"role": "user"
},
{
"content": "new",
"role": "assistant"
}
] |
def x(self, stage):
if isinstance(stage, basestring):
try:
stage = int(stage)
except:
pass
if not isinstance(stage, basestring):
try:
stage_index = int(stage)
except:
raise DXError(
'DXWorkflow: the given stage identifier was neither a string stage ID nor an integer index'
)
if stage_index < 0 or stage_index >= len(self.stages):
raise DXError('DXWorkflow: the workflow contains ' + str(len(
self.stages)) +
' stage(s), and the numerical value of the given stage identifier is out of range'
)
return self.stages[stage_index].get('id')
if re.compile('^([a-zA-Z_]|stage-)[0-9a-zA-Z_]*$').match(stage
) is not None:
stage_id_exists = any([stg['id'] for stg in self.stages if stg.get(
'id') == stage])
if stage_id_exists:
return stage
stage_ids_matching_name = [stg['id'] for stg in self.stages if stg.get(
'name') == stage]
if len(stage_ids_matching_name) == 0:
raise DXError('DXWorkflow: the given stage identifier ' + stage +
' could not be found as a stage ID nor as a stage name')
elif len(stage_ids_matching_name) > 1:
raise DXError(
'DXWorkflow: more than one workflow stage was found to have the name "'
+ stage + '"')
else:
return stage_ids_matching_name[0]
|
get_stage_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stage):\n if isinstance(stage, basestring):\n try:\n stage = int(stage)\n except:\n pass\n if not isinstance(stage, basestring):\n try:\n stage_index = int(stage)\n except:\n raise DXError(\n 'DXWorkflow: the given stage identifier was neither a string stage ID nor an integer index'\n )\n if stage_index < 0 or stage_index >= len(self.stages):\n raise DXError('DXWorkflow: the workflow contains ' + str(len(\n self.stages)) +\n ' stage(s), and the numerical value of the given stage identifier is out of range'\n )\n return self.stages[stage_index].get('id')\n if re.compile('^([a-zA-Z_]|stage-)[0-9a-zA-Z_]*$').match(stage\n ) is not None:\n stage_id_exists = any([stg['id'] for stg in self.stages if stg.get(\n 'id') == stage])\n if stage_id_exists:\n return stage\n stage_ids_matching_name = [stg['id'] for stg in self.stages if stg.get(\n 'name') == stage]\n if len(stage_ids_matching_name) == 0:\n raise DXError('DXWorkflow: the given stage identifier ' + stage +\n ' could not be found as a stage ID nor as a stage name')\n elif len(stage_ids_matching_name) > 1:\n raise DXError(\n 'DXWorkflow: more than one workflow stage was found to have the name \"'\n + stage + '\"')\n else:\n return stage_ids_matching_name[0]\n",
"role": "user"
},
{
"content": "get_stage_id",
"role": "assistant"
}
] |
def x(self, executable, stage_id=None, name=None, folder=None, stage_input=
None, instance_type=None, edit_version=None, **kwargs):
if isinstance(executable, basestring):
exec_id = executable
elif isinstance(executable, DXExecutable):
exec_id = executable.get_id()
else:
raise DXError(
'dxpy.DXWorkflow.add_stage: executable must be a string or an instance of DXApplet or DXApp'
)
add_stage_input = {'executable': exec_id}
if stage_id is not None:
add_stage_input['id'] = stage_id
if name is not None:
add_stage_input['name'] = name
if folder is not None:
add_stage_input['folder'] = folder
if stage_input is not None:
add_stage_input['input'] = stage_input
if instance_type is not None:
add_stage_input['systemRequirements'
] = SystemRequirementsDict.from_instance_type(instance_type
).as_dict()
self._add_edit_version_to_request(add_stage_input, edit_version)
try:
result = dxpy.api.workflow_add_stage(self._dxid, add_stage_input,
**kwargs)
finally:
self.describe()
return result['stage']
|
add_stage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, executable, stage_id=None, name=None, folder=None, stage_input=\n None, instance_type=None, edit_version=None, **kwargs):\n if isinstance(executable, basestring):\n exec_id = executable\n elif isinstance(executable, DXExecutable):\n exec_id = executable.get_id()\n else:\n raise DXError(\n 'dxpy.DXWorkflow.add_stage: executable must be a string or an instance of DXApplet or DXApp'\n )\n add_stage_input = {'executable': exec_id}\n if stage_id is not None:\n add_stage_input['id'] = stage_id\n if name is not None:\n add_stage_input['name'] = name\n if folder is not None:\n add_stage_input['folder'] = folder\n if stage_input is not None:\n add_stage_input['input'] = stage_input\n if instance_type is not None:\n add_stage_input['systemRequirements'\n ] = SystemRequirementsDict.from_instance_type(instance_type\n ).as_dict()\n self._add_edit_version_to_request(add_stage_input, edit_version)\n try:\n result = dxpy.api.workflow_add_stage(self._dxid, add_stage_input,\n **kwargs)\n finally:\n self.describe()\n return result['stage']\n",
"role": "user"
},
{
"content": "add_stage",
"role": "assistant"
}
] |
def x(self, stage, **kwargs):
stage_id = self._get_stage_id(stage)
result = next((stage for stage in self.stages if stage['id'] ==
stage_id), None)
if result is None:
raise DXError('The stage ID ' + stage_id + ' could not be found')
return result
|
get_stage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stage, **kwargs):\n stage_id = self._get_stage_id(stage)\n result = next((stage for stage in self.stages if stage['id'] ==\n stage_id), None)\n if result is None:\n raise DXError('The stage ID ' + stage_id + ' could not be found')\n return result\n",
"role": "user"
},
{
"content": "get_stage",
"role": "assistant"
}
] |
def x(self, stage, edit_version=None, **kwargs):
stage_id = self._get_stage_id(stage)
remove_stage_input = {'stage': stage_id}
self._add_edit_version_to_request(remove_stage_input, edit_version)
try:
dxpy.api.workflow_remove_stage(self._dxid, remove_stage_input, **kwargs
)
finally:
self.describe()
return stage_id
|
remove_stage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stage, edit_version=None, **kwargs):\n stage_id = self._get_stage_id(stage)\n remove_stage_input = {'stage': stage_id}\n self._add_edit_version_to_request(remove_stage_input, edit_version)\n try:\n dxpy.api.workflow_remove_stage(self._dxid, remove_stage_input, **kwargs\n )\n finally:\n self.describe()\n return stage_id\n",
"role": "user"
},
{
"content": "remove_stage",
"role": "assistant"
}
] |
def x(self, stage, new_index, edit_version=None, **kwargs):
stage_id = self._get_stage_id(stage)
move_stage_input = {'stage': stage_id, 'newIndex': new_index}
self._add_edit_version_to_request(move_stage_input, edit_version)
try:
dxpy.api.workflow_move_stage(self._dxid, move_stage_input, **kwargs)
finally:
self.describe()
|
move_stage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stage, new_index, edit_version=None, **kwargs):\n stage_id = self._get_stage_id(stage)\n move_stage_input = {'stage': stage_id, 'newIndex': new_index}\n self._add_edit_version_to_request(move_stage_input, edit_version)\n try:\n dxpy.api.workflow_move_stage(self._dxid, move_stage_input, **kwargs)\n finally:\n self.describe()\n",
"role": "user"
},
{
"content": "move_stage",
"role": "assistant"
}
] |
def x(self, title=None, unset_title=False, summary=None, description=None,
output_folder=None, unset_output_folder=False, workflow_inputs=None,
unset_workflow_inputs=False, workflow_outputs=None,
unset_workflow_outputs=False, stages=None, edit_version=None, **kwargs):
update_input = {}
if title is not None and unset_title:
raise DXError(
'dxpy.DXWorkflow.update: cannot provide both "title" and set "unset_title"'
)
if output_folder is not None and unset_output_folder:
raise DXError(
'dxpy.DXWorkflow.update: cannot provide both "output_folder" and set "unset_output_folder"'
)
if workflow_inputs is not None and unset_workflow_inputs:
raise DXError(
'dxpy.DXWorkflow.update: cannot provide both "workflow_inputs" and set "unset_workflow_inputs"'
)
if workflow_outputs is not None and unset_workflow_outputs:
raise DXError(
'dxpy.DXWorkflow.update: cannot provide both "workflow_outputs" and set "unset_workflow_outputs"'
)
if title is not None:
update_input['title'] = title
elif unset_title:
update_input['title'] = None
if summary is not None:
update_input['summary'] = summary
if description is not None:
update_input['description'] = description
if output_folder is not None:
update_input['outputFolder'] = output_folder
elif unset_output_folder:
update_input['outputFolder'] = None
if stages is not None:
update_input['stages'] = stages
if workflow_inputs is not None:
update_input['inputs'] = workflow_inputs
elif unset_workflow_inputs:
update_input['inputs'] = None
if workflow_outputs is not None:
update_input['outputs'] = workflow_outputs
elif unset_workflow_outputs:
update_input['outputs'] = None
if update_input:
self._add_edit_version_to_request(update_input, edit_version)
try:
dxpy.api.workflow_update(self._dxid, update_input, **kwargs)
finally:
self.describe()
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, title=None, unset_title=False, summary=None, description=None,\n output_folder=None, unset_output_folder=False, workflow_inputs=None,\n unset_workflow_inputs=False, workflow_outputs=None,\n unset_workflow_outputs=False, stages=None, edit_version=None, **kwargs):\n update_input = {}\n if title is not None and unset_title:\n raise DXError(\n 'dxpy.DXWorkflow.update: cannot provide both \"title\" and set \"unset_title\"'\n )\n if output_folder is not None and unset_output_folder:\n raise DXError(\n 'dxpy.DXWorkflow.update: cannot provide both \"output_folder\" and set \"unset_output_folder\"'\n )\n if workflow_inputs is not None and unset_workflow_inputs:\n raise DXError(\n 'dxpy.DXWorkflow.update: cannot provide both \"workflow_inputs\" and set \"unset_workflow_inputs\"'\n )\n if workflow_outputs is not None and unset_workflow_outputs:\n raise DXError(\n 'dxpy.DXWorkflow.update: cannot provide both \"workflow_outputs\" and set \"unset_workflow_outputs\"'\n )\n if title is not None:\n update_input['title'] = title\n elif unset_title:\n update_input['title'] = None\n if summary is not None:\n update_input['summary'] = summary\n if description is not None:\n update_input['description'] = description\n if output_folder is not None:\n update_input['outputFolder'] = output_folder\n elif unset_output_folder:\n update_input['outputFolder'] = None\n if stages is not None:\n update_input['stages'] = stages\n if workflow_inputs is not None:\n update_input['inputs'] = workflow_inputs\n elif unset_workflow_inputs:\n update_input['inputs'] = None\n if workflow_outputs is not None:\n update_input['outputs'] = workflow_outputs\n elif unset_workflow_outputs:\n update_input['outputs'] = None\n if update_input:\n self._add_edit_version_to_request(update_input, edit_version)\n try:\n dxpy.api.workflow_update(self._dxid, update_input, **kwargs)\n finally:\n self.describe()\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, stage, executable=None, force=False, name=None, unset_name=
False, folder=None, unset_folder=False, stage_input=None, instance_type
=None, edit_version=None, **kwargs):
stage_id = self._get_stage_id(stage)
if name is not None and unset_name:
raise DXError(
'dxpy.DXWorkflow.update_stage: cannot provide both "name" and set "unset_name"'
)
if folder is not None and unset_folder:
raise DXError(
'dxpy.DXWorkflow.update_stage: cannot provide both "folder" and set "unset_folder"'
)
if executable is not None:
if isinstance(executable, basestring):
exec_id = executable
elif isinstance(executable, DXExecutable):
exec_id = executable.get_id()
else:
raise DXError(
'dxpy.DXWorkflow.update_stage: executable (if provided) must be a string or an instance of DXApplet or DXApp'
)
update_stage_exec_input = {'stage': stage_id, 'executable': exec_id,
'force': force}
self._add_edit_version_to_request(update_stage_exec_input, edit_version
)
try:
dxpy.api.workflow_update_stage_executable(self._dxid,
update_stage_exec_input, **kwargs)
finally:
self.describe()
update_stage_input = {}
if name is not None:
update_stage_input['name'] = name
elif unset_name:
update_stage_input['name'] = None
if folder:
update_stage_input['folder'] = folder
elif unset_folder:
update_stage_input['folder'] = None
if stage_input:
update_stage_input['input'] = stage_input
if instance_type is not None:
update_stage_input['systemRequirements'
] = SystemRequirementsDict.from_instance_type(instance_type
).as_dict()
if update_stage_input:
update_input = {'stages': {stage_id: update_stage_input}}
self._add_edit_version_to_request(update_input, edit_version)
try:
dxpy.api.workflow_update(self._dxid, update_input, **kwargs)
finally:
self.describe()
|
update_stage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stage, executable=None, force=False, name=None, unset_name=\n False, folder=None, unset_folder=False, stage_input=None, instance_type\n =None, edit_version=None, **kwargs):\n stage_id = self._get_stage_id(stage)\n if name is not None and unset_name:\n raise DXError(\n 'dxpy.DXWorkflow.update_stage: cannot provide both \"name\" and set \"unset_name\"'\n )\n if folder is not None and unset_folder:\n raise DXError(\n 'dxpy.DXWorkflow.update_stage: cannot provide both \"folder\" and set \"unset_folder\"'\n )\n if executable is not None:\n if isinstance(executable, basestring):\n exec_id = executable\n elif isinstance(executable, DXExecutable):\n exec_id = executable.get_id()\n else:\n raise DXError(\n 'dxpy.DXWorkflow.update_stage: executable (if provided) must be a string or an instance of DXApplet or DXApp'\n )\n update_stage_exec_input = {'stage': stage_id, 'executable': exec_id,\n 'force': force}\n self._add_edit_version_to_request(update_stage_exec_input, edit_version\n )\n try:\n dxpy.api.workflow_update_stage_executable(self._dxid,\n update_stage_exec_input, **kwargs)\n finally:\n self.describe()\n update_stage_input = {}\n if name is not None:\n update_stage_input['name'] = name\n elif unset_name:\n update_stage_input['name'] = None\n if folder:\n update_stage_input['folder'] = folder\n elif unset_folder:\n update_stage_input['folder'] = None\n if stage_input:\n update_stage_input['input'] = stage_input\n if instance_type is not None:\n update_stage_input['systemRequirements'\n ] = SystemRequirementsDict.from_instance_type(instance_type\n ).as_dict()\n if update_stage_input:\n update_input = {'stages': {stage_id: update_stage_input}}\n self._add_edit_version_to_request(update_input, edit_version)\n try:\n dxpy.api.workflow_update(self._dxid, update_input, **kwargs)\n finally:\n self.describe()\n",
"role": "user"
},
{
"content": "update_stage",
"role": "assistant"
}
] |
def x(self, input_str, region=None, describe_output=None):
if '.' in input_str:
stage_identifier, input_name = input_str.split('.', 1)
return self._get_stage_id(stage_identifier) + '.' + input_name
return input_str
|
get_input_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input_str, region=None, describe_output=None):\n if '.' in input_str:\n stage_identifier, input_name = input_str.split('.', 1)\n return self._get_stage_id(stage_identifier) + '.' + input_name\n return input_str\n",
"role": "user"
},
{
"content": "get_input_name",
"role": "assistant"
}
] |
def x(self, workflow_input, *args, **kwargs):
return super(DXWorkflow, self).run(workflow_input, *args, **kwargs)
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, workflow_input, *args, **kwargs):\n return super(DXWorkflow, self).run(workflow_input, *args, **kwargs)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(text, delim_pos, dxproj, folderpath):
try:
folders = dxproj.list_folder(folder=folderpath, only='folders')[
'folders']
folder_names = [name[name.rfind('/') + 1:] for name in folders]
if text != '' and delim_pos != len(text) - 1:
folder_names += ['.', '..']
prefix = text[:delim_pos + 1]
return [(prefix + f + '/') for f in folder_names if (prefix + f +
'/').startswith(text)]
except:
return []
|
get_folder_matches
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, delim_pos, dxproj, folderpath):\n try:\n folders = dxproj.list_folder(folder=folderpath, only='folders')[\n 'folders']\n folder_names = [name[name.rfind('/') + 1:] for name in folders]\n if text != '' and delim_pos != len(text) - 1:\n folder_names += ['.', '..']\n prefix = text[:delim_pos + 1]\n return [(prefix + f + '/') for f in folder_names if (prefix + f +\n '/').startswith(text)]\n except:\n return []\n",
"role": "user"
},
{
"content": "get_folder_matches",
"role": "assistant"
}
] |
def x(text, delim_pos, dxproj, folderpath, classname=None, typespec=None,
visibility=None):
unescaped_text = text[delim_pos + 1:]
if visibility is None:
if text != '' and delim_pos != len(text) - 1:
visibility = 'either'
else:
visibility = 'visible'
try:
results = list(dxpy.find_data_objects(project=dxproj.get_id(),
folder=folderpath, name=unescaped_text + '*', name_mode='glob',
recurse=False, visibility=visibility, classname=classname,
limit=100, describe=dict(fields=dict(name=True)), typename=
typespec))
prefix = '' if text == '' else text[:delim_pos + 1]
return [(prefix + escape_name(result['describe']['name'])) for
result in results]
except:
return []
|
get_data_matches
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, delim_pos, dxproj, folderpath, classname=None, typespec=None,\n visibility=None):\n unescaped_text = text[delim_pos + 1:]\n if visibility is None:\n if text != '' and delim_pos != len(text) - 1:\n visibility = 'either'\n else:\n visibility = 'visible'\n try:\n results = list(dxpy.find_data_objects(project=dxproj.get_id(),\n folder=folderpath, name=unescaped_text + '*', name_mode='glob',\n recurse=False, visibility=visibility, classname=classname,\n limit=100, describe=dict(fields=dict(name=True)), typename=\n typespec))\n prefix = '' if text == '' else text[:delim_pos + 1]\n return [(prefix + escape_name(result['describe']['name'])) for\n result in results]\n except:\n return []\n",
"role": "user"
},
{
"content": "get_data_matches",
"role": "assistant"
}
] |
def x(text, expected=None, classes=None, perm_level=None,
include_current_proj=False, typespec=None, visibility=None):
colon_pos = get_last_pos_of_char(':', text)
slash_pos = get_last_pos_of_char('/', text)
delim_pos = max(colon_pos, slash_pos)
matches = []
if expected == 'project' and colon_pos > 0 and colon_pos == len(text) - 1:
if dxpy.find_one_project(zero_ok=True, name=text[:colon_pos]
) is not None:
return [text + ' ']
if colon_pos < 0 and slash_pos < 0:
if text != '' or expected == 'project':
results = dxpy.find_projects(describe=True, level=perm_level)
if not include_current_proj:
results = [r for r in results if r['id'] != dxpy.WORKSPACE_ID]
matches += [(escape_colon(r['describe']['name']) + ':') for r in
results if r['describe']['name'].startswith(text)]
if expected == 'project':
return matches
if colon_pos < 0 and slash_pos >= 0:
if dxpy.WORKSPACE_ID is not None:
try:
dxproj = dxpy.get_handler(dxpy.WORKSPACE_ID)
folderpath, entity_name = clean_folder_path(text)
matches += get_folder_matches(text, slash_pos, dxproj,
folderpath)
if expected != 'folder':
if classes is not None:
for classname in classes:
matches += get_data_matches(text, slash_pos,
dxproj, folderpath, classname=classname,
typespec=typespec, visibility=visibility)
else:
matches += get_data_matches(text, slash_pos, dxproj,
folderpath, typespec=typespec, visibility=
visibility)
except:
pass
else:
try:
proj_ids, folderpath, entity_name = resolve_path(text,
multi_projects=True)
except ResolutionError as details:
sys.stderr.write('\n' + fill(str(details)))
return matches
for proj in proj_ids:
try:
dxproj = dxpy.get_handler(proj)
matches += get_folder_matches(text, delim_pos, dxproj,
folderpath)
if expected != 'folder':
if classes is not None:
for classname in classes:
matches += get_data_matches(text, delim_pos,
dxproj, folderpath, classname=classname,
typespec=typespec, visibility=visibility)
else:
matches += get_data_matches(text, delim_pos, dxproj,
folderpath, typespec=typespec, visibility=
visibility)
except:
pass
return matches
|
path_completer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, expected=None, classes=None, perm_level=None,\n include_current_proj=False, typespec=None, visibility=None):\n colon_pos = get_last_pos_of_char(':', text)\n slash_pos = get_last_pos_of_char('/', text)\n delim_pos = max(colon_pos, slash_pos)\n matches = []\n if expected == 'project' and colon_pos > 0 and colon_pos == len(text) - 1:\n if dxpy.find_one_project(zero_ok=True, name=text[:colon_pos]\n ) is not None:\n return [text + ' ']\n if colon_pos < 0 and slash_pos < 0:\n if text != '' or expected == 'project':\n results = dxpy.find_projects(describe=True, level=perm_level)\n if not include_current_proj:\n results = [r for r in results if r['id'] != dxpy.WORKSPACE_ID]\n matches += [(escape_colon(r['describe']['name']) + ':') for r in\n results if r['describe']['name'].startswith(text)]\n if expected == 'project':\n return matches\n if colon_pos < 0 and slash_pos >= 0:\n if dxpy.WORKSPACE_ID is not None:\n try:\n dxproj = dxpy.get_handler(dxpy.WORKSPACE_ID)\n folderpath, entity_name = clean_folder_path(text)\n matches += get_folder_matches(text, slash_pos, dxproj,\n folderpath)\n if expected != 'folder':\n if classes is not None:\n for classname in classes:\n matches += get_data_matches(text, slash_pos,\n dxproj, folderpath, classname=classname,\n typespec=typespec, visibility=visibility)\n else:\n matches += get_data_matches(text, slash_pos, dxproj,\n folderpath, typespec=typespec, visibility=\n visibility)\n except:\n pass\n else:\n try:\n proj_ids, folderpath, entity_name = resolve_path(text,\n multi_projects=True)\n except ResolutionError as details:\n sys.stderr.write('\\n' + fill(str(details)))\n return matches\n for proj in proj_ids:\n try:\n dxproj = dxpy.get_handler(proj)\n matches += get_folder_matches(text, delim_pos, dxproj,\n folderpath)\n if expected != 'folder':\n if classes is not None:\n for classname in classes:\n matches += get_data_matches(text, delim_pos,\n dxproj, folderpath, classname=classname,\n typespec=typespec, visibility=visibility)\n else:\n matches += get_data_matches(text, delim_pos, dxproj,\n folderpath, typespec=typespec, visibility=\n visibility)\n except:\n pass\n return matches\n",
"role": "user"
},
{
"content": "path_completer",
"role": "assistant"
}
] |
def x(dxid, expected_classes):
if isinstance(expected_classes, basestring):
expected_classes = [expected_classes]
if not isinstance(expected_classes, list) or len(expected_classes) == 0:
raise DXError(
'verify_string_dxid: expected_classes should be a string or list of strings'
)
if not (isinstance(dxid, basestring) and re.match('^(' + '|'.join(
expected_classes) + ')-[0-9a-zA-Z]{24}$', dxid)):
if len(expected_classes) == 1:
str_expected_classes = expected_classes[0]
elif len(expected_classes) == 2:
str_expected_classes = ' or '.join(expected_classes)
else:
str_expected_classes = ', '.join(expected_classes[:-1]
) + ', or ' + expected_classes[-1]
raise DXError('Invalid ID of class %s: %r' % (str_expected_classes,
dxid))
|
verify_string_dxid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dxid, expected_classes):\n if isinstance(expected_classes, basestring):\n expected_classes = [expected_classes]\n if not isinstance(expected_classes, list) or len(expected_classes) == 0:\n raise DXError(\n 'verify_string_dxid: expected_classes should be a string or list of strings'\n )\n if not (isinstance(dxid, basestring) and re.match('^(' + '|'.join(\n expected_classes) + ')-[0-9a-zA-Z]{24}$', dxid)):\n if len(expected_classes) == 1:\n str_expected_classes = expected_classes[0]\n elif len(expected_classes) == 2:\n str_expected_classes = ' or '.join(expected_classes)\n else:\n str_expected_classes = ', '.join(expected_classes[:-1]\n ) + ', or ' + expected_classes[-1]\n raise DXError('Invalid ID of class %s: %r' % (str_expected_classes,\n dxid))\n",
"role": "user"
},
{
"content": "verify_string_dxid",
"role": "assistant"
}
] |
def x(self, dxid):
if dxid is not None:
verify_string_dxid(dxid, self._class)
self._dxid = dxid
|
set_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dxid):\n if dxid is not None:\n verify_string_dxid(dxid, self._class)\n self._dxid = dxid\n",
"role": "user"
},
{
"content": "set_id",
"role": "assistant"
}
] |
def x(self, **kwargs):
if not hasattr(self, '_class'):
raise NotImplementedError(
'DXDataObject is an abstract class; a subclass should' +
'be initialized instead.')
dx_hash, remaining_kwargs = self._get_creation_params(kwargs)
self._new(dx_hash, **remaining_kwargs)
|
new
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n if not hasattr(self, '_class'):\n raise NotImplementedError(\n 'DXDataObject is an abstract class; a subclass should' +\n 'be initialized instead.')\n dx_hash, remaining_kwargs = self._get_creation_params(kwargs)\n self._new(dx_hash, **remaining_kwargs)\n",
"role": "user"
},
{
"content": "new",
"role": "assistant"
}
] |
def x(self, dxid, project=None):
if is_dxlink(dxid):
dxid, project_from_link = get_dxlink_ids(dxid)
if project is None:
project = project_from_link
if dxid is not None:
verify_string_dxid(dxid, self._class)
self._dxid = dxid
if project is None:
self._proj = dxpy.WORKSPACE_ID
elif project is not None:
verify_string_dxid(project, ['project', 'container'])
self._proj = project
|
set_ids
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dxid, project=None):\n if is_dxlink(dxid):\n dxid, project_from_link = get_dxlink_ids(dxid)\n if project is None:\n project = project_from_link\n if dxid is not None:\n verify_string_dxid(dxid, self._class)\n self._dxid = dxid\n if project is None:\n self._proj = dxpy.WORKSPACE_ID\n elif project is not None:\n verify_string_dxid(project, ['project', 'container'])\n self._proj = project\n",
"role": "user"
},
{
"content": "set_ids",
"role": "assistant"
}
] |
def x(self, incl_properties=False, incl_details=False, fields=None,
default_fields=None, **kwargs):
if self._dxid is None:
raise DXError(
'This {handler} handler has not been initialized with a {_class} ID and cannot be described'
.format(handler=self.__class__.__name__, _class=self._class))
if (incl_properties or incl_details) and (fields is not None or
default_fields is not None):
raise ValueError(
'Cannot specify properties or details in conjunction with fields or default_fields'
)
if incl_properties or incl_details:
describe_input = dict(properties=incl_properties, details=incl_details)
else:
describe_input = {}
if default_fields is not None:
describe_input['defaultFields'] = default_fields
if fields is not None:
describe_input['fields'] = {field_name: (True) for field_name in
fields}
if self._proj is not None:
describe_input['project'] = self._proj
self._desc = self._describe(self._dxid, describe_input, **kwargs)
return self._desc
|
describe
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, incl_properties=False, incl_details=False, fields=None,\n default_fields=None, **kwargs):\n if self._dxid is None:\n raise DXError(\n 'This {handler} handler has not been initialized with a {_class} ID and cannot be described'\n .format(handler=self.__class__.__name__, _class=self._class))\n if (incl_properties or incl_details) and (fields is not None or \n default_fields is not None):\n raise ValueError(\n 'Cannot specify properties or details in conjunction with fields or default_fields'\n )\n if incl_properties or incl_details:\n describe_input = dict(properties=incl_properties, details=incl_details)\n else:\n describe_input = {}\n if default_fields is not None:\n describe_input['defaultFields'] = default_fields\n if fields is not None:\n describe_input['fields'] = {field_name: (True) for field_name in\n fields}\n if self._proj is not None:\n describe_input['project'] = self._proj\n self._desc = self._describe(self._dxid, describe_input, **kwargs)\n return self._desc\n",
"role": "user"
},
{
"content": "describe",
"role": "assistant"
}
] |
def x(self, types, **kwargs):
self._add_types(self._dxid, {'types': types}, **kwargs)
|
add_types
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, types, **kwargs):\n self._add_types(self._dxid, {'types': types}, **kwargs)\n",
"role": "user"
},
{
"content": "add_types",
"role": "assistant"
}
] |
def x(self, types, **kwargs):
self._remove_types(self._dxid, {'types': types}, **kwargs)
|
remove_types
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, types, **kwargs):\n self._remove_types(self._dxid, {'types': types}, **kwargs)\n",
"role": "user"
},
{
"content": "remove_types",
"role": "assistant"
}
] |
def x(self, details, **kwargs):
return self._set_details(self._dxid, details, **kwargs)
|
set_details
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, details, **kwargs):\n return self._set_details(self._dxid, details, **kwargs)\n",
"role": "user"
},
{
"content": "set_details",
"role": "assistant"
}
] |
def x(self, name, **kwargs):
return self._rename(self._dxid, {'project': self._proj, 'name': name},
**kwargs)
|
rename
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, **kwargs):\n return self._rename(self._dxid, {'project': self._proj, 'name': name},\n **kwargs)\n",
"role": "user"
},
{
"content": "rename",
"role": "assistant"
}
] |
def x(self, properties, **kwargs):
self._set_properties(self._dxid, {'project': self._proj, 'properties':
properties}, **kwargs)
|
set_properties
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, properties, **kwargs):\n self._set_properties(self._dxid, {'project': self._proj, 'properties':\n properties}, **kwargs)\n",
"role": "user"
},
{
"content": "set_properties",
"role": "assistant"
}
] |
def x(self, tags, **kwargs):
self._add_tags(self._dxid, {'project': self._proj, 'tags': tags}, **kwargs)
|
add_tags
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tags, **kwargs):\n self._add_tags(self._dxid, {'project': self._proj, 'tags': tags}, **kwargs)\n",
"role": "user"
},
{
"content": "add_tags",
"role": "assistant"
}
] |
def x(self, tags, **kwargs):
self._remove_tags(self._dxid, {'project': self._proj, 'tags': tags}, **
kwargs)
|
remove_tags
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tags, **kwargs):\n self._remove_tags(self._dxid, {'project': self._proj, 'tags': tags}, **\n kwargs)\n",
"role": "user"
},
{
"content": "remove_tags",
"role": "assistant"
}
] |
def x(self, **kwargs):
if self._proj is None:
raise DXError(
'Remove called when a project ID was not associated with this object handler'
)
dxpy.api.project_remove_objects(self._proj, {'objects': [self._dxid]},
**kwargs)
self._dxid = None
self._proj = None
self._desc = {}
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n if self._proj is None:\n raise DXError(\n 'Remove called when a project ID was not associated with this object handler'\n )\n dxpy.api.project_remove_objects(self._proj, {'objects': [self._dxid]},\n **kwargs)\n self._dxid = None\n self._proj = None\n self._desc = {}\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self, folder, **kwargs):
if self._proj is None:
raise DXError(
'Move called when a project ID was not associated with this object handler'
)
dxpy.api.project_move(self._proj, {'objects': [self._dxid],
'destination': folder}, **kwargs)
|
move
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, folder, **kwargs):\n if self._proj is None:\n raise DXError(\n 'Move called when a project ID was not associated with this object handler'\n )\n dxpy.api.project_move(self._proj, {'objects': [self._dxid],\n 'destination': folder}, **kwargs)\n",
"role": "user"
},
{
"content": "move",
"role": "assistant"
}
] |
def x(self, project, folder='/', **kwargs):
if self._proj is None:
raise DXError(
'Clone called when a project ID was not associated with this object handler'
)
dxpy.api.project_clone(self._proj, {'objects': [self._dxid], 'project':
project, 'destination': folder}, **kwargs)
cloned_copy = copy.copy(self)
cloned_copy.set_ids(cloned_copy.get_id(), project)
return cloned_copy
|
clone
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project, folder='/', **kwargs):\n if self._proj is None:\n raise DXError(\n 'Clone called when a project ID was not associated with this object handler'\n )\n dxpy.api.project_clone(self._proj, {'objects': [self._dxid], 'project':\n project, 'destination': folder}, **kwargs)\n cloned_copy = copy.copy(self)\n cloned_copy.set_ids(cloned_copy.get_id(), project)\n return cloned_copy\n",
"role": "user"
},
{
"content": "clone",
"role": "assistant"
}
] |
def x(self, cleanup=False):
sessions_dir = os.path.join(self._user_conf_dir, 'sessions')
try:
from psutil import Process, pid_exists
if cleanup:
try:
session_dirs = os.listdir(sessions_dir)
except OSError as e:
session_dirs = []
for session_dir in session_dirs:
try:
session_pid = int(session_dir)
except ValueError:
continue
if not pid_exists(session_pid):
rmtree(os.path.join(sessions_dir, session_dir),
ignore_errors=True)
parent_process = Process(os.getpid()).parent()
default_session_dir = os.path.join(sessions_dir, str(parent_process
.pid))
while parent_process is not None and parent_process.pid != 0:
session_dir = os.path.join(sessions_dir, str(parent_process.pid))
if os.path.exists(session_dir):
return session_dir
parent_process = parent_process.parent()
return default_session_dir
except (ImportError, IOError, AttributeError) as e:
if platform.system() != 'Windows':
warn(fill('Error while retrieving session configuration: ' +
format_exception(e)))
except Exception as e:
warn(fill(
'Unexpected error while retrieving session configuration: ' +
format_exception(e)))
return self._get_ppid_session_conf_dir(sessions_dir)
|
get_session_conf_dir
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cleanup=False):\n sessions_dir = os.path.join(self._user_conf_dir, 'sessions')\n try:\n from psutil import Process, pid_exists\n if cleanup:\n try:\n session_dirs = os.listdir(sessions_dir)\n except OSError as e:\n session_dirs = []\n for session_dir in session_dirs:\n try:\n session_pid = int(session_dir)\n except ValueError:\n continue\n if not pid_exists(session_pid):\n rmtree(os.path.join(sessions_dir, session_dir),\n ignore_errors=True)\n parent_process = Process(os.getpid()).parent()\n default_session_dir = os.path.join(sessions_dir, str(parent_process\n .pid))\n while parent_process is not None and parent_process.pid != 0:\n session_dir = os.path.join(sessions_dir, str(parent_process.pid))\n if os.path.exists(session_dir):\n return session_dir\n parent_process = parent_process.parent()\n return default_session_dir\n except (ImportError, IOError, AttributeError) as e:\n if platform.system() != 'Windows':\n warn(fill('Error while retrieving session configuration: ' +\n format_exception(e)))\n except Exception as e:\n warn(fill(\n 'Unexpected error while retrieving session configuration: ' +\n format_exception(e)))\n return self._get_ppid_session_conf_dir(sessions_dir)\n",
"role": "user"
},
{
"content": "get_session_conf_dir",
"role": "assistant"
}
] |
def x(object_id, project_id=None, field=None):
if is_dxlink(object_id):
return object_id
if isinstance(object_id, DXDataObject):
object_id = object_id.get_id()
if not any((project_id, field)):
return {'$dnanexus_link': object_id}
elif field:
dxpy.verify_string_dxid(object_id, 'job')
return {'$dnanexus_link': {'job': object_id, 'field': field}}
else:
return {'$dnanexus_link': {'project': project_id, 'id': object_id}}
|
dxlink
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(object_id, project_id=None, field=None):\n if is_dxlink(object_id):\n return object_id\n if isinstance(object_id, DXDataObject):\n object_id = object_id.get_id()\n if not any((project_id, field)):\n return {'$dnanexus_link': object_id}\n elif field:\n dxpy.verify_string_dxid(object_id, 'job')\n return {'$dnanexus_link': {'job': object_id, 'field': field}}\n else:\n return {'$dnanexus_link': {'project': project_id, 'id': object_id}}\n",
"role": "user"
},
{
"content": "dxlink",
"role": "assistant"
}
] |
def x(x):
if not isinstance(x, dict):
return False
if '$dnanexus_link' not in x:
return False
link = x['$dnanexus_link']
if isinstance(link, basestring):
return True
elif isinstance(link, dict):
return any(key in link for key in ('id', 'job'))
return False
|
is_dxlink
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n if not isinstance(x, dict):\n return False\n if '$dnanexus_link' not in x:\n return False\n link = x['$dnanexus_link']\n if isinstance(link, basestring):\n return True\n elif isinstance(link, dict):\n return any(key in link for key in ('id', 'job'))\n return False\n",
"role": "user"
},
{
"content": "is_dxlink",
"role": "assistant"
}
] |
def x(link):
if not is_dxlink(link):
raise DXError('Invalid link: %r' % link)
if isinstance(link['$dnanexus_link'], basestring):
return link['$dnanexus_link'], None
elif 'id' in link['$dnanexus_link']:
return link['$dnanexus_link']['id'], link['$dnanexus_link'].get(
'project')
else:
return link['$dnanexus_link']['job'], link['$dnanexus_link']['field']
|
get_dxlink_ids
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(link):\n if not is_dxlink(link):\n raise DXError('Invalid link: %r' % link)\n if isinstance(link['$dnanexus_link'], basestring):\n return link['$dnanexus_link'], None\n elif 'id' in link['$dnanexus_link']:\n return link['$dnanexus_link']['id'], link['$dnanexus_link'].get(\n 'project')\n else:\n return link['$dnanexus_link']['job'], link['$dnanexus_link']['field']\n",
"role": "user"
},
{
"content": "get_dxlink_ids",
"role": "assistant"
}
] |
def x(id_or_link, project=None):
try:
cls = _guess_link_target_type(id_or_link)
except Exception as e:
raise DXError('Could not parse link {}: {}'.format(id_or_link, e))
if cls in [dxpy.DXApp, dxpy.DXGlobalWorkflow]:
if dxpy.utils.resolver.is_hashid(id_or_link):
return cls(id_or_link)
else:
slash_pos = id_or_link.find('/')
dash_pos = id_or_link.find('-')
if slash_pos == -1:
return cls(name=id_or_link[dash_pos + 1:])
else:
return cls(name=id_or_link[dash_pos + 1:slash_pos], alias=
id_or_link[slash_pos + 1:])
elif project is None or cls in [dxpy.DXJob, dxpy.DXAnalysis, dxpy.
DXProject, dxpy.DXContainer]:
return cls(id_or_link)
else:
return cls(id_or_link, project=project)
|
get_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id_or_link, project=None):\n try:\n cls = _guess_link_target_type(id_or_link)\n except Exception as e:\n raise DXError('Could not parse link {}: {}'.format(id_or_link, e))\n if cls in [dxpy.DXApp, dxpy.DXGlobalWorkflow]:\n if dxpy.utils.resolver.is_hashid(id_or_link):\n return cls(id_or_link)\n else:\n slash_pos = id_or_link.find('/')\n dash_pos = id_or_link.find('-')\n if slash_pos == -1:\n return cls(name=id_or_link[dash_pos + 1:])\n else:\n return cls(name=id_or_link[dash_pos + 1:slash_pos], alias=\n id_or_link[slash_pos + 1:])\n elif project is None or cls in [dxpy.DXJob, dxpy.DXAnalysis, dxpy.\n DXProject, dxpy.DXContainer]:\n return cls(id_or_link)\n else:\n return cls(id_or_link, project=project)\n",
"role": "user"
},
{
"content": "get_handler",
"role": "assistant"
}
] |
def x(id_or_link, **kwargs):
if isinstance(id_or_link, basestring) or is_dxlink(id_or_link):
handler = get_handler(id_or_link)
return handler.describe(**kwargs)
else:
links = []
for link in id_or_link:
if is_dxlink(link):
if isinstance(link['$dnanexus_link'], basestring):
link = link['$dnanexus_link']
else:
link = link['$dnanexus_link']['id']
links.append(link)
describe_input = dict([(field, True) for field in kwargs['fields']]
) if kwargs.get('fields', []) else True
describe_links_input = [{'id': link, 'describe': describe_input} for
link in links]
bulk_describe_input = {'objects': describe_links_input}
if 'classDescribeOptions' in kwargs:
bulk_describe_input['classDescribeOptions'] = kwargs[
'classDescribeOptions']
data_object_descriptions = dxpy.api.system_describe_data_objects(
bulk_describe_input)
return [desc['describe'] for desc in data_object_descriptions[
'results']]
|
describe
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id_or_link, **kwargs):\n if isinstance(id_or_link, basestring) or is_dxlink(id_or_link):\n handler = get_handler(id_or_link)\n return handler.describe(**kwargs)\n else:\n links = []\n for link in id_or_link:\n if is_dxlink(link):\n if isinstance(link['$dnanexus_link'], basestring):\n link = link['$dnanexus_link']\n else:\n link = link['$dnanexus_link']['id']\n links.append(link)\n describe_input = dict([(field, True) for field in kwargs['fields']]\n ) if kwargs.get('fields', []) else True\n describe_links_input = [{'id': link, 'describe': describe_input} for\n link in links]\n bulk_describe_input = {'objects': describe_links_input}\n if 'classDescribeOptions' in kwargs:\n bulk_describe_input['classDescribeOptions'] = kwargs[\n 'classDescribeOptions']\n data_object_descriptions = dxpy.api.system_describe_data_objects(\n bulk_describe_input)\n return [desc['describe'] for desc in data_object_descriptions[\n 'results']]\n",
"role": "user"
},
{
"content": "describe",
"role": "assistant"
}
] |
def x(self, **kwargs):
api_method = dxpy.api.container_describe
if isinstance(self, DXProject):
api_method = dxpy.api.project_describe
self._desc = api_method(self._dxid, **kwargs)
return self._desc
|
describe
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n api_method = dxpy.api.container_describe\n if isinstance(self, DXProject):\n api_method = dxpy.api.project_describe\n self._desc = api_method(self._dxid, **kwargs)\n return self._desc\n",
"role": "user"
},
{
"content": "describe",
"role": "assistant"
}
] |
def x(self, folder, parents=False, **kwargs):
api_method = dxpy.api.container_new_folder
if isinstance(self, DXProject):
api_method = dxpy.api.project_new_folder
api_method(self._dxid, {'folder': folder, 'parents': parents}, **kwargs)
|
new_folder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, folder, parents=False, **kwargs):\n api_method = dxpy.api.container_new_folder\n if isinstance(self, DXProject):\n api_method = dxpy.api.project_new_folder\n api_method(self._dxid, {'folder': folder, 'parents': parents}, **kwargs)\n",
"role": "user"
},
{
"content": "new_folder",
"role": "assistant"
}
] |
def x(self, folder='/', describe=False, only='all', includeHidden=False, **
kwargs):
api_method = dxpy.api.container_list_folder
if isinstance(self, DXProject):
api_method = dxpy.api.project_list_folder
return api_method(self._dxid, {'folder': folder, 'describe': describe,
'only': only, 'includeHidden': includeHidden}, **kwargs)
|
list_folder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, folder='/', describe=False, only='all', includeHidden=False, **\n kwargs):\n api_method = dxpy.api.container_list_folder\n if isinstance(self, DXProject):\n api_method = dxpy.api.project_list_folder\n return api_method(self._dxid, {'folder': folder, 'describe': describe,\n 'only': only, 'includeHidden': includeHidden}, **kwargs)\n",
"role": "user"
},
{
"content": "list_folder",
"role": "assistant"
}
] |
def x(self, destination, objects=[], folders=[], **kwargs):
api_method = dxpy.api.container_move
if isinstance(self, DXProject):
api_method = dxpy.api.project_move
api_method(self._dxid, {'objects': objects, 'folders': folders,
'destination': destination}, **kwargs)
|
move
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, destination, objects=[], folders=[], **kwargs):\n api_method = dxpy.api.container_move\n if isinstance(self, DXProject):\n api_method = dxpy.api.project_move\n api_method(self._dxid, {'objects': objects, 'folders': folders,\n 'destination': destination}, **kwargs)\n",
"role": "user"
},
{
"content": "move",
"role": "assistant"
}
] |
def x(self, folder, destination, **kwargs):
api_method = dxpy.api.container_move
if isinstance(self, DXProject):
api_method = dxpy.api.project_move
api_method(self._dxid, {'folders': [folder], 'destination': destination
}, **kwargs)
|
move_folder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, folder, destination, **kwargs):\n api_method = dxpy.api.container_move\n if isinstance(self, DXProject):\n api_method = dxpy.api.project_move\n api_method(self._dxid, {'folders': [folder], 'destination': destination\n }, **kwargs)\n",
"role": "user"
},
{
"content": "move_folder",
"role": "assistant"
}
] |
def x(self, folder, recurse=False, force=False, **kwargs):
api_method = dxpy.api.container_remove_folder
if isinstance(self, DXProject):
api_method = dxpy.api.project_remove_folder
completed = False
while not completed:
resp = api_method(self._dxid, {'folder': folder, 'recurse': recurse,
'force': force, 'partial': True}, always_retry=force, **kwargs)
if 'completed' not in resp:
raise DXError('Error removing folder')
completed = resp['completed']
|
remove_folder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, folder, recurse=False, force=False, **kwargs):\n api_method = dxpy.api.container_remove_folder\n if isinstance(self, DXProject):\n api_method = dxpy.api.project_remove_folder\n completed = False\n while not completed:\n resp = api_method(self._dxid, {'folder': folder, 'recurse': recurse,\n 'force': force, 'partial': True}, always_retry=force, **kwargs)\n if 'completed' not in resp:\n raise DXError('Error removing folder')\n completed = resp['completed']\n",
"role": "user"
},
{
"content": "remove_folder",
"role": "assistant"
}
] |
def x(self, objects, force=False, **kwargs):
api_method = dxpy.api.container_remove_objects
if isinstance(self, DXProject):
api_method = dxpy.api.project_remove_objects
api_method(self._dxid, {'objects': objects, 'force': force},
always_retry=force, **kwargs)
|
remove_objects
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, objects, force=False, **kwargs):\n api_method = dxpy.api.container_remove_objects\n if isinstance(self, DXProject):\n api_method = dxpy.api.project_remove_objects\n api_method(self._dxid, {'objects': objects, 'force': force},\n always_retry=force, **kwargs)\n",
"role": "user"
},
{
"content": "remove_objects",
"role": "assistant"
}
] |
def x(self, container, destination='/', objects=[], folders=[], parents=
False, **kwargs):
api_method = dxpy.api.container_clone
if isinstance(self, DXProject):
api_method = dxpy.api.project_clone
return api_method(self._dxid, {'objects': objects, 'folders': folders,
'project': container, 'destination': destination, 'parents':
parents}, **kwargs)
|
clone
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, container, destination='/', objects=[], folders=[], parents=\n False, **kwargs):\n api_method = dxpy.api.container_clone\n if isinstance(self, DXProject):\n api_method = dxpy.api.project_clone\n return api_method(self._dxid, {'objects': objects, 'folders': folders,\n 'project': container, 'destination': destination, 'parents':\n parents}, **kwargs)\n",
"role": "user"
},
{
"content": "clone",
"role": "assistant"
}
] |
def x(self, name, summary=None, description=None, protected=None,
restricted=None, download_restricted=None, contains_phi=None, tags=None,
properties=None, bill_to=None, **kwargs):
input_hash = {}
input_hash['name'] = name
if summary is not None:
input_hash['summary'] = summary
if description is not None:
input_hash['description'] = description
if protected is not None:
input_hash['protected'] = protected
if restricted is not None:
input_hash['restricted'] = restricted
if download_restricted is not None:
input_hash['downloadRestricted'] = download_restricted
if contains_phi is not None:
input_hash['containsPHI'] = contains_phi
if bill_to is not None:
input_hash['billTo'] = bill_to
if tags is not None:
input_hash['tags'] = tags
if properties is not None:
input_hash['properties'] = properties
self.set_id(dxpy.api.project_new(input_hash, **kwargs)['id'])
self._desc = {}
return self._dxid
|
new
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, summary=None, description=None, protected=None,\n restricted=None, download_restricted=None, contains_phi=None, tags=None,\n properties=None, bill_to=None, **kwargs):\n input_hash = {}\n input_hash['name'] = name\n if summary is not None:\n input_hash['summary'] = summary\n if description is not None:\n input_hash['description'] = description\n if protected is not None:\n input_hash['protected'] = protected\n if restricted is not None:\n input_hash['restricted'] = restricted\n if download_restricted is not None:\n input_hash['downloadRestricted'] = download_restricted\n if contains_phi is not None:\n input_hash['containsPHI'] = contains_phi\n if bill_to is not None:\n input_hash['billTo'] = bill_to\n if tags is not None:\n input_hash['tags'] = tags\n if properties is not None:\n input_hash['properties'] = properties\n self.set_id(dxpy.api.project_new(input_hash, **kwargs)['id'])\n self._desc = {}\n return self._dxid\n",
"role": "user"
},
{
"content": "new",
"role": "assistant"
}
] |
def x(self, name=None, summary=None, description=None, protected=None,
restricted=None, download_restricted=None, version=None, **kwargs):
update_hash = {}
if name is not None:
update_hash['name'] = name
if summary is not None:
update_hash['summary'] = summary
if description is not None:
update_hash['description'] = description
if protected is not None:
update_hash['protected'] = protected
if restricted is not None:
update_hash['restricted'] = restricted
if download_restricted is not None:
update_hash['downloadRestricted'] = download_restricted
if version is not None:
update_hash['version'] = version
dxpy.api.project_update(self._dxid, update_hash, **kwargs)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, summary=None, description=None, protected=None,\n restricted=None, download_restricted=None, version=None, **kwargs):\n update_hash = {}\n if name is not None:\n update_hash['name'] = name\n if summary is not None:\n update_hash['summary'] = summary\n if description is not None:\n update_hash['description'] = description\n if protected is not None:\n update_hash['protected'] = protected\n if restricted is not None:\n update_hash['restricted'] = restricted\n if download_restricted is not None:\n update_hash['downloadRestricted'] = download_restricted\n if version is not None:\n update_hash['version'] = version\n dxpy.api.project_update(self._dxid, update_hash, **kwargs)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, invitee, level, send_email=True, **kwargs):
return dxpy.api.project_invite(self._dxid, {'invitee': invitee, 'level':
level, 'suppressEmailNotification': not send_email}, **kwargs)
|
invite
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, invitee, level, send_email=True, **kwargs):\n return dxpy.api.project_invite(self._dxid, {'invitee': invitee, 'level':\n level, 'suppressEmailNotification': not send_email}, **kwargs)\n",
"role": "user"
},
{
"content": "invite",
"role": "assistant"
}
] |
def x(self, member, level, **kwargs):
input_hash = {}
input_hash[member] = level
return dxpy.api.project_decrease_permissions(self._dxid, input_hash, **
kwargs)
|
decrease_perms
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, member, level, **kwargs):\n input_hash = {}\n input_hash[member] = level\n return dxpy.api.project_decrease_permissions(self._dxid, input_hash, **\n kwargs)\n",
"role": "user"
},
{
"content": "decrease_perms",
"role": "assistant"
}
] |
def x(self, properties, **kwargs):
return dxpy.api.project_set_properties(self._dxid, {'properties':
properties}, **kwargs)
|
set_properties
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, properties, **kwargs):\n return dxpy.api.project_set_properties(self._dxid, {'properties':\n properties}, **kwargs)\n",
"role": "user"
},
{
"content": "set_properties",
"role": "assistant"
}
] |
def x(e):
from .utils.printing import fill
return '\n'.join(fill(line) for line in traceback.format_exception_only
(type(e), e))
|
format_exception
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(e):\n from .utils.printing import fill\n return '\\n'.join(fill(line) for line in traceback.format_exception_only\n (type(e), e))\n",
"role": "user"
},
{
"content": "format_exception",
"role": "assistant"
}
] |
def x(code=1, message='', print_tb=False, exception=None):
exc_type, exc_value = (exception.__class__, exception
) if exception is not None else sys.exc_info()[:2]
if exc_type is not None:
if print_tb:
traceback.print_exc()
elif isinstance(exc_value, KeyboardInterrupt):
sys.stderr.write('^C\n')
else:
for line in traceback.format_exception_only(exc_type, exc_value):
sys.stderr.write(line)
sys.stderr.write(message)
if message != '' and not message.endswith('\n'):
sys.stderr.write('\n')
sys.exit(code)
|
exit_with_exc_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(code=1, message='', print_tb=False, exception=None):\n exc_type, exc_value = (exception.__class__, exception\n ) if exception is not None else sys.exc_info()[:2]\n if exc_type is not None:\n if print_tb:\n traceback.print_exc()\n elif isinstance(exc_value, KeyboardInterrupt):\n sys.stderr.write('^C\\n')\n else:\n for line in traceback.format_exception_only(exc_type, exc_value):\n sys.stderr.write(line)\n sys.stderr.write(message)\n if message != '' and not message.endswith('\\n'):\n sys.stderr.write('\\n')\n sys.exit(code)\n",
"role": "user"
},
{
"content": "exit_with_exc_info",
"role": "assistant"
}
] |
def x(message='', code=None, expected_exceptions=
default_expected_exceptions, arg_parser=None, ignore_sigpipe=True,
exception=None):
if arg_parser is not None:
message = arg_parser.prog + ': ' + message
exc = exception if exception is not None else sys.exc_info()[1]
if isinstance(exc, SystemExit):
raise exc
elif isinstance(exc, expected_exceptions):
exit_with_exc_info(EXPECTED_ERR_EXIT_STATUS, message, print_tb=dxpy
._DEBUG > 0, exception=exception)
elif ignore_sigpipe and isinstance(exc, IOError) and getattr(exc,
'errno', None) == errno.EPIPE:
if dxpy._DEBUG > 0:
print('Broken pipe', file=sys.stderr)
sys.exit(3)
else:
if code is None:
code = 1
exit_with_exc_info(code, message, print_tb=True, exception=exception)
|
err_exit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message='', code=None, expected_exceptions=\n default_expected_exceptions, arg_parser=None, ignore_sigpipe=True,\n exception=None):\n if arg_parser is not None:\n message = arg_parser.prog + ': ' + message\n exc = exception if exception is not None else sys.exc_info()[1]\n if isinstance(exc, SystemExit):\n raise exc\n elif isinstance(exc, expected_exceptions):\n exit_with_exc_info(EXPECTED_ERR_EXIT_STATUS, message, print_tb=dxpy\n ._DEBUG > 0, exception=exception)\n elif ignore_sigpipe and isinstance(exc, IOError) and getattr(exc,\n 'errno', None) == errno.EPIPE:\n if dxpy._DEBUG > 0:\n print('Broken pipe', file=sys.stderr)\n sys.exit(3)\n else:\n if code is None:\n code = 1\n exit_with_exc_info(code, message, print_tb=True, exception=exception)\n",
"role": "user"
},
{
"content": "err_exit",
"role": "assistant"
}
] |
def x(self):
output = self.msg + ', code ' + str(self.code)
output += '. Request Time={}, Request ID={}'.format(self.timestamp,
self.req_id)
if self.name != self.__class__.__name__:
output = self.name + ': ' + output
return output
|
error_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n output = self.msg + ', code ' + str(self.code)\n output += '. Request Time={}, Request ID={}'.format(self.timestamp,\n self.req_id)\n if self.name != self.__class__.__name__:\n output = self.name + ': ' + output\n return output\n",
"role": "user"
},
{
"content": "error_message",
"role": "assistant"
}
] |
def x(self, **kwargs):
if self._dxid is not None:
return dxpy.api.global_workflow_publish(self._dxid, **kwargs)
else:
return dxpy.api.global_workflow_publish('globalworkflow-' + self.
_name, alias=self._alias, **kwargs)
|
publish
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n if self._dxid is not None:\n return dxpy.api.global_workflow_publish(self._dxid, **kwargs)\n else:\n return dxpy.api.global_workflow_publish('globalworkflow-' + self.\n _name, alias=self._alias, **kwargs)\n",
"role": "user"
},
{
"content": "publish",
"role": "assistant"
}
] |
def x(self, region, describe_output=None):
assert describe_output is None or describe_output.get('class', ''
) == 'globalworkflow'
if region is None:
raise DXError(
'DXGlobalWorkflow: region must be provided to get an underlying workflow'
)
if region in self._workflow_desc_by_region:
return self._workflow_desc_by_region[region]
if not describe_output:
describe_output = self.describe()
if region not in describe_output['regionalOptions'].keys():
raise DXError(
'DXGlobalWorkflow: the global workflow {} is not enabled in region {}'
.format(self.get_id(), region))
underlying_workflow_id = describe_output['regionalOptions'][region][
'workflow']
dxworkflow = dxpy.DXWorkflow(underlying_workflow_id)
dxworkflow_desc = dxworkflow.describe()
self._workflow_desc_by_region = dxworkflow_desc
return dxworkflow_desc
|
describe_underlying_workflow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, region, describe_output=None):\n assert describe_output is None or describe_output.get('class', ''\n ) == 'globalworkflow'\n if region is None:\n raise DXError(\n 'DXGlobalWorkflow: region must be provided to get an underlying workflow'\n )\n if region in self._workflow_desc_by_region:\n return self._workflow_desc_by_region[region]\n if not describe_output:\n describe_output = self.describe()\n if region not in describe_output['regionalOptions'].keys():\n raise DXError(\n 'DXGlobalWorkflow: the global workflow {} is not enabled in region {}'\n .format(self.get_id(), region))\n underlying_workflow_id = describe_output['regionalOptions'][region][\n 'workflow']\n dxworkflow = dxpy.DXWorkflow(underlying_workflow_id)\n dxworkflow_desc = dxworkflow.describe()\n self._workflow_desc_by_region = dxworkflow_desc\n return dxworkflow_desc\n",
"role": "user"
},
{
"content": "describe_underlying_workflow",
"role": "assistant"
}
] |
def x(self, region, describe_output=None):
assert describe_output is None or describe_output.get('class'
) == 'globalworkflow'
if region is None:
raise DXError(
'DXGlobalWorkflow: region must be provided to get an underlying workflow'
)
if region in self._workflows_by_region:
return self._workflows_by_region[region]
if not describe_output:
describe_output = self.describe()
if region not in describe_output['regionalOptions'].keys():
raise DXError(
'DXGlobalWorkflow: the global workflow {} is not enabled in region {}'
.format(self.get_id(), region))
underlying_workflow_id = describe_output['regionalOptions'][region][
'workflow']
self._workflow_desc_by_region = dxpy.DXWorkflow(underlying_workflow_id)
return dxpy.DXWorkflow(underlying_workflow_id)
|
get_underlying_workflow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, region, describe_output=None):\n assert describe_output is None or describe_output.get('class'\n ) == 'globalworkflow'\n if region is None:\n raise DXError(\n 'DXGlobalWorkflow: region must be provided to get an underlying workflow'\n )\n if region in self._workflows_by_region:\n return self._workflows_by_region[region]\n if not describe_output:\n describe_output = self.describe()\n if region not in describe_output['regionalOptions'].keys():\n raise DXError(\n 'DXGlobalWorkflow: the global workflow {} is not enabled in region {}'\n .format(self.get_id(), region))\n underlying_workflow_id = describe_output['regionalOptions'][region][\n 'workflow']\n self._workflow_desc_by_region = dxpy.DXWorkflow(underlying_workflow_id)\n return dxpy.DXWorkflow(underlying_workflow_id)\n",
"role": "user"
},
{
"content": "get_underlying_workflow",
"role": "assistant"
}
] |
def x(self, describe_output, region):
assert describe_output is None or describe_output.get('class'
) == 'globalworkflow'
underlying_workflow_desc = self.describe_underlying_workflow(region,
describe_output=describe_output)
for field in ['inputs', 'outputs', 'inputSpec', 'outputSpec', 'stages']:
describe_output[field] = underlying_workflow_desc[field]
return describe_output
|
append_underlying_workflow_desc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, describe_output, region):\n assert describe_output is None or describe_output.get('class'\n ) == 'globalworkflow'\n underlying_workflow_desc = self.describe_underlying_workflow(region,\n describe_output=describe_output)\n for field in ['inputs', 'outputs', 'inputSpec', 'outputSpec', 'stages']:\n describe_output[field] = underlying_workflow_desc[field]\n return describe_output\n",
"role": "user"
},
{
"content": "append_underlying_workflow_desc",
"role": "assistant"
}
] |
def x(self, workflow_input, project=None, **kwargs):
region = dxpy.api.project_describe(project, input_params={'fields': {
'region': True}})['region']
dxworkflow = self.get_underlying_workflow(region)
return dxworkflow._get_run_input(workflow_input, **kwargs)
|
get_run_input
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, workflow_input, project=None, **kwargs):\n region = dxpy.api.project_describe(project, input_params={'fields': {\n 'region': True}})['region']\n dxworkflow = self.get_underlying_workflow(region)\n return dxworkflow._get_run_input(workflow_input, **kwargs)\n",
"role": "user"
},
{
"content": "get_run_input",
"role": "assistant"
}
] |
def x(self, workflow_input, *args, **kwargs):
return super(DXGlobalWorkflow, self).run(workflow_input, *args, **kwargs)
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, workflow_input, *args, **kwargs):\n return super(DXGlobalWorkflow, self).run(workflow_input, *args, **kwargs)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(stream_name):
wrapped_stream = None
try:
wrapped_stream = getattr(sys, stream_name)
if hasattr(wrapped_stream, '_original_stream'):
setattr(sys, stream_name, wrapped_stream._original_stream)
yield
finally:
if wrapped_stream:
setattr(sys, stream_name, wrapped_stream)
|
unwrap_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream_name):\n wrapped_stream = None\n try:\n wrapped_stream = getattr(sys, stream_name)\n if hasattr(wrapped_stream, '_original_stream'):\n setattr(sys, stream_name, wrapped_stream._original_stream)\n yield\n finally:\n if wrapped_stream:\n setattr(sys, stream_name, wrapped_stream)\n",
"role": "user"
},
{
"content": "unwrap_stream",
"role": "assistant"
}
] |
def x(dxid, project=None, mode=None, read_buffer_size=dxfile.
DEFAULT_BUFFER_SIZE):
return DXFile(dxid, project=project, mode=mode, read_buffer_size=
read_buffer_size)
|
open_dxfile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dxid, project=None, mode=None, read_buffer_size=dxfile.\n DEFAULT_BUFFER_SIZE):\n return DXFile(dxid, project=project, mode=mode, read_buffer_size=\n read_buffer_size)\n",
"role": "user"
},
{
"content": "open_dxfile",
"role": "assistant"
}
] |
def x(mode=None, write_buffer_size=dxfile.DEFAULT_BUFFER_SIZE,
expected_file_size=None, file_is_mmapd=False, **kwargs):
dx_file = DXFile(mode=mode, write_buffer_size=write_buffer_size,
expected_file_size=expected_file_size, file_is_mmapd=file_is_mmapd)
dx_file.new(**kwargs)
return dx_file
|
new_dxfile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mode=None, write_buffer_size=dxfile.DEFAULT_BUFFER_SIZE,\n expected_file_size=None, file_is_mmapd=False, **kwargs):\n dx_file = DXFile(mode=mode, write_buffer_size=write_buffer_size,\n expected_file_size=expected_file_size, file_is_mmapd=file_is_mmapd)\n dx_file.new(**kwargs)\n return dx_file\n",
"role": "user"
},
{
"content": "new_dxfile",
"role": "assistant"
}
] |
def x(dxid, filename, chunksize=dxfile.DEFAULT_BUFFER_SIZE, append=False,
show_progress=False, project=None, describe_output=None, **kwargs):
part_retry_counter = defaultdict(lambda : 3)
success = False
while not success:
success = _download_dxfile(dxid, filename, part_retry_counter,
chunksize=chunksize, append=append, show_progress=show_progress,
project=project, describe_output=describe_output, **kwargs)
|
download_dxfile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dxid, filename, chunksize=dxfile.DEFAULT_BUFFER_SIZE, append=False,\n show_progress=False, project=None, describe_output=None, **kwargs):\n part_retry_counter = defaultdict(lambda : 3)\n success = False\n while not success:\n success = _download_dxfile(dxid, filename, part_retry_counter,\n chunksize=chunksize, append=append, show_progress=show_progress,\n project=project, describe_output=describe_output, **kwargs)\n",
"role": "user"
},
{
"content": "download_dxfile",
"role": "assistant"
}
] |
def x(filename=None, file=None, media_type=None, keep_open=False,
wait_on_close=False, use_existing_dxfile=None, show_progress=False,
write_buffer_size=None, multithread=True, **kwargs):
fd = file if filename is None else open(filename, 'rb')
try:
file_size = os.fstat(fd.fileno()).st_size
except:
file_size = 0
file_is_mmapd = hasattr(fd, 'fileno')
if write_buffer_size is None:
write_buffer_size = dxfile.DEFAULT_BUFFER_SIZE
if use_existing_dxfile:
handler = use_existing_dxfile
else:
creation_kwargs = kwargs.copy()
if 'name' not in kwargs:
if filename is not None:
creation_kwargs['name'] = os.path.basename(filename)
else:
try:
local_file_name = file.name
except AttributeError:
pass
else:
creation_kwargs['name'] = os.path.basename(local_file_name)
handler = new_dxfile(mode='a', media_type=media_type,
write_buffer_size=write_buffer_size, expected_file_size=
file_size, file_is_mmapd=file_is_mmapd, **creation_kwargs)
_, remaining_kwargs = dxpy.DXDataObject._get_creation_params(kwargs)
num_ticks = 60
offset = 0
handler._ensure_write_bufsize(**remaining_kwargs)
def x(fd):
if not hasattr(fd, 'fileno'):
return False
mode = os.fstat(fd.fileno()).st_mode
return not (stat.S_ISCHR(mode) or stat.S_ISFIFO(mode))
def x(num_bytes):
if not can_be_mmapd(fd):
return fd.read(handler._write_bufsize)
bytes_available = max(file_size - offset, 0)
if bytes_available == 0:
return b''
return mmap.mmap(fd.fileno(), min(handler._write_bufsize,
bytes_available), offset=offset, access=mmap.ACCESS_READ)
handler._num_bytes_transmitted = 0
def x(handler, num_bytes):
handler._num_bytes_transmitted += num_bytes
if file_size > 0:
ticks = int(round(handler._num_bytes_transmitted / float(
file_size) * num_ticks))
percent = int(round(handler._num_bytes_transmitted / float(
file_size) * 100))
fmt = (
'[{done}{pending}] Uploaded {done_bytes:,} of {total:,} bytes ({percent}%) {name}'
)
sys.stderr.write(fmt.format(done='=' * (ticks - 1) + '>' if
ticks > 0 else '', pending=' ' * (num_ticks - ticks),
done_bytes=handler._num_bytes_transmitted, total=file_size,
percent=percent, name=filename if filename is not None else '')
)
sys.stderr.flush()
sys.stderr.write('\r')
sys.stderr.flush()
if show_progress:
report_progress(handler, 0)
while True:
buf = read(handler._write_bufsize)
offset += len(buf)
if len(buf) == 0:
break
handler.write(buf, report_progress_fn=report_progress if
show_progress else None, multithread=multithread, **
remaining_kwargs)
if filename is not None:
fd.close()
handler.flush(report_progress_fn=report_progress if show_progress else
None, **remaining_kwargs)
if show_progress:
sys.stderr.write('\n')
sys.stderr.flush()
if not keep_open:
handler.close(block=wait_on_close, report_progress_fn=
report_progress if show_progress else None, **remaining_kwargs)
return handler
|
upload_local_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename=None, file=None, media_type=None, keep_open=False,\n wait_on_close=False, use_existing_dxfile=None, show_progress=False,\n write_buffer_size=None, multithread=True, **kwargs):\n fd = file if filename is None else open(filename, 'rb')\n try:\n file_size = os.fstat(fd.fileno()).st_size\n except:\n file_size = 0\n file_is_mmapd = hasattr(fd, 'fileno')\n if write_buffer_size is None:\n write_buffer_size = dxfile.DEFAULT_BUFFER_SIZE\n if use_existing_dxfile:\n handler = use_existing_dxfile\n else:\n creation_kwargs = kwargs.copy()\n if 'name' not in kwargs:\n if filename is not None:\n creation_kwargs['name'] = os.path.basename(filename)\n else:\n try:\n local_file_name = file.name\n except AttributeError:\n pass\n else:\n creation_kwargs['name'] = os.path.basename(local_file_name)\n handler = new_dxfile(mode='a', media_type=media_type,\n write_buffer_size=write_buffer_size, expected_file_size=\n file_size, file_is_mmapd=file_is_mmapd, **creation_kwargs)\n _, remaining_kwargs = dxpy.DXDataObject._get_creation_params(kwargs)\n num_ticks = 60\n offset = 0\n handler._ensure_write_bufsize(**remaining_kwargs)\n\n def x(fd):\n if not hasattr(fd, 'fileno'):\n return False\n mode = os.fstat(fd.fileno()).st_mode\n return not (stat.S_ISCHR(mode) or stat.S_ISFIFO(mode))\n\n def x(num_bytes):\n if not can_be_mmapd(fd):\n return fd.read(handler._write_bufsize)\n bytes_available = max(file_size - offset, 0)\n if bytes_available == 0:\n return b''\n return mmap.mmap(fd.fileno(), min(handler._write_bufsize,\n bytes_available), offset=offset, access=mmap.ACCESS_READ)\n handler._num_bytes_transmitted = 0\n\n def x(handler, num_bytes):\n handler._num_bytes_transmitted += num_bytes\n if file_size > 0:\n ticks = int(round(handler._num_bytes_transmitted / float(\n file_size) * num_ticks))\n percent = int(round(handler._num_bytes_transmitted / float(\n file_size) * 100))\n fmt = (\n '[{done}{pending}] Uploaded {done_bytes:,} of {total:,} bytes ({percent}%) {name}'\n )\n sys.stderr.write(fmt.format(done='=' * (ticks - 1) + '>' if \n ticks > 0 else '', pending=' ' * (num_ticks - ticks),\n done_bytes=handler._num_bytes_transmitted, total=file_size,\n percent=percent, name=filename if filename is not None else '')\n )\n sys.stderr.flush()\n sys.stderr.write('\\r')\n sys.stderr.flush()\n if show_progress:\n report_progress(handler, 0)\n while True:\n buf = read(handler._write_bufsize)\n offset += len(buf)\n if len(buf) == 0:\n break\n handler.write(buf, report_progress_fn=report_progress if\n show_progress else None, multithread=multithread, **\n remaining_kwargs)\n if filename is not None:\n fd.close()\n handler.flush(report_progress_fn=report_progress if show_progress else\n None, **remaining_kwargs)\n if show_progress:\n sys.stderr.write('\\n')\n sys.stderr.flush()\n if not keep_open:\n handler.close(block=wait_on_close, report_progress_fn=\n report_progress if show_progress else None, **remaining_kwargs)\n return handler\n",
"role": "user"
},
{
"content": "upload_local_file",
"role": "assistant"
}
] |
def x(to_upload, media_type=None, keep_open=False, wait_on_close=False, **
kwargs):
handler = new_dxfile(media_type=media_type, mode='a', **kwargs)
_, remaining_kwargs = dxpy.DXDataObject._get_creation_params(kwargs)
handler.write(to_upload, **remaining_kwargs)
if not keep_open:
handler.close(block=wait_on_close, **remaining_kwargs)
return handler
|
upload_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(to_upload, media_type=None, keep_open=False, wait_on_close=False, **\n kwargs):\n handler = new_dxfile(media_type=media_type, mode='a', **kwargs)\n _, remaining_kwargs = dxpy.DXDataObject._get_creation_params(kwargs)\n handler.write(to_upload, **remaining_kwargs)\n if not keep_open:\n handler.close(block=wait_on_close, **remaining_kwargs)\n return handler\n",
"role": "user"
},
{
"content": "upload_string",
"role": "assistant"
}
] |
def x(project, path, recurse=True):
project_folders = dxpy.get_handler(project).describe(input_params={
'folders': True})['folders']
if recurse:
return (f for f in project_folders if f.startswith(path))
else:
return (f for f in project_folders if f.startswith(path) and '/' not in
f[len(path) + 1:])
|
list_subfolders
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(project, path, recurse=True):\n project_folders = dxpy.get_handler(project).describe(input_params={\n 'folders': True})['folders']\n if recurse:\n return (f for f in project_folders if f.startswith(path))\n else:\n return (f for f in project_folders if f.startswith(path) and '/' not in\n f[len(path) + 1:])\n",
"role": "user"
},
{
"content": "list_subfolders",
"role": "assistant"
}
] |
def x(project, destdir, folder='/', overwrite=False, chunksize=dxfile.
DEFAULT_BUFFER_SIZE, show_progress=False, **kwargs):
def x(d):
if not os.path.isdir(d):
if os.path.exists(d):
raise DXFileError(
"Destination location '{}' already exists and is not a directory"
.format(d))
logger.debug("Creating destination directory: '%s'", d)
os.makedirs(d)
def x(d, remote_folder, remote_subfolder):
suffix = remote_subfolder[1:
] if remote_folder == '/' else remote_subfolder[len(
remote_folder) + 1:]
if os.sep != '/':
suffix = suffix.replace('/', os.sep)
return os.path.join(d, suffix) if suffix != '' else d
normalized_folder = folder.strip()
if normalized_folder != '/' and normalized_folder.endswith('/'):
normalized_folder = normalized_folder[:-1]
if normalized_folder == '':
raise DXFileError("Invalid remote folder name: '{}'".format(folder))
normalized_dest_dir = os.path.normpath(destdir).strip()
if normalized_dest_dir == '':
raise DXFileError("Invalid destination directory name: '{}'".format
(destdir))
remote_folders = list(list_subfolders(project, normalized_folder,
recurse=True))
if len(remote_folders) <= 0:
raise DXFileError("Remote folder '{}' not found".format(
normalized_folder))
remote_folders.sort()
for remote_subfolder in remote_folders:
ensure_local_dir(compose_local_dir(normalized_dest_dir,
normalized_folder, remote_subfolder))
describe_input = dict(fields=dict(folder=True, name=True, id=True,
parts=True, size=True, drive=True, md5=True))
files_gen = dxpy.search.find_data_objects(classname='file', state=
'closed', project=project, folder=normalized_folder, recurse=True,
describe=describe_input)
if files_gen is None:
return
for remote_file in files_gen:
local_filename = os.path.join(compose_local_dir(normalized_dest_dir,
normalized_folder, remote_file['describe']['folder']),
remote_file['describe']['name'])
if os.path.exists(local_filename) and not overwrite:
raise DXFileError(
"Destination file '{}' already exists but no overwrite option is provided"
.format(local_filename))
logger.debug("Downloading '%s/%s' remote file to '%s' location", '' if
remote_file['describe']['folder'] == '/' else remote_file[
'describe']['folder'], remote_file['describe']['name'],
local_filename)
download_dxfile(remote_file['describe']['id'], local_filename,
chunksize=chunksize, project=project, show_progress=
show_progress, describe_output=remote_file['describe'], **kwargs)
|
download_folder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(project, destdir, folder='/', overwrite=False, chunksize=dxfile.\n DEFAULT_BUFFER_SIZE, show_progress=False, **kwargs):\n\n def x(d):\n if not os.path.isdir(d):\n if os.path.exists(d):\n raise DXFileError(\n \"Destination location '{}' already exists and is not a directory\"\n .format(d))\n logger.debug(\"Creating destination directory: '%s'\", d)\n os.makedirs(d)\n\n def x(d, remote_folder, remote_subfolder):\n suffix = remote_subfolder[1:\n ] if remote_folder == '/' else remote_subfolder[len(\n remote_folder) + 1:]\n if os.sep != '/':\n suffix = suffix.replace('/', os.sep)\n return os.path.join(d, suffix) if suffix != '' else d\n normalized_folder = folder.strip()\n if normalized_folder != '/' and normalized_folder.endswith('/'):\n normalized_folder = normalized_folder[:-1]\n if normalized_folder == '':\n raise DXFileError(\"Invalid remote folder name: '{}'\".format(folder))\n normalized_dest_dir = os.path.normpath(destdir).strip()\n if normalized_dest_dir == '':\n raise DXFileError(\"Invalid destination directory name: '{}'\".format\n (destdir))\n remote_folders = list(list_subfolders(project, normalized_folder,\n recurse=True))\n if len(remote_folders) <= 0:\n raise DXFileError(\"Remote folder '{}' not found\".format(\n normalized_folder))\n remote_folders.sort()\n for remote_subfolder in remote_folders:\n ensure_local_dir(compose_local_dir(normalized_dest_dir,\n normalized_folder, remote_subfolder))\n describe_input = dict(fields=dict(folder=True, name=True, id=True,\n parts=True, size=True, drive=True, md5=True))\n files_gen = dxpy.search.find_data_objects(classname='file', state=\n 'closed', project=project, folder=normalized_folder, recurse=True,\n describe=describe_input)\n if files_gen is None:\n return\n for remote_file in files_gen:\n local_filename = os.path.join(compose_local_dir(normalized_dest_dir,\n normalized_folder, remote_file['describe']['folder']),\n remote_file['describe']['name'])\n if os.path.exists(local_filename) and not overwrite:\n raise DXFileError(\n \"Destination file '{}' already exists but no overwrite option is provided\"\n .format(local_filename))\n logger.debug(\"Downloading '%s/%s' remote file to '%s' location\", '' if\n remote_file['describe']['folder'] == '/' else remote_file[\n 'describe']['folder'], remote_file['describe']['name'],\n local_filename)\n download_dxfile(remote_file['describe']['id'], local_filename,\n chunksize=chunksize, project=project, show_progress=\n show_progress, describe_output=remote_file['describe'], **kwargs)\n",
"role": "user"
},
{
"content": "download_folder",
"role": "assistant"
}
] |
def x(src_dir, parallel_build=True):
config_script = os.path.join(src_dir, 'configure')
if os.path.isfile(config_script) and os.access(config_script, os.X_OK):
logger.debug('Running ./configure in {cwd}'.format(cwd=os.path.
abspath(src_dir)))
try:
subprocess.check_call([config_script])
except subprocess.CalledProcessError as e:
raise AppBuilderException(
'./configure in target directory failed with exit code %d' %
(e.returncode,))
if os.path.isfile(os.path.join(src_dir, 'Makefile')) or os.path.isfile(os
.path.join(src_dir, 'makefile')) or os.path.isfile(os.path.join(
src_dir, 'GNUmakefile')):
if parallel_build:
make_shortcmd = 'make -j%d' % (NUM_CORES,)
else:
make_shortcmd = 'make'
logger.debug('Building with {make} in {cwd}'.format(make=
make_shortcmd, cwd=os.path.abspath(src_dir)))
try:
make_cmd = ['make', '-C', src_dir]
if parallel_build:
make_cmd.append('-j' + str(NUM_CORES))
subprocess.check_call(make_cmd)
except subprocess.CalledProcessError as e:
raise AppBuilderException(
'%s in target directory failed with exit code %d' % (
make_shortcmd, e.returncode))
|
build
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src_dir, parallel_build=True):\n config_script = os.path.join(src_dir, 'configure')\n if os.path.isfile(config_script) and os.access(config_script, os.X_OK):\n logger.debug('Running ./configure in {cwd}'.format(cwd=os.path.\n abspath(src_dir)))\n try:\n subprocess.check_call([config_script])\n except subprocess.CalledProcessError as e:\n raise AppBuilderException(\n './configure in target directory failed with exit code %d' %\n (e.returncode,))\n if os.path.isfile(os.path.join(src_dir, 'Makefile')) or os.path.isfile(os\n .path.join(src_dir, 'makefile')) or os.path.isfile(os.path.join(\n src_dir, 'GNUmakefile')):\n if parallel_build:\n make_shortcmd = 'make -j%d' % (NUM_CORES,)\n else:\n make_shortcmd = 'make'\n logger.debug('Building with {make} in {cwd}'.format(make=\n make_shortcmd, cwd=os.path.abspath(src_dir)))\n try:\n make_cmd = ['make', '-C', src_dir]\n if parallel_build:\n make_cmd.append('-j' + str(NUM_CORES))\n subprocess.check_call(make_cmd)\n except subprocess.CalledProcessError as e:\n raise AppBuilderException(\n '%s in target directory failed with exit code %d' % (\n make_shortcmd, e.returncode))\n",
"role": "user"
},
{
"content": "build",
"role": "assistant"
}
] |
def x(link_target):
is_local = not os.path.isabs(link_target)
if is_local:
d, l = os.path.split(link_target)
link_parts = []
while l:
link_parts.append(l)
d, l = os.path.split(d)
curr_path = os.sep
for p in reversed(link_parts):
is_local = is_local and not (curr_path == os.sep and p == os.pardir
)
curr_path = os.path.abspath(os.path.join(curr_path, p))
return is_local
|
is_link_local
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(link_target):\n is_local = not os.path.isabs(link_target)\n if is_local:\n d, l = os.path.split(link_target)\n link_parts = []\n while l:\n link_parts.append(l)\n d, l = os.path.split(d)\n curr_path = os.sep\n for p in reversed(link_parts):\n is_local = is_local and not (curr_path == os.sep and p == os.pardir\n )\n curr_path = os.path.abspath(os.path.join(curr_path, p))\n return is_local\n",
"role": "user"
},
{
"content": "is_link_local",
"role": "assistant"
}
] |
def x(perm_obj):
ret_perm = perm_obj | stat.S_IROTH | stat.S_IRGRP | stat.S_IRUSR
if ret_perm & stat.S_IXUSR:
ret_perm = ret_perm | stat.S_IXGRP | stat.S_IXOTH
return ret_perm
|
fix_perms
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(perm_obj):\n ret_perm = perm_obj | stat.S_IROTH | stat.S_IRGRP | stat.S_IRUSR\n if ret_perm & stat.S_IXUSR:\n ret_perm = ret_perm | stat.S_IXGRP | stat.S_IXOTH\n return ret_perm\n",
"role": "user"
},
{
"content": "fix_perms",
"role": "assistant"
}
] |
def x(src_dir, project=None, folder='/', ensure_upload=False,
force_symlinks=False):
applet_spec = _get_applet_spec(src_dir)
if project is None:
dest_project = applet_spec['project']
else:
dest_project = project
applet_spec['project'] = project
resources_dir = os.path.join(src_dir, 'resources')
if os.path.exists(resources_dir) and len(os.listdir(resources_dir)) > 0:
target_folder = applet_spec['folder'
] if 'folder' in applet_spec else folder
with tempfile.NamedTemporaryFile(suffix='.tar') as tar_tmp_fh:
output_sha1 = hashlib.sha1()
tar_fh = tarfile.open(fileobj=tar_tmp_fh, mode='w')
for dirname, subdirs, files in os.walk(resources_dir):
if not dirname.startswith(resources_dir):
raise AssertionError(
'Expected %r to start with root directory %r' % (
dirname, resources_dir))
relative_dirname = dirname[len(resources_dir):]
dir_stat = os.lstat(dirname)
if not relative_dirname.startswith('/'):
relative_dirname = '/' + relative_dirname
fields = [relative_dirname, str(_fix_perms(dir_stat.st_mode
)), str(int(dir_stat.st_mtime * 1000))]
output_sha1.update(b''.join(s.encode('utf-8') + b'\x00' for
s in fields))
tar_fh.add(dirname, arcname='.' + relative_dirname,
recursive=False, filter=_fix_perm_filter)
subdirs.sort()
for subdir_name in subdirs:
dir_path = os.path.join(dirname, subdir_name)
if os.path.islink(dir_path):
link_target = os.readlink(dir_path)
if force_symlinks or is_link_local(link_target):
files.append(subdir_name)
else:
raise AppBuilderException(
"Cannot include symlinks to directories outside of the resource directory. '%s' points to directory '%s'"
% (dir_path, os.path.realpath(dir_path)))
for filename in sorted(files):
deref_link = False
relative_filename = os.path.join(relative_dirname, filename
)
true_filename = os.path.join(dirname, filename)
file_stat = os.lstat(true_filename)
if os.path.islink(true_filename):
link_target = os.readlink(true_filename)
if not (force_symlinks or is_link_local(link_target)):
try:
file_stat = os.stat(os.path.join(dirname,
link_target))
deref_link = True
except OSError:
raise AppBuilderException(
"Broken symlink: Link '%s' points to '%s', which does not exist"
% (true_filename, os.path.realpath(
true_filename)))
fields = [relative_filename, str(_fix_perms(file_stat.
st_mode)), str(int(file_stat.st_mtime * 1000))]
output_sha1.update(b''.join(s.encode('utf-8') + b'\x00' for
s in fields))
if deref_link:
true_filename = os.path.realpath(true_filename)
tar_fh.add(true_filename, arcname='.' +
relative_filename, filter=_fix_perm_filter)
tar_fh.close()
if ensure_upload:
properties_dict = {}
existing_resources = False
else:
directory_checksum = output_sha1.hexdigest()
properties_dict = dict(resource_bundle_checksum=
directory_checksum)
existing_resources = dxpy.find_one_data_object(project=
dest_project, folder=target_folder, properties=dict(
resource_bundle_checksum=directory_checksum),
visibility='either', zero_ok=True, state='closed',
return_handler=True)
if existing_resources:
logger.info(
'Found existing resource bundle that matches local resources directory: '
+ existing_resources.get_id())
dx_resource_archive = existing_resources
else:
logger.debug('Uploading in ' + src_dir)
targz_fh = tempfile.NamedTemporaryFile(suffix='.tar.gz',
delete=False)
targz_gzf = gzip.GzipFile(fileobj=targz_fh, mode='wb')
tar_tmp_fh.seek(0)
dat = tar_tmp_fh.read(io.DEFAULT_BUFFER_SIZE)
while dat:
targz_gzf.write(dat)
dat = tar_tmp_fh.read(io.DEFAULT_BUFFER_SIZE)
targz_gzf.flush()
targz_gzf.close()
targz_fh.close()
if 'folder' in applet_spec:
try:
dxpy.get_handler(dest_project).new_folder(applet_spec
['folder'], parents=True)
except dxpy.exceptions.DXAPIError:
pass
dx_resource_archive = dxpy.upload_local_file(targz_fh.name,
wait_on_close=True, project=dest_project, folder=
target_folder, hidden=True, properties=properties_dict)
os.unlink(targz_fh.name)
archive_link = dxpy.dxlink(dx_resource_archive.get_id())
return [{'name': 'resources.tar.gz', 'id': archive_link}]
else:
return []
|
upload_resources
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src_dir, project=None, folder='/', ensure_upload=False,\n force_symlinks=False):\n applet_spec = _get_applet_spec(src_dir)\n if project is None:\n dest_project = applet_spec['project']\n else:\n dest_project = project\n applet_spec['project'] = project\n resources_dir = os.path.join(src_dir, 'resources')\n if os.path.exists(resources_dir) and len(os.listdir(resources_dir)) > 0:\n target_folder = applet_spec['folder'\n ] if 'folder' in applet_spec else folder\n with tempfile.NamedTemporaryFile(suffix='.tar') as tar_tmp_fh:\n output_sha1 = hashlib.sha1()\n tar_fh = tarfile.open(fileobj=tar_tmp_fh, mode='w')\n for dirname, subdirs, files in os.walk(resources_dir):\n if not dirname.startswith(resources_dir):\n raise AssertionError(\n 'Expected %r to start with root directory %r' % (\n dirname, resources_dir))\n relative_dirname = dirname[len(resources_dir):]\n dir_stat = os.lstat(dirname)\n if not relative_dirname.startswith('/'):\n relative_dirname = '/' + relative_dirname\n fields = [relative_dirname, str(_fix_perms(dir_stat.st_mode\n )), str(int(dir_stat.st_mtime * 1000))]\n output_sha1.update(b''.join(s.encode('utf-8') + b'\\x00' for\n s in fields))\n tar_fh.add(dirname, arcname='.' + relative_dirname,\n recursive=False, filter=_fix_perm_filter)\n subdirs.sort()\n for subdir_name in subdirs:\n dir_path = os.path.join(dirname, subdir_name)\n if os.path.islink(dir_path):\n link_target = os.readlink(dir_path)\n if force_symlinks or is_link_local(link_target):\n files.append(subdir_name)\n else:\n raise AppBuilderException(\n \"Cannot include symlinks to directories outside of the resource directory. '%s' points to directory '%s'\"\n % (dir_path, os.path.realpath(dir_path)))\n for filename in sorted(files):\n deref_link = False\n relative_filename = os.path.join(relative_dirname, filename\n )\n true_filename = os.path.join(dirname, filename)\n file_stat = os.lstat(true_filename)\n if os.path.islink(true_filename):\n link_target = os.readlink(true_filename)\n if not (force_symlinks or is_link_local(link_target)):\n try:\n file_stat = os.stat(os.path.join(dirname,\n link_target))\n deref_link = True\n except OSError:\n raise AppBuilderException(\n \"Broken symlink: Link '%s' points to '%s', which does not exist\"\n % (true_filename, os.path.realpath(\n true_filename)))\n fields = [relative_filename, str(_fix_perms(file_stat.\n st_mode)), str(int(file_stat.st_mtime * 1000))]\n output_sha1.update(b''.join(s.encode('utf-8') + b'\\x00' for\n s in fields))\n if deref_link:\n true_filename = os.path.realpath(true_filename)\n tar_fh.add(true_filename, arcname='.' +\n relative_filename, filter=_fix_perm_filter)\n tar_fh.close()\n if ensure_upload:\n properties_dict = {}\n existing_resources = False\n else:\n directory_checksum = output_sha1.hexdigest()\n properties_dict = dict(resource_bundle_checksum=\n directory_checksum)\n existing_resources = dxpy.find_one_data_object(project=\n dest_project, folder=target_folder, properties=dict(\n resource_bundle_checksum=directory_checksum),\n visibility='either', zero_ok=True, state='closed',\n return_handler=True)\n if existing_resources:\n logger.info(\n 'Found existing resource bundle that matches local resources directory: '\n + existing_resources.get_id())\n dx_resource_archive = existing_resources\n else:\n logger.debug('Uploading in ' + src_dir)\n targz_fh = tempfile.NamedTemporaryFile(suffix='.tar.gz',\n delete=False)\n targz_gzf = gzip.GzipFile(fileobj=targz_fh, mode='wb')\n tar_tmp_fh.seek(0)\n dat = tar_tmp_fh.read(io.DEFAULT_BUFFER_SIZE)\n while dat:\n targz_gzf.write(dat)\n dat = tar_tmp_fh.read(io.DEFAULT_BUFFER_SIZE)\n targz_gzf.flush()\n targz_gzf.close()\n targz_fh.close()\n if 'folder' in applet_spec:\n try:\n dxpy.get_handler(dest_project).new_folder(applet_spec\n ['folder'], parents=True)\n except dxpy.exceptions.DXAPIError:\n pass\n dx_resource_archive = dxpy.upload_local_file(targz_fh.name,\n wait_on_close=True, project=dest_project, folder=\n target_folder, hidden=True, properties=properties_dict)\n os.unlink(targz_fh.name)\n archive_link = dxpy.dxlink(dx_resource_archive.get_id())\n return [{'name': 'resources.tar.gz', 'id': archive_link}]\n else:\n return []\n",
"role": "user"
},
{
"content": "upload_resources",
"role": "assistant"
}
] |
def x(app_name, version, app_spec, try_update=True):
try:
app_id = dxpy.api.app_new(app_spec)['id']
return app_id
except dxpy.exceptions.DXAPIError as e:
if (e.name == 'InvalidInput' and e.msg ==
'Specified name and version conflict with an existing alias'):
print('App %s/%s already exists' % (app_spec['name'], version),
file=sys.stderr)
app_describe = dxpy.api.app_describe('app-' + app_name, alias=
version)
if app_describe.get('published', 0) > 0:
return None
return _update_version(app_name, version, app_spec, try_update=
try_update)
raise e
|
create_or_update_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app_name, version, app_spec, try_update=True):\n try:\n app_id = dxpy.api.app_new(app_spec)['id']\n return app_id\n except dxpy.exceptions.DXAPIError as e:\n if (e.name == 'InvalidInput' and e.msg ==\n 'Specified name and version conflict with an existing alias'):\n print('App %s/%s already exists' % (app_spec['name'], version),\n file=sys.stderr)\n app_describe = dxpy.api.app_describe('app-' + app_name, alias=\n version)\n if app_describe.get('published', 0) > 0:\n return None\n return _update_version(app_name, version, app_spec, try_update=\n try_update)\n raise e\n",
"role": "user"
},
{
"content": "create_or_update_version",
"role": "assistant"
}
] |
def x(app_name, version, app_spec, try_update=True):
if not try_update:
return None
try:
app_id = dxpy.api.app_update('app-' + app_name, version, app_spec)['id'
]
return app_id
except dxpy.exceptions.DXAPIError as e:
if e.name == 'InvalidState':
print('App %s/%s has already been published' % (app_spec['name'
], version), file=sys.stderr)
return None
raise e
|
update_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app_name, version, app_spec, try_update=True):\n if not try_update:\n return None\n try:\n app_id = dxpy.api.app_update('app-' + app_name, version, app_spec)['id'\n ]\n return app_id\n except dxpy.exceptions.DXAPIError as e:\n if e.name == 'InvalidState':\n print('App %s/%s has already been published' % (app_spec['name'\n ], version), file=sys.stderr)\n return None\n raise e\n",
"role": "user"
},
{
"content": "update_version",
"role": "assistant"
}
] |
def x(regional_options, app_name, src_dir, publish=False, set_default=False,
billTo=None, try_versions=None, try_update=True, confirm=True):
return _create_app(dict(regionalOptions=regional_options), app_name,
src_dir, publish=publish, set_default=set_default, billTo=billTo,
try_versions=try_versions, try_update=try_update, confirm=confirm)
|
create_app_multi_region
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(regional_options, app_name, src_dir, publish=False, set_default=False,\n billTo=None, try_versions=None, try_update=True, confirm=True):\n return _create_app(dict(regionalOptions=regional_options), app_name,\n src_dir, publish=publish, set_default=set_default, billTo=billTo,\n try_versions=try_versions, try_update=try_update, confirm=confirm)\n",
"role": "user"
},
{
"content": "create_app_multi_region",
"role": "assistant"
}
] |
def x(applet_id, applet_name, src_dir, publish=False, set_default=False,
billTo=None, try_versions=None, try_update=True, confirm=True,
regional_options=None):
return _create_app(dict(applet=applet_id), applet_name, src_dir,
publish=publish, set_default=set_default, billTo=billTo,
try_versions=try_versions, try_update=try_update, confirm=confirm)
|
create_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(applet_id, applet_name, src_dir, publish=False, set_default=False,\n billTo=None, try_versions=None, try_update=True, confirm=True,\n regional_options=None):\n return _create_app(dict(applet=applet_id), applet_name, src_dir,\n publish=publish, set_default=set_default, billTo=billTo,\n try_versions=try_versions, try_update=try_update, confirm=confirm)\n",
"role": "user"
},
{
"content": "create_app",
"role": "assistant"
}
] |
def x(app_spec, from_command_line):
enabled_regions = dxpy.executable_builder.get_enabled_regions('app',
app_spec, from_command_line, AppBuilderException)
if enabled_regions is not None and len(enabled_regions) == 0:
raise AssertionError(
'This app should be enabled in at least one region')
return enabled_regions
|
get_enabled_regions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app_spec, from_command_line):\n enabled_regions = dxpy.executable_builder.get_enabled_regions('app',\n app_spec, from_command_line, AppBuilderException)\n if enabled_regions is not None and len(enabled_regions) == 0:\n raise AssertionError(\n 'This app should be enabled in at least one region')\n return enabled_regions\n",
"role": "user"
},
{
"content": "get_enabled_regions",
"role": "assistant"
}
] |
def x(msg):
msg += '\n'
msg += 'Local job workspaces can be found in: ' + str(environ.get(
'DX_TEST_JOB_HOMEDIRS'))
sys.exit(msg)
|
exit_with_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg):\n msg += '\\n'\n msg += 'Local job workspaces can be found in: ' + str(environ.get(\n 'DX_TEST_JOB_HOMEDIRS'))\n sys.exit(msg)\n",
"role": "user"
},
{
"content": "exit_with_error",
"role": "assistant"
}
] |
def x(io_hash):
q = []
for field in io_hash:
if is_job_ref(io_hash[field]):
if get_job_from_jbor(io_hash[field]).startswith('localjob'):
return True
elif isinstance(io_hash[field], list) or isinstance(io_hash[field],
dict):
q.append(io_hash[field])
while len(q) > 0:
thing = q.pop()
if isinstance(thing, list):
for i in range(len(thing)):
if is_job_ref(thing[i]):
if get_job_from_jbor(thing[i]).startswith('localjob'):
return True
elif isinstance(thing[i], list) or isinstance(thing[i], dict):
q.append(thing[i])
else:
for field in thing:
if is_job_ref(thing[field]):
if get_job_from_jbor(thing[field]).startswith('localjob'):
return True
elif isinstance(thing[field], list) or isinstance(thing[
field], dict):
q.append(thing[field])
return False
|
has_local_job_refs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(io_hash):\n q = []\n for field in io_hash:\n if is_job_ref(io_hash[field]):\n if get_job_from_jbor(io_hash[field]).startswith('localjob'):\n return True\n elif isinstance(io_hash[field], list) or isinstance(io_hash[field],\n dict):\n q.append(io_hash[field])\n while len(q) > 0:\n thing = q.pop()\n if isinstance(thing, list):\n for i in range(len(thing)):\n if is_job_ref(thing[i]):\n if get_job_from_jbor(thing[i]).startswith('localjob'):\n return True\n elif isinstance(thing[i], list) or isinstance(thing[i], dict):\n q.append(thing[i])\n else:\n for field in thing:\n if is_job_ref(thing[field]):\n if get_job_from_jbor(thing[field]).startswith('localjob'):\n return True\n elif isinstance(thing[field], list) or isinstance(thing[\n field], dict):\n q.append(thing[field])\n return False\n",
"role": "user"
},
{
"content": "has_local_job_refs",
"role": "assistant"
}
] |
def x(jbor, job_outputs={}, should_resolve=True):
ref_job_id = get_job_from_jbor(jbor)
ref_job_field = get_field_from_jbor(jbor)
ref_job_index = get_index_from_jbor(jbor)
def x(output_hash):
if ref_job_index is None:
return output_hash[ref_job_field]
else:
return output_hash[ref_job_field][ref_job_index]
if is_localjob_id(ref_job_id):
if job_outputs.get(ref_job_id) is None:
if should_resolve:
raise Exception('Job ' + ref_job_id +
' not found in local finished jobs')
else:
return jbor
if ref_job_field not in job_outputs[ref_job_id]:
raise Exception('Cannot resolve a JBOR with job ID ' +
ref_job_id + ' because field "' + ref_job_field +
'" was not found in its output')
return resolve_from_hash(job_outputs[ref_job_id])
else:
dxjob = dxpy.DXJob(ref_job_id)
try:
dxjob.wait_on_done()
except Exception as e:
raise Exception('Could not wait for ' + ref_job_id +
' to finish: ' + str(e))
job_desc = dxjob.describe()
if ref_job_field not in job_desc['output']:
raise Exception('Cannot resolve a JBOR with job ID ' +
ref_job_id + ' because field "' + ref_job_field +
'" was not found in its output')
return resolve_from_hash(job_desc['output'])
|
resolve_job_ref
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(jbor, job_outputs={}, should_resolve=True):\n ref_job_id = get_job_from_jbor(jbor)\n ref_job_field = get_field_from_jbor(jbor)\n ref_job_index = get_index_from_jbor(jbor)\n\n def x(output_hash):\n if ref_job_index is None:\n return output_hash[ref_job_field]\n else:\n return output_hash[ref_job_field][ref_job_index]\n if is_localjob_id(ref_job_id):\n if job_outputs.get(ref_job_id) is None:\n if should_resolve:\n raise Exception('Job ' + ref_job_id +\n ' not found in local finished jobs')\n else:\n return jbor\n if ref_job_field not in job_outputs[ref_job_id]:\n raise Exception('Cannot resolve a JBOR with job ID ' +\n ref_job_id + ' because field \"' + ref_job_field +\n '\" was not found in its output')\n return resolve_from_hash(job_outputs[ref_job_id])\n else:\n dxjob = dxpy.DXJob(ref_job_id)\n try:\n dxjob.wait_on_done()\n except Exception as e:\n raise Exception('Could not wait for ' + ref_job_id +\n ' to finish: ' + str(e))\n job_desc = dxjob.describe()\n if ref_job_field not in job_desc['output']:\n raise Exception('Cannot resolve a JBOR with job ID ' +\n ref_job_id + ' because field \"' + ref_job_field +\n '\" was not found in its output')\n return resolve_from_hash(job_desc['output'])\n",
"role": "user"
},
{
"content": "resolve_job_ref",
"role": "assistant"
}
] |
def x(io_hash, job_outputs, should_resolve=True):
q = []
for field in io_hash:
if is_job_ref(io_hash[field]):
io_hash[field] = resolve_job_ref(io_hash[field], job_outputs,
should_resolve)
elif isinstance(io_hash[field], list) or isinstance(io_hash[field],
dict):
q.append(io_hash[field])
while len(q) > 0:
thing = q.pop()
if isinstance(thing, list):
for i in range(len(thing)):
if is_job_ref(thing[i]):
thing[i] = resolve_job_ref(thing[i], job_outputs,
should_resolve)
elif isinstance(thing[i], list) or isinstance(thing[i], dict):
q.append(thing[i])
else:
for field in thing:
if is_job_ref(thing[field]):
thing[field] = resolve_job_ref(thing[field],
job_outputs, should_resolve)
elif isinstance(thing[field], list) or isinstance(thing[
field], dict):
q.append(thing[field])
|
resolve_job_references
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(io_hash, job_outputs, should_resolve=True):\n q = []\n for field in io_hash:\n if is_job_ref(io_hash[field]):\n io_hash[field] = resolve_job_ref(io_hash[field], job_outputs,\n should_resolve)\n elif isinstance(io_hash[field], list) or isinstance(io_hash[field],\n dict):\n q.append(io_hash[field])\n while len(q) > 0:\n thing = q.pop()\n if isinstance(thing, list):\n for i in range(len(thing)):\n if is_job_ref(thing[i]):\n thing[i] = resolve_job_ref(thing[i], job_outputs,\n should_resolve)\n elif isinstance(thing[i], list) or isinstance(thing[i], dict):\n q.append(thing[i])\n else:\n for field in thing:\n if is_job_ref(thing[field]):\n thing[field] = resolve_job_ref(thing[field],\n job_outputs, should_resolve)\n elif isinstance(thing[field], list) or isinstance(thing[\n field], dict):\n q.append(thing[field])\n",
"role": "user"
},
{
"content": "resolve_job_references",
"role": "assistant"
}
] |
def x(input_hash, depends_on):
q = []
for field in input_hash:
possible_dep = get_nonclosed_data_obj_link(input_hash[field])
if possible_dep is not None:
depends_on.append(possible_dep)
elif isinstance(input_hash[field], list) or isinstance(input_hash[
field], dict):
q.append(input_hash[field])
while len(q) > 0:
thing = q.pop()
if isinstance(thing, list):
for i in range(len(thing)):
possible_dep = get_nonclosed_data_obj_link(thing[i])
if possible_dep is not None:
depends_on.append(possible_dep)
elif isinstance(thing[i], list) or isinstance(thing[i], dict):
q.append(thing[i])
else:
for field in thing:
possible_dep = get_nonclosed_data_obj_link(thing[field])
if possible_dep is not None:
depends_on.append(possible_dep)
elif isinstance(thing[field], list) or isinstance(thing[
field], dict):
q.append(thing[field])
|
get_implicit_depends_on
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_hash, depends_on):\n q = []\n for field in input_hash:\n possible_dep = get_nonclosed_data_obj_link(input_hash[field])\n if possible_dep is not None:\n depends_on.append(possible_dep)\n elif isinstance(input_hash[field], list) or isinstance(input_hash[\n field], dict):\n q.append(input_hash[field])\n while len(q) > 0:\n thing = q.pop()\n if isinstance(thing, list):\n for i in range(len(thing)):\n possible_dep = get_nonclosed_data_obj_link(thing[i])\n if possible_dep is not None:\n depends_on.append(possible_dep)\n elif isinstance(thing[i], list) or isinstance(thing[i], dict):\n q.append(thing[i])\n else:\n for field in thing:\n possible_dep = get_nonclosed_data_obj_link(thing[field])\n if possible_dep is not None:\n depends_on.append(possible_dep)\n elif isinstance(thing[field], list) or isinstance(thing[\n field], dict):\n q.append(thing[field])\n",
"role": "user"
},
{
"content": "get_implicit_depends_on",
"role": "assistant"
}
] |
def x(function, input_hash, depends_on=[], name=None):
ensure_env_vars()
all_job_outputs_path = os.path.join(environ['DX_TEST_JOB_HOMEDIRS'],
'job_outputs.json')
with open(all_job_outputs_path, 'r') as fd:
all_job_outputs = json.load(fd, object_pairs_hook=collections.
OrderedDict)
job_id = 'localjob-' + str(len(all_job_outputs))
with open(all_job_outputs_path, write_mode) as fd:
all_job_outputs[job_id] = None
json.dump(all_job_outputs, fd, indent=4)
fd.write(eol)
job_homedir = os.path.join(environ['DX_TEST_JOB_HOMEDIRS'], job_id)
os.mkdir(job_homedir)
job_queue_path = os.path.join(environ['DX_TEST_JOB_HOMEDIRS'],
'job_queue.json')
with open(job_queue_path, 'r') as fd:
job_queue = json.load(fd)
job_entry = {'id': job_id, 'function': function, 'input_hash':
input_hash, 'depends_on': depends_on}
if name is not None:
job_entry['name'] = name
job_queue.append(job_entry)
with open(job_queue_path, write_mode) as fd:
json.dump(job_queue, fd, indent=4)
fd.write(eol)
return job_id
|
queue_entry_point
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(function, input_hash, depends_on=[], name=None):\n ensure_env_vars()\n all_job_outputs_path = os.path.join(environ['DX_TEST_JOB_HOMEDIRS'],\n 'job_outputs.json')\n with open(all_job_outputs_path, 'r') as fd:\n all_job_outputs = json.load(fd, object_pairs_hook=collections.\n OrderedDict)\n job_id = 'localjob-' + str(len(all_job_outputs))\n with open(all_job_outputs_path, write_mode) as fd:\n all_job_outputs[job_id] = None\n json.dump(all_job_outputs, fd, indent=4)\n fd.write(eol)\n job_homedir = os.path.join(environ['DX_TEST_JOB_HOMEDIRS'], job_id)\n os.mkdir(job_homedir)\n job_queue_path = os.path.join(environ['DX_TEST_JOB_HOMEDIRS'],\n 'job_queue.json')\n with open(job_queue_path, 'r') as fd:\n job_queue = json.load(fd)\n job_entry = {'id': job_id, 'function': function, 'input_hash':\n input_hash, 'depends_on': depends_on}\n if name is not None:\n job_entry['name'] = name\n job_queue.append(job_entry)\n with open(job_queue_path, write_mode) as fd:\n json.dump(job_queue, fd, indent=4)\n fd.write(eol)\n return job_id\n",
"role": "user"
},
{
"content": "queue_entry_point",
"role": "assistant"
}
] |
def x(job_id, function, input_hash, run_spec, depends_on, name=None):
print('======')
job_homedir = os.path.join(environ['DX_TEST_JOB_HOMEDIRS'], job_id)
job_env = environ.copy()
job_env['HOME'] = os.path.join(environ['DX_TEST_JOB_HOMEDIRS'], job_id)
all_job_outputs_path = os.path.join(environ['DX_TEST_JOB_HOMEDIRS'],
'job_outputs.json')
with open(all_job_outputs_path, 'r') as fd:
all_job_outputs = json.load(fd, object_pairs_hook=collections.
OrderedDict)
if isinstance(name, basestring):
name += ' (' + job_id + ':' + function + ')'
else:
name = job_id + ':' + function
job_name = BLUE() + BOLD() + name + ENDC()
print(job_name)
try:
resolve_job_references(input_hash, all_job_outputs)
except Exception as e:
exit_with_error(job_name + ' ' + JOB_STATES('failed') +
' when resolving input:\n' + fill(str(e)))
if depends_on is None:
depends_on = []
get_implicit_depends_on(input_hash, depends_on)
try:
wait_for_depends_on(depends_on, all_job_outputs)
except Exception as e:
exit_with_error(job_name + ' ' + JOB_STATES('failed') +
' when processing depends_on:\n' + fill(str(e)))
with open(os.path.join(job_homedir, 'job_input.json'), 'w') as fd:
json.dump(input_hash, fd, indent=4)
fd.write('\n')
print(job_output_to_str(input_hash, title=BOLD() + 'Input: ' + ENDC(),
title_len=len('Input: ')).lstrip())
if run_spec['interpreter'] == 'bash':
env_path = os.path.join(job_homedir, 'environment')
with open(env_path, 'w') as fd:
job_input_file = os.path.join(job_homedir, 'job_input.json')
var_defs_hash = file_load_utils.gen_bash_vars(job_input_file,
job_homedir=job_homedir)
for key, val in list(var_defs_hash.items()):
fd.write('{}={}\n'.format(key, val))
print(BOLD() + 'Logs:' + ENDC())
start_time = datetime.datetime.now()
if run_spec['interpreter'] == 'bash':
script = (
"""
cd {homedir};
. {env_path};
. {code_path};
if [[ $(type -t {function}) == "function" ]];
then {function};
else echo "$0: Global scope execution complete. Not invoking entry point function {function} because it was not found" 1>&2;
fi"""
.format(homedir=pipes.quote(job_homedir), env_path=pipes.quote(
os.path.join(job_env['HOME'], 'environment')), code_path=pipes.
quote(environ['DX_TEST_CODE_PATH']), function=function))
invocation_args = ['bash', '-c', '-e'] + (['-x'] if environ.get(
'DX_TEST_X_FLAG') else []) + [script]
elif run_spec['interpreter'] == 'python2.7':
script = (
"""#!/usr/bin/env python
import os
os.chdir({homedir})
{code}
import dxpy, json
if dxpy.utils.exec_utils.RUN_COUNT == 0:
dxpy.run()
"""
.format(homedir=repr(job_homedir), code=run_spec['code']))
job_env['DX_TEST_FUNCTION'] = function
invocation_args = ['python', '-c', script]
if USING_PYTHON2:
invocation_args = [arg.encode(sys.stdout.encoding) for arg in
invocation_args]
env = {k: v.encode(sys.stdout.encoding) for k, v in job_env.items()}
else:
env = job_env
fn_process = subprocess.Popen(invocation_args, env=env)
fn_process.communicate()
end_time = datetime.datetime.now()
if fn_process.returncode != 0:
exit_with_error(job_name + ' ' + JOB_STATES('failed') +
', exited with error code ' + str(fn_process.returncode) +
' after ' + str(end_time - start_time))
job_output_path = os.path.join(job_env['HOME'], 'job_output.json')
if os.path.exists(job_output_path):
try:
with open(job_output_path, 'r') as fd:
job_output = json.load(fd, object_pairs_hook=collections.
OrderedDict)
except Exception as e:
exit_with_error('Error: Could not load output of ' + job_name +
':\n' + fill(str(e.__class__) + ': ' + str(e)))
else:
job_output = {}
print(job_name + ' -> ' + GREEN() + 'finished running' + ENDC() +
' after ' + str(end_time - start_time))
print(job_output_to_str(job_output, title=BOLD() + 'Output: ' + ENDC(),
title_len=len('Output: ')).lstrip())
with open(os.path.join(environ['DX_TEST_JOB_HOMEDIRS'],
'job_outputs.json'), 'r') as fd:
all_job_outputs = json.load(fd, object_pairs_hook=collections.
OrderedDict)
all_job_outputs[job_id] = job_output
for other_job_id in all_job_outputs:
if all_job_outputs[other_job_id] is None:
continue
resolve_job_references(all_job_outputs[other_job_id],
all_job_outputs, should_resolve=False)
with open(os.path.join(environ['DX_TEST_JOB_HOMEDIRS'],
'job_outputs.json'), write_mode) as fd:
json.dump(all_job_outputs, fd, indent=4)
fd.write(eol)
|
run_one_entry_point
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(job_id, function, input_hash, run_spec, depends_on, name=None):\n print('======')\n job_homedir = os.path.join(environ['DX_TEST_JOB_HOMEDIRS'], job_id)\n job_env = environ.copy()\n job_env['HOME'] = os.path.join(environ['DX_TEST_JOB_HOMEDIRS'], job_id)\n all_job_outputs_path = os.path.join(environ['DX_TEST_JOB_HOMEDIRS'],\n 'job_outputs.json')\n with open(all_job_outputs_path, 'r') as fd:\n all_job_outputs = json.load(fd, object_pairs_hook=collections.\n OrderedDict)\n if isinstance(name, basestring):\n name += ' (' + job_id + ':' + function + ')'\n else:\n name = job_id + ':' + function\n job_name = BLUE() + BOLD() + name + ENDC()\n print(job_name)\n try:\n resolve_job_references(input_hash, all_job_outputs)\n except Exception as e:\n exit_with_error(job_name + ' ' + JOB_STATES('failed') +\n ' when resolving input:\\n' + fill(str(e)))\n if depends_on is None:\n depends_on = []\n get_implicit_depends_on(input_hash, depends_on)\n try:\n wait_for_depends_on(depends_on, all_job_outputs)\n except Exception as e:\n exit_with_error(job_name + ' ' + JOB_STATES('failed') +\n ' when processing depends_on:\\n' + fill(str(e)))\n with open(os.path.join(job_homedir, 'job_input.json'), 'w') as fd:\n json.dump(input_hash, fd, indent=4)\n fd.write('\\n')\n print(job_output_to_str(input_hash, title=BOLD() + 'Input: ' + ENDC(),\n title_len=len('Input: ')).lstrip())\n if run_spec['interpreter'] == 'bash':\n env_path = os.path.join(job_homedir, 'environment')\n with open(env_path, 'w') as fd:\n job_input_file = os.path.join(job_homedir, 'job_input.json')\n var_defs_hash = file_load_utils.gen_bash_vars(job_input_file,\n job_homedir=job_homedir)\n for key, val in list(var_defs_hash.items()):\n fd.write('{}={}\\n'.format(key, val))\n print(BOLD() + 'Logs:' + ENDC())\n start_time = datetime.datetime.now()\n if run_spec['interpreter'] == 'bash':\n script = (\n \"\"\"\n cd {homedir};\n . {env_path};\n . {code_path};\n if [[ $(type -t {function}) == \"function\" ]];\n then {function};\n else echo \"$0: Global scope execution complete. Not invoking entry point function {function} because it was not found\" 1>&2;\n fi\"\"\"\n .format(homedir=pipes.quote(job_homedir), env_path=pipes.quote(\n os.path.join(job_env['HOME'], 'environment')), code_path=pipes.\n quote(environ['DX_TEST_CODE_PATH']), function=function))\n invocation_args = ['bash', '-c', '-e'] + (['-x'] if environ.get(\n 'DX_TEST_X_FLAG') else []) + [script]\n elif run_spec['interpreter'] == 'python2.7':\n script = (\n \"\"\"#!/usr/bin/env python\nimport os\nos.chdir({homedir})\n\n{code}\n\nimport dxpy, json\nif dxpy.utils.exec_utils.RUN_COUNT == 0:\n dxpy.run()\n\"\"\"\n .format(homedir=repr(job_homedir), code=run_spec['code']))\n job_env['DX_TEST_FUNCTION'] = function\n invocation_args = ['python', '-c', script]\n if USING_PYTHON2:\n invocation_args = [arg.encode(sys.stdout.encoding) for arg in\n invocation_args]\n env = {k: v.encode(sys.stdout.encoding) for k, v in job_env.items()}\n else:\n env = job_env\n fn_process = subprocess.Popen(invocation_args, env=env)\n fn_process.communicate()\n end_time = datetime.datetime.now()\n if fn_process.returncode != 0:\n exit_with_error(job_name + ' ' + JOB_STATES('failed') +\n ', exited with error code ' + str(fn_process.returncode) +\n ' after ' + str(end_time - start_time))\n job_output_path = os.path.join(job_env['HOME'], 'job_output.json')\n if os.path.exists(job_output_path):\n try:\n with open(job_output_path, 'r') as fd:\n job_output = json.load(fd, object_pairs_hook=collections.\n OrderedDict)\n except Exception as e:\n exit_with_error('Error: Could not load output of ' + job_name +\n ':\\n' + fill(str(e.__class__) + ': ' + str(e)))\n else:\n job_output = {}\n print(job_name + ' -> ' + GREEN() + 'finished running' + ENDC() +\n ' after ' + str(end_time - start_time))\n print(job_output_to_str(job_output, title=BOLD() + 'Output: ' + ENDC(),\n title_len=len('Output: ')).lstrip())\n with open(os.path.join(environ['DX_TEST_JOB_HOMEDIRS'],\n 'job_outputs.json'), 'r') as fd:\n all_job_outputs = json.load(fd, object_pairs_hook=collections.\n OrderedDict)\n all_job_outputs[job_id] = job_output\n for other_job_id in all_job_outputs:\n if all_job_outputs[other_job_id] is None:\n continue\n resolve_job_references(all_job_outputs[other_job_id],\n all_job_outputs, should_resolve=False)\n with open(os.path.join(environ['DX_TEST_JOB_HOMEDIRS'],\n 'job_outputs.json'), write_mode) as fd:\n json.dump(all_job_outputs, fd, indent=4)\n fd.write(eol)\n",
"role": "user"
},
{
"content": "run_one_entry_point",
"role": "assistant"
}
] |
def x(run_spec):
job_queue_path = os.path.join(environ['DX_TEST_JOB_HOMEDIRS'],
'job_queue.json')
all_job_outputs_path = os.path.join(environ['DX_TEST_JOB_HOMEDIRS'],
'job_outputs.json')
while True:
with open(job_queue_path, 'r') as fd:
job_queue = json.load(fd)
if len(job_queue) == 0:
return
with open(all_job_outputs_path, 'r') as fd:
all_job_outputs = json.load(fd)
entry_point_to_run = None
for i, entry_point in enumerate(job_queue):
runnable = True
while has_local_job_refs(entry_point['input_hash']):
try:
resolve_job_references(entry_point['input_hash'],
all_job_outputs)
except:
runnable = False
break
if runnable:
entry_point_to_run = job_queue.pop(i)
break
if entry_point_to_run is None:
entry_point_to_run = job_queue.pop(0)
with open(job_queue_path, write_mode) as fd:
json.dump(job_queue, fd)
fd.write(eol)
run_one_entry_point(job_id=entry_point_to_run['id'], function=
entry_point_to_run['function'], input_hash=entry_point_to_run[
'input_hash'], run_spec=run_spec, depends_on=entry_point_to_run
.get('depends_on', []), name=entry_point_to_run.get('name'))
|
run_entry_points
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(run_spec):\n job_queue_path = os.path.join(environ['DX_TEST_JOB_HOMEDIRS'],\n 'job_queue.json')\n all_job_outputs_path = os.path.join(environ['DX_TEST_JOB_HOMEDIRS'],\n 'job_outputs.json')\n while True:\n with open(job_queue_path, 'r') as fd:\n job_queue = json.load(fd)\n if len(job_queue) == 0:\n return\n with open(all_job_outputs_path, 'r') as fd:\n all_job_outputs = json.load(fd)\n entry_point_to_run = None\n for i, entry_point in enumerate(job_queue):\n runnable = True\n while has_local_job_refs(entry_point['input_hash']):\n try:\n resolve_job_references(entry_point['input_hash'],\n all_job_outputs)\n except:\n runnable = False\n break\n if runnable:\n entry_point_to_run = job_queue.pop(i)\n break\n if entry_point_to_run is None:\n entry_point_to_run = job_queue.pop(0)\n with open(job_queue_path, write_mode) as fd:\n json.dump(job_queue, fd)\n fd.write(eol)\n run_one_entry_point(job_id=entry_point_to_run['id'], function=\n entry_point_to_run['function'], input_hash=entry_point_to_run[\n 'input_hash'], run_spec=run_spec, depends_on=entry_point_to_run\n .get('depends_on', []), name=entry_point_to_run.get('name'))\n",
"role": "user"
},
{
"content": "run_entry_points",
"role": "assistant"
}
] |
def x(app_name_or_id, alias=None, input_params={}, always_retry=True, **kwargs
):
fully_qualified_version = app_name_or_id + ('/' + alias if alias else '')
return DXHTTPRequest('/%s/addDevelopers' % fully_qualified_version,
input_params, always_retry=always_retry, **kwargs)
|
app_add_developers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app_name_or_id, alias=None, input_params={}, always_retry=True, **kwargs\n ):\n fully_qualified_version = app_name_or_id + ('/' + alias if alias else '')\n return DXHTTPRequest('/%s/addDevelopers' % fully_qualified_version,\n input_params, always_retry=always_retry, **kwargs)\n",
"role": "user"
},
{
"content": "app_add_developers",
"role": "assistant"
}
] |
def x(app_name_or_id, alias=None, input_params={}, always_retry=True, **kwargs
):
input_params_cp = Nonce.update_nonce(input_params)
fully_qualified_version = app_name_or_id + ('/' + alias if alias else '')
return DXHTTPRequest('/%s/run' % fully_qualified_version,
input_params_cp, always_retry=always_retry, **kwargs)
|
app_run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app_name_or_id, alias=None, input_params={}, always_retry=True, **kwargs\n ):\n input_params_cp = Nonce.update_nonce(input_params)\n fully_qualified_version = app_name_or_id + ('/' + alias if alias else '')\n return DXHTTPRequest('/%s/run' % fully_qualified_version,\n input_params_cp, always_retry=always_retry, **kwargs)\n",
"role": "user"
},
{
"content": "app_run",
"role": "assistant"
}
] |
def x(object_id, input_params={}, always_retry=True, **kwargs):
return DXHTTPRequest('/%s/get' % object_id, input_params, always_retry=
always_retry, **kwargs)
|
applet_get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(object_id, input_params={}, always_retry=True, **kwargs):\n return DXHTTPRequest('/%s/get' % object_id, input_params, always_retry=\n always_retry, **kwargs)\n",
"role": "user"
},
{
"content": "applet_get",
"role": "assistant"
}
] |
def x(object_id, input_params={}, always_retry=True, **kwargs):
input_params_cp = Nonce.update_nonce(input_params)
return DXHTTPRequest('/%s/run' % object_id, input_params_cp,
always_retry=always_retry, **kwargs)
|
applet_run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(object_id, input_params={}, always_retry=True, **kwargs):\n input_params_cp = Nonce.update_nonce(input_params)\n return DXHTTPRequest('/%s/run' % object_id, input_params_cp,\n always_retry=always_retry, **kwargs)\n",
"role": "user"
},
{
"content": "applet_run",
"role": "assistant"
}
] |
def x(object_id, input_params={}, always_retry=False, **kwargs):
return DXHTTPRequest('/%s/relocate' % object_id, input_params,
always_retry=always_retry, **kwargs)
|
database_relocate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(object_id, input_params={}, always_retry=False, **kwargs):\n return DXHTTPRequest('/%s/relocate' % object_id, input_params,\n always_retry=always_retry, **kwargs)\n",
"role": "user"
},
{
"content": "database_relocate",
"role": "assistant"
}
] |
def x(object_id, input_params={}, always_retry=True, **kwargs):
return DXHTTPRequest('/%s/download' % object_id, input_params,
always_retry=always_retry, **kwargs)
|
file_download
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(object_id, input_params={}, always_retry=True, **kwargs):\n return DXHTTPRequest('/%s/download' % object_id, input_params,\n always_retry=always_retry, **kwargs)\n",
"role": "user"
},
{
"content": "file_download",
"role": "assistant"
}
] |
def x(object_id, input_params={}, always_retry=True, **kwargs):
return DXHTTPRequest('/%s/upload' % object_id, input_params,
always_retry=always_retry, **kwargs)
|
file_upload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(object_id, input_params={}, always_retry=True, **kwargs):\n return DXHTTPRequest('/%s/upload' % object_id, input_params,\n always_retry=always_retry, **kwargs)\n",
"role": "user"
},
{
"content": "file_upload",
"role": "assistant"
}
] |
def x(input_params={}, always_retry=True, **kwargs):
input_params_cp = Nonce.update_nonce(input_params)
return DXHTTPRequest('/file/new', input_params_cp, always_retry=
always_retry, **kwargs)
|
file_new
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_params={}, always_retry=True, **kwargs):\n input_params_cp = Nonce.update_nonce(input_params)\n return DXHTTPRequest('/file/new', input_params_cp, always_retry=\n always_retry, **kwargs)\n",
"role": "user"
},
{
"content": "file_new",
"role": "assistant"
}
] |
def x(name_or_id, alias=None, input_params={}, always_retry=True, **kwargs):
fully_qualified_version = name_or_id + ('/' + alias if alias else '')
return DXHTTPRequest('/%s/addAuthorizedUsers' % fully_qualified_version,
input_params, always_retry=always_retry, **kwargs)
|
global_workflow_add_authorized_users
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name_or_id, alias=None, input_params={}, always_retry=True, **kwargs):\n fully_qualified_version = name_or_id + ('/' + alias if alias else '')\n return DXHTTPRequest('/%s/addAuthorizedUsers' % fully_qualified_version,\n input_params, always_retry=always_retry, **kwargs)\n",
"role": "user"
},
{
"content": "global_workflow_add_authorized_users",
"role": "assistant"
}
] |
def x(name_or_id, alias=None, input_params={}, always_retry=True, **kwargs):
input_params_cp = Nonce.update_nonce(input_params)
fully_qualified_version = name_or_id + ('/' + alias if alias else '')
return DXHTTPRequest('/%s/run' % fully_qualified_version,
input_params_cp, always_retry=always_retry, **kwargs)
|
global_workflow_run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name_or_id, alias=None, input_params={}, always_retry=True, **kwargs):\n input_params_cp = Nonce.update_nonce(input_params)\n fully_qualified_version = name_or_id + ('/' + alias if alias else '')\n return DXHTTPRequest('/%s/run' % fully_qualified_version,\n input_params_cp, always_retry=always_retry, **kwargs)\n",
"role": "user"
},
{
"content": "global_workflow_run",
"role": "assistant"
}
] |
def x(object_id, input_params={}, always_retry=False, **kwargs):
return DXHTTPRequest('/%s/getLog' % object_id, input_params,
always_retry=always_retry, **kwargs)
|
job_get_log
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(object_id, input_params={}, always_retry=False, **kwargs):\n return DXHTTPRequest('/%s/getLog' % object_id, input_params,\n always_retry=always_retry, **kwargs)\n",
"role": "user"
},
{
"content": "job_get_log",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.