source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(regions, inverse=False):
if isinstance(regions, (list, pd.Index)):
return [_apply_convert_magicc_to_openscm_regions(r, inverse) for r in
regions]
else:
return _apply_convert_magicc_to_openscm_regions(regions, inverse)
|
convert_magicc_to_openscm_regions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(regions, inverse=False):\n if isinstance(regions, (list, pd.Index)):\n return [_apply_convert_magicc_to_openscm_regions(r, inverse) for r in\n regions]\n else:\n return _apply_convert_magicc_to_openscm_regions(regions, inverse)\n",
"role": "user"
},
{
"content": "convert_magicc_to_openscm_regions",
"role": "assistant"
}
] |
def x(variables, inverse=False):
if isinstance(variables, (list, pd.Index)):
return [_apply_convert_magicc7_to_openscm_variables(v, inverse) for
v in variables]
else:
return _apply_convert_magicc7_to_openscm_variables(variables, inverse)
|
convert_magicc7_to_openscm_variables
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(variables, inverse=False):\n if isinstance(variables, (list, pd.Index)):\n return [_apply_convert_magicc7_to_openscm_variables(v, inverse) for\n v in variables]\n else:\n return _apply_convert_magicc7_to_openscm_variables(variables, inverse)\n",
"role": "user"
},
{
"content": "convert_magicc7_to_openscm_variables",
"role": "assistant"
}
] |
def x(inverse=False):
magicc6_simple_mapping_vars = ['KYOTO-CO2EQ', 'CO2I', 'CO2B', 'CH4',
'N2O', 'BC', 'OC', 'SOx', 'NOx', 'NMVOC', 'CO', 'SF6', 'NH3', 'CF4',
'C2F6', 'HFC4310', 'HFC43-10', 'HFC-43-10', 'HFC4310', 'HFC134a',
'HFC143a', 'HFC227ea', 'CCl4', 'CH3CCl3', 'HFC245fa', 'Halon 1211',
'Halon 1202', 'Halon 1301', 'Halon 2402', 'Halon1211', 'Halon1202',
'Halon1301', 'Halon2402', 'CH3Br', 'CH3Cl', 'C6F14']
magicc6_sometimes_hyphen_vars = ['CFC-11', 'CFC-12', 'CFC-113',
'CFC-114', 'CFC-115', 'HCFC-22', 'HFC-23', 'HFC-32', 'HFC-125',
'HFC-134a', 'HFC-143a', 'HCFC-141b', 'HCFC-142b', 'HFC-227ea',
'HFC-245fa']
magicc6_sometimes_hyphen_vars = [v.replace('-', '') for v in
magicc6_sometimes_hyphen_vars] + magicc6_sometimes_hyphen_vars
magicc6_sometimes_underscore_vars = ['HFC43_10', 'CFC_11', 'CFC_12',
'CFC_113', 'CFC_114', 'CFC_115', 'HCFC_22', 'HCFC_141b', 'HCFC_142b']
magicc6_sometimes_underscore_replacements = {v: v.replace('_', '') for
v in magicc6_sometimes_underscore_vars}
special_case_replacements = {'FossilCO2': 'CO2I', 'OtherCO2': 'CO2B',
'MCF': 'CH3CCL3', 'CARB_TET': 'CCL4', 'MHALOSUMCFC12EQ':
'MHALOSUMCFC12EQ'}
one_way_replacements = {'HFC-245ca': 'HFC245FA', 'HFC245ca': 'HFC245FA'}
all_possible_magicc6_vars = (magicc6_simple_mapping_vars +
magicc6_sometimes_hyphen_vars + magicc6_sometimes_underscore_vars +
list(special_case_replacements.keys()) + list(one_way_replacements.
keys()))
replacements = {}
for m6v in all_possible_magicc6_vars:
if m6v in special_case_replacements:
replacements[m6v] = special_case_replacements[m6v]
elif m6v in magicc6_sometimes_underscore_vars and not inverse:
replacements[m6v] = magicc6_sometimes_underscore_replacements[m6v]
elif m6v in one_way_replacements and not inverse:
replacements[m6v] = one_way_replacements[m6v]
else:
m7v = m6v.replace('-', '').replace(' ', '').upper()
if m7v in replacements.values() and inverse:
continue
replacements[m6v] = m7v
if inverse:
return {v: k for k, v in replacements.items()}
else:
return replacements
|
get_magicc6_to_magicc7_variable_mapping
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inverse=False):\n magicc6_simple_mapping_vars = ['KYOTO-CO2EQ', 'CO2I', 'CO2B', 'CH4',\n 'N2O', 'BC', 'OC', 'SOx', 'NOx', 'NMVOC', 'CO', 'SF6', 'NH3', 'CF4',\n 'C2F6', 'HFC4310', 'HFC43-10', 'HFC-43-10', 'HFC4310', 'HFC134a',\n 'HFC143a', 'HFC227ea', 'CCl4', 'CH3CCl3', 'HFC245fa', 'Halon 1211',\n 'Halon 1202', 'Halon 1301', 'Halon 2402', 'Halon1211', 'Halon1202',\n 'Halon1301', 'Halon2402', 'CH3Br', 'CH3Cl', 'C6F14']\n magicc6_sometimes_hyphen_vars = ['CFC-11', 'CFC-12', 'CFC-113',\n 'CFC-114', 'CFC-115', 'HCFC-22', 'HFC-23', 'HFC-32', 'HFC-125',\n 'HFC-134a', 'HFC-143a', 'HCFC-141b', 'HCFC-142b', 'HFC-227ea',\n 'HFC-245fa']\n magicc6_sometimes_hyphen_vars = [v.replace('-', '') for v in\n magicc6_sometimes_hyphen_vars] + magicc6_sometimes_hyphen_vars\n magicc6_sometimes_underscore_vars = ['HFC43_10', 'CFC_11', 'CFC_12',\n 'CFC_113', 'CFC_114', 'CFC_115', 'HCFC_22', 'HCFC_141b', 'HCFC_142b']\n magicc6_sometimes_underscore_replacements = {v: v.replace('_', '') for\n v in magicc6_sometimes_underscore_vars}\n special_case_replacements = {'FossilCO2': 'CO2I', 'OtherCO2': 'CO2B',\n 'MCF': 'CH3CCL3', 'CARB_TET': 'CCL4', 'MHALOSUMCFC12EQ':\n 'MHALOSUMCFC12EQ'}\n one_way_replacements = {'HFC-245ca': 'HFC245FA', 'HFC245ca': 'HFC245FA'}\n all_possible_magicc6_vars = (magicc6_simple_mapping_vars +\n magicc6_sometimes_hyphen_vars + magicc6_sometimes_underscore_vars +\n list(special_case_replacements.keys()) + list(one_way_replacements.\n keys()))\n replacements = {}\n for m6v in all_possible_magicc6_vars:\n if m6v in special_case_replacements:\n replacements[m6v] = special_case_replacements[m6v]\n elif m6v in magicc6_sometimes_underscore_vars and not inverse:\n replacements[m6v] = magicc6_sometimes_underscore_replacements[m6v]\n elif m6v in one_way_replacements and not inverse:\n replacements[m6v] = one_way_replacements[m6v]\n else:\n m7v = m6v.replace('-', '').replace(' ', '').upper()\n if m7v in replacements.values() and inverse:\n continue\n replacements[m6v] = m7v\n if inverse:\n return {v: k for k, v in replacements.items()}\n else:\n return replacements\n",
"role": "user"
},
{
"content": "get_magicc6_to_magicc7_variable_mapping",
"role": "assistant"
}
] |
def x(variables, inverse=False):
if isinstance(variables, (list, pd.Index)):
return [_apply_convert_magicc6_to_magicc7_variables(v, inverse) for
v in variables]
else:
return _apply_convert_magicc6_to_magicc7_variables(variables, inverse)
|
convert_magicc6_to_magicc7_variables
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(variables, inverse=False):\n if isinstance(variables, (list, pd.Index)):\n return [_apply_convert_magicc6_to_magicc7_variables(v, inverse) for\n v in variables]\n else:\n return _apply_convert_magicc6_to_magicc7_variables(variables, inverse)\n",
"role": "user"
},
{
"content": "convert_magicc6_to_magicc7_variables",
"role": "assistant"
}
] |
def x(inverse=False):
replacements = {'^': 'super', '/': 'per', ' ': ''}
if inverse:
replacements = {v: k for k, v in replacements.items()}
replacements.pop('')
return replacements
|
get_pint_to_fortran_safe_units_mapping
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inverse=False):\n replacements = {'^': 'super', '/': 'per', ' ': ''}\n if inverse:\n replacements = {v: k for k, v in replacements.items()}\n replacements.pop('')\n return replacements\n",
"role": "user"
},
{
"content": "get_pint_to_fortran_safe_units_mapping",
"role": "assistant"
}
] |
def x(units, inverse=False):
if inverse:
return apply_string_substitutions(units,
FORTRAN_SAFE_TO_PINT_UNITS_MAPPING)
else:
return apply_string_substitutions(units,
PINT_TO_FORTRAN_SAFE_UNITS_MAPPING)
|
convert_pint_to_fortran_safe_units
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(units, inverse=False):\n if inverse:\n return apply_string_substitutions(units,\n FORTRAN_SAFE_TO_PINT_UNITS_MAPPING)\n else:\n return apply_string_substitutions(units,\n PINT_TO_FORTRAN_SAFE_UNITS_MAPPING)\n",
"role": "user"
},
{
"content": "convert_pint_to_fortran_safe_units",
"role": "assistant"
}
] |
def x(self) ->None:
result = None
self.eval_error = False
if self._needs_evaluation:
result = self._schema.value.evaluate(self._evaluation_context)
self.eval_error = result is None
if self.eval_error:
return
if not self._schema.is_type_of(result):
try:
result = self._schema.type_object(result)
except Exception as err:
logging.debug('{} in casting {} to {} for field {}. Error: {}'.
format(type(err).__name__, result, self._schema.type, self.
_schema.fully_qualified_name, err))
self.eval_error = True
return
try:
result = self._schema.sanitize_object(result)
except Exception as err:
logging.debug('{} in sanitizing {} of type {} for field {}. Error: {}'
.format(type(err).__name__, result, self._schema.type, self.
_schema.fully_qualified_name, err))
self.eval_error = True
return
self.value = result
|
run_evaluate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->None:\n result = None\n self.eval_error = False\n if self._needs_evaluation:\n result = self._schema.value.evaluate(self._evaluation_context)\n self.eval_error = result is None\n if self.eval_error:\n return\n if not self._schema.is_type_of(result):\n try:\n result = self._schema.type_object(result)\n except Exception as err:\n logging.debug('{} in casting {} to {} for field {}. Error: {}'.\n format(type(err).__name__, result, self._schema.type, self.\n _schema.fully_qualified_name, err))\n self.eval_error = True\n return\n try:\n result = self._schema.sanitize_object(result)\n except Exception as err:\n logging.debug('{} in sanitizing {} of type {} for field {}. Error: {}'\n .format(type(err).__name__, result, self._schema.type, self.\n _schema.fully_qualified_name, err))\n self.eval_error = True\n return\n self.value = result\n",
"role": "user"
},
{
"content": "run_evaluate",
"role": "assistant"
}
] |
def x(self, key: Any, value: Any) ->None:
if key is not None:
self[key] = value
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key: Any, value: Any) ->None:\n if key is not None:\n self[key] = value\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, key: Any, by: int=1) ->None:
if key is not None:
self[key] = self.get(key, 0) + by
|
increment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key: Any, by: int=1) ->None:\n if key is not None:\n self[key] = self.get(key, 0) + by\n",
"role": "user"
},
{
"content": "increment",
"role": "assistant"
}
] |
def x(self, index: int, obj: Any) ->None:
if obj is not None:
super().insert(index, obj)
|
insert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index: int, obj: Any) ->None:\n if obj is not None:\n super().insert(index, obj)\n",
"role": "user"
},
{
"content": "insert",
"role": "assistant"
}
] |
def x(regions, scen7=False):
dattype_flag = 'THISFILE_DATTYPE'
regionmode_flag = 'THISFILE_REGIONMODE'
region_dattype_row = _get_dattype_regionmode_regions_row(regions, scen7
=scen7)
dattype = DATTYPE_REGIONMODE_REGIONS[dattype_flag.lower()][
region_dattype_row].iloc[0]
regionmode = DATTYPE_REGIONMODE_REGIONS[regionmode_flag.lower()][
region_dattype_row].iloc[0]
return {dattype_flag: dattype, regionmode_flag: regionmode}
|
get_dattype_regionmode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(regions, scen7=False):\n dattype_flag = 'THISFILE_DATTYPE'\n regionmode_flag = 'THISFILE_REGIONMODE'\n region_dattype_row = _get_dattype_regionmode_regions_row(regions, scen7\n =scen7)\n dattype = DATTYPE_REGIONMODE_REGIONS[dattype_flag.lower()][\n region_dattype_row].iloc[0]\n regionmode = DATTYPE_REGIONMODE_REGIONS[regionmode_flag.lower()][\n region_dattype_row].iloc[0]\n return {dattype_flag: dattype, regionmode_flag: regionmode}\n",
"role": "user"
},
{
"content": "get_dattype_regionmode",
"role": "assistant"
}
] |
def x(regions, scen7=False):
region_dattype_row = _get_dattype_regionmode_regions_row(regions, scen7
=scen7)
region_order = DATTYPE_REGIONMODE_REGIONS['regions'][region_dattype_row
].iloc[0]
return region_order
|
get_region_order
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(regions, scen7=False):\n region_dattype_row = _get_dattype_regionmode_regions_row(regions, scen7\n =scen7)\n region_order = DATTYPE_REGIONMODE_REGIONS['regions'][region_dattype_row\n ].iloc[0]\n return region_order\n",
"role": "user"
},
{
"content": "get_region_order",
"role": "assistant"
}
] |
def x(regions, emissions):
if sorted(set(PART_OF_SCENFILE_WITH_EMISSIONS_CODE_0)) == sorted(set(
emissions)):
scenfile_emissions_code = 0
elif sorted(set(PART_OF_SCENFILE_WITH_EMISSIONS_CODE_1)) == sorted(set(
emissions)):
scenfile_emissions_code = 1
else:
msg = 'Could not determine scen special code for emissions {}'.format(
emissions)
raise ValueError(msg)
if set(regions) == set(['WORLD']):
scenfile_region_code = 1
elif set(regions) == set(['WORLD', 'OECD90', 'REF', 'ASIA', 'ALM']):
scenfile_region_code = 2
elif set(regions) == set(['WORLD', 'R5OECD', 'R5REF', 'R5ASIA', 'R5MAF',
'R5LAM']):
scenfile_region_code = 3
elif set(regions) == set(['WORLD', 'R5OECD', 'R5REF', 'R5ASIA', 'R5MAF',
'R5LAM', 'BUNKERS']):
scenfile_region_code = 4
try:
return scenfile_region_code * 10 + scenfile_emissions_code
except NameError:
msg = 'Could not determine scen special code for regions {}'.format(
regions)
raise ValueError(msg)
|
get_special_scen_code
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(regions, emissions):\n if sorted(set(PART_OF_SCENFILE_WITH_EMISSIONS_CODE_0)) == sorted(set(\n emissions)):\n scenfile_emissions_code = 0\n elif sorted(set(PART_OF_SCENFILE_WITH_EMISSIONS_CODE_1)) == sorted(set(\n emissions)):\n scenfile_emissions_code = 1\n else:\n msg = 'Could not determine scen special code for emissions {}'.format(\n emissions)\n raise ValueError(msg)\n if set(regions) == set(['WORLD']):\n scenfile_region_code = 1\n elif set(regions) == set(['WORLD', 'OECD90', 'REF', 'ASIA', 'ALM']):\n scenfile_region_code = 2\n elif set(regions) == set(['WORLD', 'R5OECD', 'R5REF', 'R5ASIA', 'R5MAF',\n 'R5LAM']):\n scenfile_region_code = 3\n elif set(regions) == set(['WORLD', 'R5OECD', 'R5REF', 'R5ASIA', 'R5MAF',\n 'R5LAM', 'BUNKERS']):\n scenfile_region_code = 4\n try:\n return scenfile_region_code * 10 + scenfile_emissions_code\n except NameError:\n msg = 'Could not determine scen special code for regions {}'.format(\n regions)\n raise ValueError(msg)\n",
"role": "user"
},
{
"content": "get_special_scen_code",
"role": "assistant"
}
] |
def x(filepath, tool_to_get):
file_regexp_reader_writer = {'SCEN': {'regexp': '^.*\\.SCEN$', 'reader':
_ScenReader, 'writer': _ScenWriter}, 'SCEN7': {'regexp':
'^.*\\.SCEN7$', 'reader': _Scen7Reader, 'writer': _Scen7Writer},
'prn': {'regexp': '^.*\\.prn$', 'reader': _PrnReader, 'writer':
_PrnWriter}, 'EmisIn': {'regexp': '^.*\\_EMIS.*\\.IN$', 'reader':
_HistEmisInReader, 'writer': _HistEmisInWriter}, 'ConcIn': {
'regexp': '^.*\\_CONC.*\\.IN$', 'reader': _ConcInReader, 'writer':
_ConcInWriter}, 'OpticalThicknessIn': {'regexp': '^.*\\_OT\\.IN$',
'reader': _OpticalThicknessInReader, 'writer':
_OpticalThicknessInWriter}, 'RadiativeForcingIn': {'regexp':
'^.*\\_RF\\.(IN|MON)$', 'reader': _RadiativeForcingInReader,
'writer': _RadiativeForcingInWriter}, 'SurfaceTemperatureIn': {
'regexp': '^.*SURFACE\\_TEMP\\.(IN|MON)$', 'reader':
_SurfaceTemperatureInReader, 'writer': _SurfaceTemperatureInWriter},
'Out': {'regexp': '^DAT\\_.*(?<!EMIS)\\.OUT$', 'reader': _OutReader,
'writer': None}, 'EmisOut': {'regexp': '^DAT\\_.*EMIS\\.OUT$',
'reader': _EmisOutReader, 'writer': None}, 'InverseEmis': {'regexp':
'^INVERSEEMIS\\.OUT$', 'reader': _InverseEmisReader, 'writer': None
}, 'TempOceanLayersOut': {'regexp': '^TEMP\\_OCEANLAYERS.*\\.OUT$',
'reader': _TempOceanLayersOutReader, 'writer': None}, 'BinOut': {
'regexp': '^DAT\\_.*\\.BINOUT$', 'reader': _BinaryOutReader,
'writer': None}, 'RCPData': {'regexp': '^.*\\.DAT', 'reader':
_RCPDatReader, 'writer': None}}
fbase = basename(filepath)
if _unsupported_file(fbase):
raise NoReaderWriterError(
'{} is in an odd format for which we will never provide a reader/writer.'
.format(filepath))
for file_type, file_tools in file_regexp_reader_writer.items():
if re.match(file_tools['regexp'], fbase):
try:
return file_tools[tool_to_get]
except KeyError:
valid_tools = [k for k in file_tools.keys() if k != 'regexp']
error_msg = (
'MAGICCData does not know how to get a {}, valid options are: {}'
.format(tool_to_get, valid_tools))
raise KeyError(error_msg)
para_file = 'PARAMETERS.OUT'
if filepath.endswith('.CFG') and tool_to_get == 'reader':
error_msg = (
'MAGCCInput cannot read .CFG files like {}, please use pymagicc.io.read_cfg_file'
.format(filepath))
elif filepath.endswith(para_file) and tool_to_get == 'reader':
error_msg = (
'MAGCCInput cannot read PARAMETERS.OUT as it is a config style file, please use pymagicc.io.read_cfg_file'
)
else:
regexp_list_str = '\n'.join(['{}: {}'.format(k, v['regexp']) for k,
v in file_regexp_reader_writer.items()])
error_msg = (
"""Couldn't find appropriate {} for {}.
The file must be one of the following types and the filepath must match its corresponding regular expression:
{}"""
.format(tool_to_get, fbase, regexp_list_str))
raise NoReaderWriterError(error_msg)
|
determine_tool
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath, tool_to_get):\n file_regexp_reader_writer = {'SCEN': {'regexp': '^.*\\\\.SCEN$', 'reader':\n _ScenReader, 'writer': _ScenWriter}, 'SCEN7': {'regexp':\n '^.*\\\\.SCEN7$', 'reader': _Scen7Reader, 'writer': _Scen7Writer},\n 'prn': {'regexp': '^.*\\\\.prn$', 'reader': _PrnReader, 'writer':\n _PrnWriter}, 'EmisIn': {'regexp': '^.*\\\\_EMIS.*\\\\.IN$', 'reader':\n _HistEmisInReader, 'writer': _HistEmisInWriter}, 'ConcIn': {\n 'regexp': '^.*\\\\_CONC.*\\\\.IN$', 'reader': _ConcInReader, 'writer':\n _ConcInWriter}, 'OpticalThicknessIn': {'regexp': '^.*\\\\_OT\\\\.IN$',\n 'reader': _OpticalThicknessInReader, 'writer':\n _OpticalThicknessInWriter}, 'RadiativeForcingIn': {'regexp':\n '^.*\\\\_RF\\\\.(IN|MON)$', 'reader': _RadiativeForcingInReader,\n 'writer': _RadiativeForcingInWriter}, 'SurfaceTemperatureIn': {\n 'regexp': '^.*SURFACE\\\\_TEMP\\\\.(IN|MON)$', 'reader':\n _SurfaceTemperatureInReader, 'writer': _SurfaceTemperatureInWriter},\n 'Out': {'regexp': '^DAT\\\\_.*(?<!EMIS)\\\\.OUT$', 'reader': _OutReader,\n 'writer': None}, 'EmisOut': {'regexp': '^DAT\\\\_.*EMIS\\\\.OUT$',\n 'reader': _EmisOutReader, 'writer': None}, 'InverseEmis': {'regexp':\n '^INVERSEEMIS\\\\.OUT$', 'reader': _InverseEmisReader, 'writer': None\n }, 'TempOceanLayersOut': {'regexp': '^TEMP\\\\_OCEANLAYERS.*\\\\.OUT$',\n 'reader': _TempOceanLayersOutReader, 'writer': None}, 'BinOut': {\n 'regexp': '^DAT\\\\_.*\\\\.BINOUT$', 'reader': _BinaryOutReader,\n 'writer': None}, 'RCPData': {'regexp': '^.*\\\\.DAT', 'reader':\n _RCPDatReader, 'writer': None}}\n fbase = basename(filepath)\n if _unsupported_file(fbase):\n raise NoReaderWriterError(\n '{} is in an odd format for which we will never provide a reader/writer.'\n .format(filepath))\n for file_type, file_tools in file_regexp_reader_writer.items():\n if re.match(file_tools['regexp'], fbase):\n try:\n return file_tools[tool_to_get]\n except KeyError:\n valid_tools = [k for k in file_tools.keys() if k != 'regexp']\n error_msg = (\n 'MAGICCData does not know how to get a {}, valid options are: {}'\n .format(tool_to_get, valid_tools))\n raise KeyError(error_msg)\n para_file = 'PARAMETERS.OUT'\n if filepath.endswith('.CFG') and tool_to_get == 'reader':\n error_msg = (\n 'MAGCCInput cannot read .CFG files like {}, please use pymagicc.io.read_cfg_file'\n .format(filepath))\n elif filepath.endswith(para_file) and tool_to_get == 'reader':\n error_msg = (\n 'MAGCCInput cannot read PARAMETERS.OUT as it is a config style file, please use pymagicc.io.read_cfg_file'\n )\n else:\n regexp_list_str = '\\n'.join(['{}: {}'.format(k, v['regexp']) for k,\n v in file_regexp_reader_writer.items()])\n error_msg = (\n \"\"\"Couldn't find appropriate {} for {}.\nThe file must be one of the following types and the filepath must match its corresponding regular expression:\n{}\"\"\"\n .format(tool_to_get, fbase, regexp_list_str))\n raise NoReaderWriterError(error_msg)\n",
"role": "user"
},
{
"content": "determine_tool",
"role": "assistant"
}
] |
def x(parameters_out, namelist_to_read='nml_allcfgs'):
single_cfg = Namelist({namelist_to_read: {}})
for key, value in parameters_out[namelist_to_read].items():
if 'file_tuning' in key:
single_cfg[namelist_to_read][key] = ''
else:
try:
if isinstance(value, str):
single_cfg[namelist_to_read][key] = value.strip(' \t\n\r'
).replace('\x00', '')
elif isinstance(value, list):
clean_list = [v.strip(' \t\n\r').replace('\x00', '') for
v in value]
single_cfg[namelist_to_read][key] = [v for v in
clean_list if v]
else:
assert isinstance(value, Number)
single_cfg[namelist_to_read][key] = value
except AttributeError:
if isinstance(value, list):
assert all([isinstance(v, Number) for v in value])
single_cfg[namelist_to_read][key] = value
else:
raise AssertionError(
'Unexpected cause in out parameters conversion')
return single_cfg
|
pull_cfg_from_parameters_out
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parameters_out, namelist_to_read='nml_allcfgs'):\n single_cfg = Namelist({namelist_to_read: {}})\n for key, value in parameters_out[namelist_to_read].items():\n if 'file_tuning' in key:\n single_cfg[namelist_to_read][key] = ''\n else:\n try:\n if isinstance(value, str):\n single_cfg[namelist_to_read][key] = value.strip(' \\t\\n\\r'\n ).replace('\\x00', '')\n elif isinstance(value, list):\n clean_list = [v.strip(' \\t\\n\\r').replace('\\x00', '') for\n v in value]\n single_cfg[namelist_to_read][key] = [v for v in\n clean_list if v]\n else:\n assert isinstance(value, Number)\n single_cfg[namelist_to_read][key] = value\n except AttributeError:\n if isinstance(value, list):\n assert all([isinstance(v, Number) for v in value])\n single_cfg[namelist_to_read][key] = value\n else:\n raise AssertionError(\n 'Unexpected cause in out parameters conversion')\n return single_cfg\n",
"role": "user"
},
{
"content": "pull_cfg_from_parameters_out",
"role": "assistant"
}
] |
def x(parameters_out_file, namelist_to_read='nml_allcfgs'):
parameters_out = read_cfg_file(parameters_out_file)
return pull_cfg_from_parameters_out(parameters_out, namelist_to_read=
namelist_to_read)
|
pull_cfg_from_parameters_out_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parameters_out_file, namelist_to_read='nml_allcfgs'):\n parameters_out = read_cfg_file(parameters_out_file)\n return pull_cfg_from_parameters_out(parameters_out, namelist_to_read=\n namelist_to_read)\n",
"role": "user"
},
{
"content": "pull_cfg_from_parameters_out_file",
"role": "assistant"
}
] |
def x(inname):
mapping = {'rcp26': 'rcp26', 'rcp3pd': 'rcp26', 'rcp45': 'rcp45',
'rcp6': 'rcp60', 'rcp60': 'rcp60', 'rcp85': 'rcp85'}
try:
return mapping[inname.lower()]
except KeyError:
error_msg = 'No generic name for input: {}'.format(inname)
raise ValueError(error_msg)
|
get_generic_rcp_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inname):\n mapping = {'rcp26': 'rcp26', 'rcp3pd': 'rcp26', 'rcp45': 'rcp45',\n 'rcp6': 'rcp60', 'rcp60': 'rcp60', 'rcp85': 'rcp85'}\n try:\n return mapping[inname.lower()]\n except KeyError:\n error_msg = 'No generic name for input: {}'.format(inname)\n raise ValueError(error_msg)\n",
"role": "user"
},
{
"content": "get_generic_rcp_name",
"role": "assistant"
}
] |
def x(base, overwrite, join_linear=None):
if join_linear is not None:
if len(join_linear) != 2:
raise ValueError('join_linear must have a length of 2')
if isinstance(base, str):
base = MAGICCData(base)
elif isinstance(base, MAGICCData):
base = deepcopy(base)
if isinstance(overwrite, str):
overwrite = MAGICCData(overwrite)
elif isinstance(overwrite, MAGICCData):
overwrite = deepcopy(overwrite)
result = _join_timeseries_mdata(base, overwrite, join_linear)
return MAGICCData(result)
|
join_timeseries
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(base, overwrite, join_linear=None):\n if join_linear is not None:\n if len(join_linear) != 2:\n raise ValueError('join_linear must have a length of 2')\n if isinstance(base, str):\n base = MAGICCData(base)\n elif isinstance(base, MAGICCData):\n base = deepcopy(base)\n if isinstance(overwrite, str):\n overwrite = MAGICCData(overwrite)\n elif isinstance(overwrite, MAGICCData):\n overwrite = deepcopy(overwrite)\n result = _join_timeseries_mdata(base, overwrite, join_linear)\n return MAGICCData(result)\n",
"role": "user"
},
{
"content": "join_timeseries",
"role": "assistant"
}
] |
def x(filepath, columns={'model': ['unspecified'], 'scenario': [
'unspecified'], 'climate_model': ['unspecified']}, **kwargs):
mdata = MAGICCData(filepath, columns=columns, **kwargs)
return mdata
|
read_scen_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath, columns={'model': ['unspecified'], 'scenario': [\n 'unspecified'], 'climate_model': ['unspecified']}, **kwargs):\n mdata = MAGICCData(filepath, columns=columns, **kwargs)\n return mdata\n",
"role": "user"
},
{
"content": "read_scen_file",
"role": "assistant"
}
] |
def x(filepath):
reader = determine_tool(filepath, 'reader')(filepath)
openscm_var = convert_magicc7_to_openscm_variables(
convert_magicc6_to_magicc7_variables(reader.
_get_variable_from_filepath()))
return openscm_var
|
get_openscm_var_from_filepath
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath):\n reader = determine_tool(filepath, 'reader')(filepath)\n openscm_var = convert_magicc7_to_openscm_variables(\n convert_magicc6_to_magicc7_variables(reader.\n _get_variable_from_filepath()))\n return openscm_var\n",
"role": "user"
},
{
"content": "get_openscm_var_from_filepath",
"role": "assistant"
}
] |
def x(self):
nml_start = None
nml_end = None
for i in range(len(self.lines)):
if self.lines[i].strip().startswith('&'):
nml_start = i
if self.lines[i].strip().startswith('/'):
nml_end = i
assert nml_start is not None and nml_end is not None, 'Could not find namelist within {}'.format(
self.filepath)
return nml_end, nml_start
|
find_nml
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n nml_start = None\n nml_end = None\n for i in range(len(self.lines)):\n if self.lines[i].strip().startswith('&'):\n nml_start = i\n if self.lines[i].strip().startswith('/'):\n nml_end = i\n assert nml_start is not None and nml_end is not None, 'Could not find namelist within {}'.format(\n self.filepath)\n return nml_end, nml_start\n",
"role": "user"
},
{
"content": "find_nml",
"role": "assistant"
}
] |
def x(self, stream, metadata):
ch, metadata = self._get_column_headers_and_update_metadata(stream,
metadata)
df = self._convert_data_block_and_headers_to_df(stream)
return df, metadata, ch
|
process_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream, metadata):\n ch, metadata = self._get_column_headers_and_update_metadata(stream,\n metadata)\n df = self._convert_data_block_and_headers_to_df(stream)\n return df, metadata, ch\n",
"role": "user"
},
{
"content": "process_data",
"role": "assistant"
}
] |
def x(self, stream):
df = pd.read_csv(stream, skip_blank_lines=True, delim_whitespace=True,
header=None, index_col=0)
if isinstance(df.index, pd.core.indexes.numeric.Float64Index):
df.index = df.index.to_series().round(3)
df.columns = list(range(len(df.columns)))
return df
|
convert_data_block_and_headers_to_df
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream):\n df = pd.read_csv(stream, skip_blank_lines=True, delim_whitespace=True,\n header=None, index_col=0)\n if isinstance(df.index, pd.core.indexes.numeric.Float64Index):\n df.index = df.index.to_series().round(3)\n df.columns = list(range(len(df.columns)))\n return df\n",
"role": "user"
},
{
"content": "convert_data_block_and_headers_to_df",
"role": "assistant"
}
] |
def x(self):
try:
return self.regexp_capture_variable.search(self.filepath).group(1)
except AttributeError:
self._raise_cannot_determine_variable_from_filepath_error()
|
get_variable_from_filepath
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return self.regexp_capture_variable.search(self.filepath).group(1)\n except AttributeError:\n self._raise_cannot_determine_variable_from_filepath_error()\n",
"role": "user"
},
{
"content": "get_variable_from_filepath",
"role": "assistant"
}
] |
def x(self, header):
metadata = {}
for line in header.split('\n'):
line = line.strip()
for tag in self.header_tags:
tag_text = '{}:'.format(tag)
if line.lower().startswith(tag_text):
metadata[tag] = line[len(tag_text) + 1:].strip()
return metadata
|
process_header
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, header):\n metadata = {}\n for line in header.split('\\n'):\n line = line.strip()\n for tag in self.header_tags:\n tag_text = '{}:'.format(tag)\n if line.lower().startswith(tag_text):\n metadata[tag] = line[len(tag_text) + 1:].strip()\n return metadata\n",
"role": "user"
},
{
"content": "process_header",
"role": "assistant"
}
] |
def x(self, stream, expected_header):
pos = stream.tell()
expected_header = [expected_header] if isinstance(expected_header, str
) else expected_header
for exp_hd in expected_header:
tokens = stream.readline().split()
try:
assert tokens[0] == exp_hd
return tokens[1:]
except AssertionError:
stream.seek(pos)
continue
assertion_msg = 'Expected a header token of {}, got {}'.format(
expected_header, tokens[0])
raise AssertionError(assertion_msg)
|
read_data_header_line
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream, expected_header):\n pos = stream.tell()\n expected_header = [expected_header] if isinstance(expected_header, str\n ) else expected_header\n for exp_hd in expected_header:\n tokens = stream.readline().split()\n try:\n assert tokens[0] == exp_hd\n return tokens[1:]\n except AssertionError:\n stream.seek(pos)\n continue\n assertion_msg = 'Expected a header token of {}, got {}'.format(\n expected_header, tokens[0])\n raise AssertionError(assertion_msg)\n",
"role": "user"
},
{
"content": "read_data_header_line",
"role": "assistant"
}
] |
def x(self, t):
size = self.data[self.pos:self.pos + 4].cast('i')[0]
d = self.data[self.pos + 4:self.pos + 4 + size]
assert self.data[self.pos + 4 + size:self.pos + 4 + size + 4].cast('i')[0
] == size
self.pos = self.pos + 4 + size + 4
res = np.array(d.cast(t))
if res.size == 1:
return res[0]
return res
|
read_chunk
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, t):\n size = self.data[self.pos:self.pos + 4].cast('i')[0]\n d = self.data[self.pos + 4:self.pos + 4 + size]\n assert self.data[self.pos + 4 + size:self.pos + 4 + size + 4].cast('i')[0\n ] == size\n self.pos = self.pos + 4 + size + 4\n res = np.array(d.cast(t))\n if res.size == 1:\n return res[0]\n return res\n",
"role": "user"
},
{
"content": "read_chunk",
"role": "assistant"
}
] |
def x(self, stream, metadata):
index = np.arange(metadata['firstyear'], metadata['lastyear'] + 1)
globe = stream.read_chunk('d')
assert len(globe) == len(index)
regions = stream.read_chunk('d')
num_regions = int(len(regions) / len(index))
regions = regions.reshape((-1, num_regions), order='F')
data = np.concatenate((globe[:, np.newaxis], regions), axis=1)
df = pd.DataFrame(data, index=index)
if isinstance(df.index, pd.core.indexes.numeric.Float64Index):
df.index = df.index.to_series().round(3)
df.index.name = 'time'
regions = ['World', 'World|Northern Hemisphere|Ocean',
'World|Northern Hemisphere|Land', 'World|Southern Hemisphere|Ocean',
'World|Southern Hemisphere|Land']
variable = convert_magicc6_to_magicc7_variables(self.
_get_variable_from_filepath())
variable = convert_magicc7_to_openscm_variables(variable)
column_headers = {'variable': [variable] * (num_regions + 1), 'region':
regions, 'unit': ['unknown'] * len(regions), 'todo': ['SET'] * len(
regions)}
return df, metadata, self._set_column_defaults(column_headers)
|
process_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream, metadata):\n index = np.arange(metadata['firstyear'], metadata['lastyear'] + 1)\n globe = stream.read_chunk('d')\n assert len(globe) == len(index)\n regions = stream.read_chunk('d')\n num_regions = int(len(regions) / len(index))\n regions = regions.reshape((-1, num_regions), order='F')\n data = np.concatenate((globe[:, np.newaxis], regions), axis=1)\n df = pd.DataFrame(data, index=index)\n if isinstance(df.index, pd.core.indexes.numeric.Float64Index):\n df.index = df.index.to_series().round(3)\n df.index.name = 'time'\n regions = ['World', 'World|Northern Hemisphere|Ocean',\n 'World|Northern Hemisphere|Land', 'World|Southern Hemisphere|Ocean',\n 'World|Southern Hemisphere|Land']\n variable = convert_magicc6_to_magicc7_variables(self.\n _get_variable_from_filepath())\n variable = convert_magicc7_to_openscm_variables(variable)\n column_headers = {'variable': [variable] * (num_regions + 1), 'region':\n regions, 'unit': ['unknown'] * len(regions), 'todo': ['SET'] * len(\n regions)}\n return df, metadata, self._set_column_defaults(column_headers)\n",
"role": "user"
},
{
"content": "process_data",
"role": "assistant"
}
] |
def x(self, data):
metadata = {'datacolumns': data.read_chunk('I'), 'firstyear': data.
read_chunk('I'), 'lastyear': data.read_chunk('I'), 'annualsteps':
data.read_chunk('I')}
if metadata['annualsteps'] != 1:
raise InvalidTemporalResError(
'{}: Only annual files can currently be processed'.format(self.
filepath))
return metadata
|
process_header
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n metadata = {'datacolumns': data.read_chunk('I'), 'firstyear': data.\n read_chunk('I'), 'lastyear': data.read_chunk('I'), 'annualsteps':\n data.read_chunk('I')}\n if metadata['annualsteps'] != 1:\n raise InvalidTemporalResError(\n '{}: Only annual files can currently be processed'.format(self.\n filepath))\n return metadata\n",
"role": "user"
},
{
"content": "process_header",
"role": "assistant"
}
] |
def x(self, magicc_input, filepath):
self._filepath = filepath
self.minput = deepcopy(magicc_input)
self.data_block = self._get_data_block()
output = StringIO()
output = self._write_header(output)
output = self._write_namelist(output)
output = self._write_datablock(output)
with open(filepath, 'w', encoding='utf-8', newline=self._newline_char
) as output_file:
output.seek(0)
copyfileobj(output, output_file)
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, magicc_input, filepath):\n self._filepath = filepath\n self.minput = deepcopy(magicc_input)\n self.data_block = self._get_data_block()\n output = StringIO()\n output = self._write_header(output)\n output = self._write_namelist(output)\n output = self._write_datablock(output)\n with open(filepath, 'w', encoding='utf-8', newline=self._newline_char\n ) as output_file:\n output.seek(0)\n copyfileobj(output, output_file)\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self, other, inplace=False, **kwargs):
if not isinstance(other, MAGICCData):
other = MAGICCData(other, **kwargs)
if inplace:
super().append(other, inplace=inplace)
self.metadata.update(other.metadata)
else:
res = super().append(other, inplace=inplace)
res.metadata = deepcopy(self.metadata)
res.metadata.update(other.metadata)
return res
|
append
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other, inplace=False, **kwargs):\n if not isinstance(other, MAGICCData):\n other = MAGICCData(other, **kwargs)\n if inplace:\n super().append(other, inplace=inplace)\n self.metadata.update(other.metadata)\n else:\n res = super().append(other, inplace=inplace)\n res.metadata = deepcopy(self.metadata)\n res.metadata.update(other.metadata)\n return res\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self, filepath, magicc_version):
writer = determine_tool(filepath, 'writer')(magicc_version=magicc_version)
writer.write(self, filepath)
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filepath, magicc_version):\n writer = determine_tool(filepath, 'writer')(magicc_version=magicc_version)\n writer.write(self, filepath)\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(fully_qualified_name: str, spec: Dict[str, Any], *attributes: str
) ->List[InvalidIdentifierError]:
errors: List[InvalidIdentifierError] = []
checks: List[Tuple[Callable, InvalidIdentifierError.Reason]] = [(lambda
x: x.startswith('_'), InvalidIdentifierError.Reason.
STARTS_WITH_UNDERSCORE), (lambda x: x.startswith('run_'),
InvalidIdentifierError.Reason.STARTS_WITH_RUN), (lambda x: not x.
isidentifier(), InvalidIdentifierError.Reason.
INVALID_PYTHON_IDENTIFIER)]
for attribute in attributes:
if attribute not in spec or spec.get(ATTRIBUTE_INTERNAL, False):
continue
for check in checks:
if check[0](spec[attribute]):
errors.append(InvalidIdentifierError(fully_qualified_name,
spec, attribute, check[1]))
break
return errors
|
validate_python_identifier_attributes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fully_qualified_name: str, spec: Dict[str, Any], *attributes: str\n ) ->List[InvalidIdentifierError]:\n errors: List[InvalidIdentifierError] = []\n checks: List[Tuple[Callable, InvalidIdentifierError.Reason]] = [(lambda\n x: x.startswith('_'), InvalidIdentifierError.Reason.\n STARTS_WITH_UNDERSCORE), (lambda x: x.startswith('run_'),\n InvalidIdentifierError.Reason.STARTS_WITH_RUN), (lambda x: not x.\n isidentifier(), InvalidIdentifierError.Reason.\n INVALID_PYTHON_IDENTIFIER)]\n for attribute in attributes:\n if attribute not in spec or spec.get(ATTRIBUTE_INTERNAL, False):\n continue\n for check in checks:\n if check[0](spec[attribute]):\n errors.append(InvalidIdentifierError(fully_qualified_name,\n spec, attribute, check[1]))\n break\n return errors\n",
"role": "user"
},
{
"content": "validate_python_identifier_attributes",
"role": "assistant"
}
] |
def x(fully_qualified_name: str, spec: Dict[str, Any], *attributes: str
) ->List[RequiredAttributeError]:
return [RequiredAttributeError(fully_qualified_name, spec, attribute) for
attribute in attributes if attribute not in spec]
|
validate_required_attributes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fully_qualified_name: str, spec: Dict[str, Any], *attributes: str\n ) ->List[RequiredAttributeError]:\n return [RequiredAttributeError(fully_qualified_name, spec, attribute) for\n attribute in attributes if attribute not in spec]\n",
"role": "user"
},
{
"content": "validate_required_attributes",
"role": "assistant"
}
] |
def x(fully_qualified_name: str, spec: Dict[str, Any], *attributes: str
) ->List[EmptyAttributeError]:
return [EmptyAttributeError(fully_qualified_name, spec, attribute) for
attribute in attributes if not spec.get(attribute, None)]
|
validate_empty_attributes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fully_qualified_name: str, spec: Dict[str, Any], *attributes: str\n ) ->List[EmptyAttributeError]:\n return [EmptyAttributeError(fully_qualified_name, spec, attribute) for\n attribute in attributes if not spec.get(attribute, None)]\n",
"role": "user"
},
{
"content": "validate_empty_attributes",
"role": "assistant"
}
] |
def x(fully_qualified_name: str, spec: Dict[str, Any], attribute: str,
value_type: Union[Type[int], Type[float]]=int, minimum: Optional[Union[
int, float]]=None, maximum: Optional[Union[int, float]]=None) ->Optional[
InvalidNumberError]:
if attribute not in spec:
return
try:
value = value_type(spec[attribute])
if (minimum is not None and value < minimum or maximum is not None and
value > maximum):
raise None
except:
return InvalidNumberError(fully_qualified_name, spec, attribute,
value_type, minimum, maximum)
|
validate_number_attribute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fully_qualified_name: str, spec: Dict[str, Any], attribute: str,\n value_type: Union[Type[int], Type[float]]=int, minimum: Optional[Union[\n int, float]]=None, maximum: Optional[Union[int, float]]=None) ->Optional[\n InvalidNumberError]:\n if attribute not in spec:\n return\n try:\n value = value_type(spec[attribute])\n if (minimum is not None and value < minimum or maximum is not None and\n value > maximum):\n raise None\n except:\n return InvalidNumberError(fully_qualified_name, spec, attribute,\n value_type, minimum, maximum)\n",
"role": "user"
},
{
"content": "validate_number_attribute",
"role": "assistant"
}
] |
def x(fully_qualified_name: str, spec: Dict[str, Any], attribute: str,
candidates: Set[Union[str, int, float]]) ->Optional[InvalidValueError]:
if attribute not in spec:
return
if spec[attribute] not in candidates:
return InvalidValueError(fully_qualified_name, spec, attribute,
candidates)
|
validate_enum_attribute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fully_qualified_name: str, spec: Dict[str, Any], attribute: str,\n candidates: Set[Union[str, int, float]]) ->Optional[InvalidValueError]:\n if attribute not in spec:\n return\n if spec[attribute] not in candidates:\n return InvalidValueError(fully_qualified_name, spec, attribute,\n candidates)\n",
"role": "user"
},
{
"content": "validate_enum_attribute",
"role": "assistant"
}
] |
def x(key_string: str) ->'Key':
parts = key_string.split(Key.PARTITION)
key_type = KeyType.DIMENSION
if parts[3]:
key_type = KeyType.TIMESTAMP
return Key(key_type, parts[0], parts[1], parts[2].split(Key.
DIMENSION_PARTITION) if parts[2] else [], parser.parse(parts[3]) if
parts[3] else None)
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key_string: str) ->'Key':\n parts = key_string.split(Key.PARTITION)\n key_type = KeyType.DIMENSION\n if parts[3]:\n key_type = KeyType.TIMESTAMP\n return Key(key_type, parts[0], parts[1], parts[2].split(Key.\n DIMENSION_PARTITION) if parts[2] else [], parser.parse(parts[3]) if\n parts[3] else None)\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(identity: str, sort_key_string: str) ->'Key':
parts = sort_key_string.split(Key.PARTITION)
key_type = KeyType.DIMENSION
if parts[2]:
key_type = KeyType.TIMESTAMP
return Key(key_type, identity, parts[0], parts[1].split(Key.
DIMENSION_PARTITION) if parts[1] else [], parser.parse(parts[2]) if
parts[2] else None)
|
parse_sort_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(identity: str, sort_key_string: str) ->'Key':\n parts = sort_key_string.split(Key.PARTITION)\n key_type = KeyType.DIMENSION\n if parts[2]:\n key_type = KeyType.TIMESTAMP\n return Key(key_type, identity, parts[0], parts[1].split(Key.\n DIMENSION_PARTITION) if parts[1] else [], parser.parse(parts[2]) if\n parts[2] else None)\n",
"role": "user"
},
{
"content": "parse_sort_key",
"role": "assistant"
}
] |
def x(self, other: 'Key') ->bool:
if (self.key_type, self.identity, self.group) != (other.key_type, other
.identity, other.group):
return False
if self.key_type == KeyType.TIMESTAMP:
return True
if self.key_type == KeyType.DIMENSION:
if len(self.dimensions) < len(other.dimensions):
return False
return self.dimensions[0:len(other.dimensions)] == other.dimensions
|
starts_with
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other: 'Key') ->bool:\n if (self.key_type, self.identity, self.group) != (other.key_type, other\n .identity, other.group):\n return False\n if self.key_type == KeyType.TIMESTAMP:\n return True\n if self.key_type == KeyType.DIMENSION:\n if len(self.dimensions) < len(other.dimensions):\n return False\n return self.dimensions[0:len(other.dimensions)] == other.dimensions\n",
"role": "user"
},
{
"content": "starts_with",
"role": "assistant"
}
] |
def x(self) ->bool:
for _, item in self._dimension_fields.items():
item.run_evaluate()
if item.eval_error:
return False
return True
|
evaluate_dimension_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->bool:\n for _, item in self._dimension_fields.items():\n item.run_evaluate()\n if item.eval_error:\n return False\n return True\n",
"role": "user"
},
{
"content": "evaluate_dimension_fields",
"role": "assistant"
}
] |
def x(self) ->bool:
for name, item in self._dimension_fields.items():
if item.value != self._nested_items[name].value:
return False
return True
|
compare_dimensions_to_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->bool:\n for name, item in self._dimension_fields.items():\n if item.value != self._nested_items[name].value:\n return False\n return True\n",
"role": "user"
},
{
"content": "compare_dimensions_to_fields",
"role": "assistant"
}
] |
def x(self):
return Key(self._schema.key_type, self._identity, self._name, [str(item
.value) for item in self._dimension_fields.values()])
|
key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return Key(self._schema.key_type, self._identity, self._name, [str(item\n .value) for item in self._dimension_fields.values()])\n",
"role": "user"
},
{
"content": "key",
"role": "assistant"
}
] |
def x(scenario, magicc_version=6, **kwargs):
if magicc_version == 6:
magicc_cls = MAGICC6
elif magicc_version == 7:
magicc_cls = MAGICC7
else:
raise ValueError('MAGICC version {} is not available'.format(
magicc_version))
with magicc_cls() as magicc:
results = magicc.run(scenario=scenario, **kwargs)
return results
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(scenario, magicc_version=6, **kwargs):\n if magicc_version == 6:\n magicc_cls = MAGICC6\n elif magicc_version == 7:\n magicc_cls = MAGICC7\n else:\n raise ValueError('MAGICC version {} is not available'.format(\n magicc_version))\n with magicc_cls() as magicc:\n results = magicc.run(scenario=scenario, **kwargs)\n return results\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, block: TimeAggregate) ->bool:
if self._anchor.evaluate_anchor(block, self._evaluation_context):
try:
self.run_reset()
self._evaluation_context.global_add('anchor', block)
self._evaluate()
self._anchor.add_condition_met()
return True
finally:
self._evaluation_context.global_remove('anchor')
return False
|
run_evaluate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, block: TimeAggregate) ->bool:\n if self._anchor.evaluate_anchor(block, self._evaluation_context):\n try:\n self.run_reset()\n self._evaluation_context.global_add('anchor', block)\n self._evaluate()\n self._anchor.add_condition_met()\n return True\n finally:\n self._evaluation_context.global_remove('anchor')\n return False\n",
"role": "user"
},
{
"content": "run_evaluate",
"role": "assistant"
}
] |
def x(self) ->None:
super().extend_schema_spec()
if self.ATTRIBUTE_FIELDS in self._spec:
predefined_field = self._build_time_fields_spec(self._spec[self.
ATTRIBUTE_NAME])
self._spec[self.ATTRIBUTE_FIELDS][1:1] = predefined_field
for field_schema in predefined_field:
self.schema_loader.add_schema_spec(field_schema, self.
fully_qualified_name)
|
extend_schema_spec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->None:\n super().extend_schema_spec()\n if self.ATTRIBUTE_FIELDS in self._spec:\n predefined_field = self._build_time_fields_spec(self._spec[self.\n ATTRIBUTE_NAME])\n self._spec[self.ATTRIBUTE_FIELDS][1:1] = predefined_field\n for field_schema in predefined_field:\n self.schema_loader.add_schema_spec(field_schema, self.\n fully_qualified_name)\n",
"role": "user"
},
{
"content": "extend_schema_spec",
"role": "assistant"
}
] |
def x(name_in_context: str) ->List[Dict[str, Any]]:
return [{'Name': '_start_time', 'Type': Type.DATETIME, 'Value':
'time if {aggregate}._start_time is None else time if time < {aggregate}._start_time else {aggregate}._start_time'
.format(aggregate=name_in_context), ATTRIBUTE_INTERNAL: True}, {
'Name': '_end_time', 'Type': Type.DATETIME, 'Value':
'time if {aggregate}._end_time is None else time if time > {aggregate}._end_time else {aggregate}._end_time'
.format(aggregate=name_in_context), ATTRIBUTE_INTERNAL: True}]
|
build_time_fields_spec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name_in_context: str) ->List[Dict[str, Any]]:\n return [{'Name': '_start_time', 'Type': Type.DATETIME, 'Value':\n 'time if {aggregate}._start_time is None else time if time < {aggregate}._start_time else {aggregate}._start_time'\n .format(aggregate=name_in_context), ATTRIBUTE_INTERNAL: True}, {\n 'Name': '_end_time', 'Type': Type.DATETIME, 'Value':\n 'time if {aggregate}._end_time is None else time if time > {aggregate}._end_time else {aggregate}._end_time'\n .format(aggregate=name_in_context), ATTRIBUTE_INTERNAL: True}]\n",
"role": "user"
},
{
"content": "build_time_fields_spec",
"role": "assistant"
}
] |
def x(inputs, substitutions, inverse=False, case_insensitive=False,
unused_substitutions='ignore'):
if inverse:
substitutions = {v: k for k, v in substitutions.items()}
if case_insensitive:
_check_duplicate_substitutions(substitutions)
if unused_substitutions != 'ignore':
_check_unused_substitutions(substitutions, inputs,
unused_substitutions, case_insensitive)
compiled_regexp = _compile_replacement_regexp(substitutions,
case_insensitive=case_insensitive)
inputs_return = deepcopy(inputs)
if isinstance(inputs_return, str):
inputs_return = _multiple_replace(inputs_return, substitutions,
compiled_regexp)
else:
inputs_return = [_multiple_replace(v, substitutions,
compiled_regexp) for v in inputs_return]
return inputs_return
|
apply_string_substitutions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inputs, substitutions, inverse=False, case_insensitive=False,\n unused_substitutions='ignore'):\n if inverse:\n substitutions = {v: k for k, v in substitutions.items()}\n if case_insensitive:\n _check_duplicate_substitutions(substitutions)\n if unused_substitutions != 'ignore':\n _check_unused_substitutions(substitutions, inputs,\n unused_substitutions, case_insensitive)\n compiled_regexp = _compile_replacement_regexp(substitutions,\n case_insensitive=case_insensitive)\n inputs_return = deepcopy(inputs)\n if isinstance(inputs_return, str):\n inputs_return = _multiple_replace(inputs_return, substitutions,\n compiled_regexp)\n else:\n inputs_return = [_multiple_replace(v, substitutions,\n compiled_regexp) for v in inputs_return]\n return inputs_return\n",
"role": "user"
},
{
"content": "apply_string_substitutions",
"role": "assistant"
}
] |
def x(self, base_key: Key, start_time: datetime, end_time: datetime=None,
count: int=0) ->List[Tuple[Key, Any]]:
if end_time and count:
raise ValueError('Only one of `end` or `count` can be set')
if count:
end_time = datetime.min.replace(tzinfo=timezone.utc
) if count < 0 else datetime.max.replace(tzinfo=timezone.utc)
end_time = self._add_timezone_if_required(end_time)
start_time = self._add_timezone_if_required(start_time)
if end_time < start_time:
start_time, end_time = end_time, start_time
if base_key.key_type == KeyType.TIMESTAMP:
start_key = Key(KeyType.TIMESTAMP, base_key.identity, base_key.
group, [], start_time)
end_key = Key(KeyType.TIMESTAMP, base_key.identity, base_key.group,
[], end_time)
return self._get_range_timestamp_key(start_key, end_key, count)
else:
return self._get_range_dimension_key(base_key, start_time, end_time,
count)
|
get_range
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, base_key: Key, start_time: datetime, end_time: datetime=None,\n count: int=0) ->List[Tuple[Key, Any]]:\n if end_time and count:\n raise ValueError('Only one of `end` or `count` can be set')\n if count:\n end_time = datetime.min.replace(tzinfo=timezone.utc\n ) if count < 0 else datetime.max.replace(tzinfo=timezone.utc)\n end_time = self._add_timezone_if_required(end_time)\n start_time = self._add_timezone_if_required(start_time)\n if end_time < start_time:\n start_time, end_time = end_time, start_time\n if base_key.key_type == KeyType.TIMESTAMP:\n start_key = Key(KeyType.TIMESTAMP, base_key.identity, base_key.\n group, [], start_time)\n end_key = Key(KeyType.TIMESTAMP, base_key.identity, base_key.group,\n [], end_time)\n return self._get_range_timestamp_key(start_key, end_key, count)\n else:\n return self._get_range_dimension_key(base_key, start_time, end_time,\n count)\n",
"role": "user"
},
{
"content": "get_range",
"role": "assistant"
}
] |
def x(self, start: Key, end: Key, count: int=0) ->List[Tuple[Key, Any]]:
raise NotImplementedError()
|
get_range_timestamp_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start: Key, end: Key, count: int=0) ->List[Tuple[Key, Any]]:\n raise NotImplementedError()\n",
"role": "user"
},
{
"content": "get_range_timestamp_key",
"role": "assistant"
}
] |
def x(self, base_key: Key, start_time: datetime, end_time: datetime, count:
int=0) ->List[Tuple[Key, Any]]:
raise NotImplementedError()
|
get_range_dimension_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, base_key: Key, start_time: datetime, end_time: datetime, count:\n int=0) ->List[Tuple[Key, Any]]:\n raise NotImplementedError()\n",
"role": "user"
},
{
"content": "get_range_dimension_key",
"role": "assistant"
}
] |
def x(items: List[Tuple[Key, Any]], count: int) ->List[Tuple[Key, Any]]:
if abs(count) > len(items):
count = Store._sign(count) * len(items)
if count < 0:
return items[count:]
else:
return items[:count]
|
restrict_items_to_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(items: List[Tuple[Key, Any]], count: int) ->List[Tuple[Key, Any]]:\n if abs(count) > len(items):\n count = Store._sign(count) * len(items)\n if count < 0:\n return items[count:]\n else:\n return items[:count]\n",
"role": "user"
},
{
"content": "restrict_items_to_count",
"role": "assistant"
}
] |
def x(self, attribute: str) ->Optional[Expression]:
expression_string = self._spec.get(attribute, None)
if expression_string:
try:
return Expression(str(expression_string))
except Exception as err:
self.add_errors(InvalidExpressionError(self.
fully_qualified_name, self._spec, attribute, err))
return None
|
build_expression
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attribute: str) ->Optional[Expression]:\n expression_string = self._spec.get(attribute, None)\n if expression_string:\n try:\n return Expression(str(expression_string))\n except Exception as err:\n self.add_errors(InvalidExpressionError(self.\n fully_qualified_name, self._spec, attribute, err))\n return None\n",
"role": "user"
},
{
"content": "build_expression",
"role": "assistant"
}
] |
def x(self, *errors: Union[BaseSchemaError, List[BaseSchemaError]]) ->None:
self.schema_loader.add_errors(*errors)
|
add_errors
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *errors: Union[BaseSchemaError, List[BaseSchemaError]]) ->None:\n self.schema_loader.add_errors(*errors)\n",
"role": "user"
},
{
"content": "add_errors",
"role": "assistant"
}
] |
def x(self, *attributes: str) ->None:
self.add_errors(validate_required_attributes(self.fully_qualified_name,
self._spec, *attributes))
|
validate_required_attributes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *attributes: str) ->None:\n self.add_errors(validate_required_attributes(self.fully_qualified_name,\n self._spec, *attributes))\n",
"role": "user"
},
{
"content": "validate_required_attributes",
"role": "assistant"
}
] |
def x(self, attribute: str, value_type: Union[Type[int], Type[float]]=int,
minimum: Optional[Union[int, float]]=None, maximum: Optional[Union[int,
float]]=None) ->None:
self.add_errors(validate_number_attribute(self.fully_qualified_name,
self._spec, attribute, value_type, minimum, maximum))
|
validate_number_attribute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attribute: str, value_type: Union[Type[int], Type[float]]=int,\n minimum: Optional[Union[int, float]]=None, maximum: Optional[Union[int,\n float]]=None) ->None:\n self.add_errors(validate_number_attribute(self.fully_qualified_name,\n self._spec, attribute, value_type, minimum, maximum))\n",
"role": "user"
},
{
"content": "validate_number_attribute",
"role": "assistant"
}
] |
def x(self, attribute: str, candidates: Set[Union[str, int, float]]) ->None:
self.add_errors(validate_enum_attribute(self.fully_qualified_name, self
._spec, attribute, candidates))
|
validate_enum_attribute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attribute: str, candidates: Set[Union[str, int, float]]) ->None:\n self.add_errors(validate_enum_attribute(self.fully_qualified_name, self\n ._spec, attribute, candidates))\n",
"role": "user"
},
{
"content": "validate_enum_attribute",
"role": "assistant"
}
] |
def x(self) ->None:
self.add_errors(validate_empty_attributes(self.fully_qualified_name,
self._spec, *self._spec.keys()))
self.add_errors(validate_python_identifier_attributes(self.
fully_qualified_name, self._spec, self.ATTRIBUTE_NAME))
|
validate_schema_spec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->None:\n self.add_errors(validate_empty_attributes(self.fully_qualified_name,\n self._spec, *self._spec.keys()))\n self.add_errors(validate_python_identifier_attributes(self.\n fully_qualified_name, self._spec, self.ATTRIBUTE_NAME))\n",
"role": "user"
},
{
"content": "validate_schema_spec",
"role": "assistant"
}
] |
def x(self) ->bool:
return self._schema.when is None or self._schema.when.evaluate(self.
_evaluation_context)
|
needs_evaluation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->bool:\n return self._schema.when is None or self._schema.when.evaluate(self.\n _evaluation_context)\n",
"role": "user"
},
{
"content": "needs_evaluation",
"role": "assistant"
}
] |
def x(self, *args, **kwargs) ->None:
if self._needs_evaluation:
for _, item in self._nested_items.items():
item.run_evaluate()
|
run_evaluate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs) ->None:\n if self._needs_evaluation:\n for _, item in self._nested_items.items():\n item.run_evaluate()\n",
"role": "user"
},
{
"content": "run_evaluate",
"role": "assistant"
}
] |
def x(self) ->Dict[str, Any]:
try:
return {name: item._snapshot for name, item in self._nested_items.
items()}
except Exception as e:
raise SnapshotError('Error while creating snapshot for {}'.format(
self._name)) from e
|
snapshot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Dict[str, Any]:\n try:\n return {name: item._snapshot for name, item in self._nested_items.\n items()}\n except Exception as e:\n raise SnapshotError('Error while creating snapshot for {}'.format(\n self._name)) from e\n",
"role": "user"
},
{
"content": "snapshot",
"role": "assistant"
}
] |
def x(self, snapshot: Dict[Union[str, Key], Any]) ->'BaseItemCollection':
try:
for name, snap in snapshot.items():
if isinstance(name, Key):
self._nested_items[name.group].run_restore(snap)
else:
self._nested_items[name].run_restore(snap)
return self
except Exception as e:
raise SnapshotError('Error while restoring snapshot: {}'.format(
self._snapshot)) from e
|
run_restore
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, snapshot: Dict[Union[str, Key], Any]) ->'BaseItemCollection':\n try:\n for name, snap in snapshot.items():\n if isinstance(name, Key):\n self._nested_items[name.group].run_restore(snap)\n else:\n self._nested_items[name].run_restore(snap)\n return self\n except Exception as e:\n raise SnapshotError('Error while restoring snapshot: {}'.format(\n self._snapshot)) from e\n",
"role": "user"
},
{
"content": "run_restore",
"role": "assistant"
}
] |
def x(self, start_time: datetime) ->None:
store = self._schema.schema_loader.get_store(self._schema.source.
store_schema.fully_qualified_name)
if Type.is_type_equal(self._schema.window_type, Type.DAY
) or Type.is_type_equal(self._schema.window_type, Type.HOUR):
block_list = self._load_blocks(store.get_range(Key(self._schema.
source.key_type, self._identity, self._schema.source.name),
start_time, self._get_end_time(start_time)))
else:
block_list = self._load_blocks(store.get_range(Key(self._schema.
source.key_type, self._identity, self._schema.source.name),
start_time, None, self._schema.window_value))
self._window_source = _WindowSource(block_list)
self._validate_view()
|
prepare_window
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_time: datetime) ->None:\n store = self._schema.schema_loader.get_store(self._schema.source.\n store_schema.fully_qualified_name)\n if Type.is_type_equal(self._schema.window_type, Type.DAY\n ) or Type.is_type_equal(self._schema.window_type, Type.HOUR):\n block_list = self._load_blocks(store.get_range(Key(self._schema.\n source.key_type, self._identity, self._schema.source.name),\n start_time, self._get_end_time(start_time)))\n else:\n block_list = self._load_blocks(store.get_range(Key(self._schema.\n source.key_type, self._identity, self._schema.source.name),\n start_time, None, self._schema.window_value))\n self._window_source = _WindowSource(block_list)\n self._validate_view()\n",
"role": "user"
},
{
"content": "prepare_window",
"role": "assistant"
}
] |
def x(self, start_time: datetime) ->datetime:
if Type.is_type_equal(self._schema.window_type, Type.DAY):
return start_time + timedelta(days=self._schema.window_value)
elif Type.is_type_equal(self._schema.window_type, Type.HOUR):
return start_time + timedelta(hours=self._schema.window_value)
|
get_end_time
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_time: datetime) ->datetime:\n if Type.is_type_equal(self._schema.window_type, Type.DAY):\n return start_time + timedelta(days=self._schema.window_value)\n elif Type.is_type_equal(self._schema.window_type, Type.HOUR):\n return start_time + timedelta(hours=self._schema.window_value)\n",
"role": "user"
},
{
"content": "get_end_time",
"role": "assistant"
}
] |
def x(self, blocks: List[Tuple[Key, Any]]) ->List[TimeAggregate]:
return [TypeLoader.load_item(self._schema.source.type)(self._schema.
source, self._identity, EvaluationContext()).run_restore(block) for
_, block in blocks]
|
load_blocks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, blocks: List[Tuple[Key, Any]]) ->List[TimeAggregate]:\n return [TypeLoader.load_item(self._schema.source.type)(self._schema.\n source, self._identity, EvaluationContext()).run_restore(block) for\n _, block in blocks]\n",
"role": "user"
},
{
"content": "load_blocks",
"role": "assistant"
}
] |
def x(self, identity: str, records: List[TimeAndRecord], old_state:
Optional[Dict[Key, Any]]=None) ->Tuple[str, Tuple[Dict, List]]:
schema_loader = SchemaLoader()
if records:
records.sort(key=lambda x: x[0])
else:
records = []
block_data = self._execute_stream_bts(records, identity, schema_loader,
old_state)
window_data = self._execute_window_bts(identity, schema_loader)
return identity, (block_data, window_data)
|
execute_per_identity_records
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, identity: str, records: List[TimeAndRecord], old_state:\n Optional[Dict[Key, Any]]=None) ->Tuple[str, Tuple[Dict, List]]:\n schema_loader = SchemaLoader()\n if records:\n records.sort(key=lambda x: x[0])\n else:\n records = []\n block_data = self._execute_stream_bts(records, identity, schema_loader,\n old_state)\n window_data = self._execute_window_bts(identity, schema_loader)\n return identity, (block_data, window_data)\n",
"role": "user"
},
{
"content": "execute_per_identity_records",
"role": "assistant"
}
] |
def x(self, events: Iterable, data_processor: DataProcessor) ->Generator[
Tuple[str, TimeAndRecord], None, None]:
schema_loader = SchemaLoader()
stream_bts_name = schema_loader.add_schema_spec(self._stream_bts)
stream_transformer_schema: StreamingTransformerSchema = (schema_loader.
get_schema_object(stream_bts_name))
for event in events:
try:
for record in data_processor.process_data(event):
try:
id = stream_transformer_schema.get_identity(record)
time = stream_transformer_schema.get_time(record)
yield id, (time, record)
except Exception as err:
logging.error('{} in parsing Record {}.'.format(err,
record))
except Exception as err:
logging.error('{} in parsing Event {}.'.format(err, event))
|
get_per_identity_records
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, events: Iterable, data_processor: DataProcessor) ->Generator[\n Tuple[str, TimeAndRecord], None, None]:\n schema_loader = SchemaLoader()\n stream_bts_name = schema_loader.add_schema_spec(self._stream_bts)\n stream_transformer_schema: StreamingTransformerSchema = (schema_loader.\n get_schema_object(stream_bts_name))\n for event in events:\n try:\n for record in data_processor.process_data(event):\n try:\n id = stream_transformer_schema.get_identity(record)\n time = stream_transformer_schema.get_time(record)\n yield id, (time, record)\n except Exception as err:\n logging.error('{} in parsing Record {}.'.format(err,\n record))\n except Exception as err:\n logging.error('{} in parsing Event {}.'.format(err, event))\n",
"role": "user"
},
{
"content": "get_per_identity_records",
"role": "assistant"
}
] |
def x(self, hdr, other):
result = '%s[%s,%s' % (hdr, self.get_type(self.type), self.get_clazz(
self.clazz))
if self.unique:
result += '-unique,'
else:
result += ','
result += self.name
if other is not None:
result += ',%s]' % other
else:
result += ']'
return result
|
to_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hdr, other):\n result = '%s[%s,%s' % (hdr, self.get_type(self.type), self.get_clazz(\n self.clazz))\n if self.unique:\n result += '-unique,'\n else:\n result += ','\n result += self.name\n if other is not None:\n result += ',%s]' % other\n else:\n result += ']'\n return result\n",
"role": "user"
},
{
"content": "to_string",
"role": "assistant"
}
] |
def x(self, rec):
return self.clazz == rec.clazz and (self.type == rec.type or self.type ==
_TYPE_ANY) and self.name == rec.name
|
answered_by
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rec):\n return self.clazz == rec.clazz and (self.type == rec.type or self.type ==\n _TYPE_ANY) and self.name == rec.name\n",
"role": "user"
},
{
"content": "answered_by",
"role": "assistant"
}
] |
def x(self, other):
self.created = other.created
self.ttl = other.ttl
|
reset_ttl
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n self.created = other.created\n self.ttl = other.ttl\n",
"role": "user"
},
{
"content": "reset_ttl",
"role": "assistant"
}
] |
def x(self, other):
arg = '%s/%s,%s' % (self.ttl, self.get_remaining_ttl(
current_time_millis()), other)
return DNSEntry.to_string(self, 'record', arg)
|
to_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n arg = '%s/%s,%s' % (self.ttl, self.get_remaining_ttl(\n current_time_millis()), other)\n return DNSEntry.to_string(self, 'record', arg)\n",
"role": "user"
},
{
"content": "to_string",
"role": "assistant"
}
] |
def x(self, out):
out.write_string(self.address, len(self.address))
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, out):\n out.write_string(self.address, len(self.address))\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self, out):
out.write_string(self.cpu, len(self.cpu))
out.write_string(self.os, len(self.os))
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, out):\n out.write_string(self.cpu, len(self.cpu))\n out.write_string(self.os, len(self.os))\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self, out):
out.write_string(self.text, len(self.text))
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, out):\n out.write_string(self.text, len(self.text))\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self, key, value):
self.properties[key] = value
self.sync_properties()
|
set_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value):\n self.properties[key] = value\n self.sync_properties()\n",
"role": "user"
},
{
"content": "set_property",
"role": "assistant"
}
] |
def x(self, out):
out.write_short(self.priority)
out.write_short(self.weight)
out.write_short(self.port)
out.write_name(self.server)
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, out):\n out.write_short(self.priority)\n out.write_short(self.weight)\n out.write_short(self.port)\n out.write_name(self.server)\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self):
format = '!HHHHHH'
length = struct.calcsize(format)
info = struct.unpack(format, self.data[self.offset:self.offset + length])
self.offset += length
self.id = info[0]
self.flags = info[1]
self.num_questions = info[2]
self.num_answers = info[3]
self.num_authorities = info[4]
self.num_additionals = info[5]
|
read_header
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n format = '!HHHHHH'\n length = struct.calcsize(format)\n info = struct.unpack(format, self.data[self.offset:self.offset + length])\n self.offset += length\n self.id = info[0]\n self.flags = info[1]\n self.num_questions = info[2]\n self.num_answers = info[3]\n self.num_authorities = info[4]\n self.num_additionals = info[5]\n",
"role": "user"
},
{
"content": "read_header",
"role": "assistant"
}
] |
def x(self):
format = '!HH'
length = struct.calcsize(format)
for i in range(0, self.num_questions):
name = self.read_name()
info = struct.unpack(format, self.data[self.offset:self.offset +
length])
self.offset += length
question = DNSQuestion(name, info[0], info[1])
self.questions.append(question)
|
read_questions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n format = '!HH'\n length = struct.calcsize(format)\n for i in range(0, self.num_questions):\n name = self.read_name()\n info = struct.unpack(format, self.data[self.offset:self.offset +\n length])\n self.offset += length\n question = DNSQuestion(name, info[0], info[1])\n self.questions.append(question)\n",
"role": "user"
},
{
"content": "read_questions",
"role": "assistant"
}
] |
def x(self):
format = '!I'
length = struct.calcsize(format)
info = struct.unpack(format, self.data[self.offset:self.offset + length])
self.offset += length
return info[0]
|
read_int
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n format = '!I'\n length = struct.calcsize(format)\n info = struct.unpack(format, self.data[self.offset:self.offset + length])\n self.offset += length\n return info[0]\n",
"role": "user"
},
{
"content": "read_int",
"role": "assistant"
}
] |
def x(self):
length = ord(self.data[self.offset])
self.offset += 1
return self.read_string(length)
|
read_character_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n length = ord(self.data[self.offset])\n self.offset += 1\n return self.read_string(length)\n",
"role": "user"
},
{
"content": "read_character_string",
"role": "assistant"
}
] |
def x(self, len):
format = '!' + str(len) + 's'
length = struct.calcsize(format)
info = struct.unpack(format, self.data[self.offset:self.offset + length])
self.offset += length
return info[0]
|
read_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, len):\n format = '!' + str(len) + 's'\n length = struct.calcsize(format)\n info = struct.unpack(format, self.data[self.offset:self.offset + length])\n self.offset += length\n return info[0]\n",
"role": "user"
},
{
"content": "read_string",
"role": "assistant"
}
] |
def x(self):
format = '!HHiH'
length = struct.calcsize(format)
n = self.num_answers + self.num_authorities + self.num_additionals
for i in range(0, n):
domain = self.read_name()
info = struct.unpack(format, self.data[self.offset:self.offset +
length])
self.offset += length
rec = None
if info[0] == _TYPE_A:
rec = DNSAddress(domain, info[0], info[1], info[2], self.
read_string(4))
elif info[0] == _TYPE_CNAME or info[0] == _TYPE_PTR:
rec = DNSPointer(domain, info[0], info[1], info[2], self.
read_name())
elif info[0] == _TYPE_TXT:
rec = DNSText(domain, info[0], info[1], info[2], self.
read_string(info[3]))
elif info[0] == _TYPE_SRV:
rec = DNSService(domain, info[0], info[1], info[2], self.
read_unsigned_short(), self.read_unsigned_short(), self.
read_unsigned_short(), self.read_name())
elif info[0] == _TYPE_HINFO:
rec = DNSHinfo(domain, info[0], info[1], info[2], self.
read_character_string(), self.read_character_string())
elif info[0] == _TYPE_RRSIG:
rec = DNSSignatureI(domain, info[0], info[1], info[2], self.
read_string(18), self.read_name(), self.read_character_string()
)
elif info[0] == _TYPE_AAAA:
rec = DNSAddress(domain, info[0], info[1], info[2], self.
read_string(16))
else:
pass
if rec is not None:
self.answers.append(rec)
|
read_others
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n format = '!HHiH'\n length = struct.calcsize(format)\n n = self.num_answers + self.num_authorities + self.num_additionals\n for i in range(0, n):\n domain = self.read_name()\n info = struct.unpack(format, self.data[self.offset:self.offset +\n length])\n self.offset += length\n rec = None\n if info[0] == _TYPE_A:\n rec = DNSAddress(domain, info[0], info[1], info[2], self.\n read_string(4))\n elif info[0] == _TYPE_CNAME or info[0] == _TYPE_PTR:\n rec = DNSPointer(domain, info[0], info[1], info[2], self.\n read_name())\n elif info[0] == _TYPE_TXT:\n rec = DNSText(domain, info[0], info[1], info[2], self.\n read_string(info[3]))\n elif info[0] == _TYPE_SRV:\n rec = DNSService(domain, info[0], info[1], info[2], self.\n read_unsigned_short(), self.read_unsigned_short(), self.\n read_unsigned_short(), self.read_name())\n elif info[0] == _TYPE_HINFO:\n rec = DNSHinfo(domain, info[0], info[1], info[2], self.\n read_character_string(), self.read_character_string())\n elif info[0] == _TYPE_RRSIG:\n rec = DNSSignatureI(domain, info[0], info[1], info[2], self.\n read_string(18), self.read_name(), self.read_character_string()\n )\n elif info[0] == _TYPE_AAAA:\n rec = DNSAddress(domain, info[0], info[1], info[2], self.\n read_string(16))\n else:\n pass\n if rec is not None:\n self.answers.append(rec)\n",
"role": "user"
},
{
"content": "read_others",
"role": "assistant"
}
] |
def x(self, offset, len):
try:
result = self.data[offset:offset + len].decode('utf-8')
except UnicodeDecodeError:
result = str('')
return result
|
read_utf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset, len):\n try:\n result = self.data[offset:offset + len].decode('utf-8')\n except UnicodeDecodeError:\n result = str('')\n return result\n",
"role": "user"
},
{
"content": "read_utf",
"role": "assistant"
}
] |
def x(self):
result = ''
off = self.offset
next = -1
first = off
while 1:
len = ord(self.data[off])
off += 1
if len == 0:
break
t = len & 192
if t == 0:
result = ''.join((result, self.read_utf(off, len) + '.'))
off += len
elif t == 192:
if next < 0:
next = off + 1
off = (len & 63) << 8 | ord(self.data[off])
if off >= first:
raise Exception('Bad domain name (circular) at ' + str(off))
first = off
else:
raise Exception('Bad domain name at ' + str(off))
if next >= 0:
self.offset = next
else:
self.offset = off
return result
|
read_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = ''\n off = self.offset\n next = -1\n first = off\n while 1:\n len = ord(self.data[off])\n off += 1\n if len == 0:\n break\n t = len & 192\n if t == 0:\n result = ''.join((result, self.read_utf(off, len) + '.'))\n off += len\n elif t == 192:\n if next < 0:\n next = off + 1\n off = (len & 63) << 8 | ord(self.data[off])\n if off >= first:\n raise Exception('Bad domain name (circular) at ' + str(off))\n first = off\n else:\n raise Exception('Bad domain name at ' + str(off))\n if next >= 0:\n self.offset = next\n else:\n self.offset = off\n return result\n",
"role": "user"
},
{
"content": "read_name",
"role": "assistant"
}
] |
def x(self, inp, record):
if not record.suppressed_by(inp):
self.add_answer_at_time(record, 0)
|
add_answer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inp, record):\n if not record.suppressed_by(inp):\n self.add_answer_at_time(record, 0)\n",
"role": "user"
},
{
"content": "add_answer",
"role": "assistant"
}
] |
def x(self, record, now):
if record is not None:
if now == 0 or not record.is_expired(now):
self.answers.append((record, now))
if record.rrsig is not None:
self.answers.append((record.rrsig, now))
|
add_answer_at_time
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record, now):\n if record is not None:\n if now == 0 or not record.is_expired(now):\n self.answers.append((record, now))\n if record.rrsig is not None:\n self.answers.append((record.rrsig, now))\n",
"role": "user"
},
{
"content": "add_answer_at_time",
"role": "assistant"
}
] |
def x(self, value):
format = '!B'
self.data.append(struct.pack(format, value))
self.size += 1
|
write_byte
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n format = '!B'\n self.data.append(struct.pack(format, value))\n self.size += 1\n",
"role": "user"
},
{
"content": "write_byte",
"role": "assistant"
}
] |
def x(self, index, value):
format = '!H'
self.data.insert(index, struct.pack(format, value))
self.size += 2
|
insert_short
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, value):\n format = '!H'\n self.data.insert(index, struct.pack(format, value))\n self.size += 2\n",
"role": "user"
},
{
"content": "insert_short",
"role": "assistant"
}
] |
def x(self, value):
format = '!I'
self.data.append(struct.pack(format, int(value)))
self.size += 4
|
write_int
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n format = '!I'\n self.data.append(struct.pack(format, int(value)))\n self.size += 4\n",
"role": "user"
},
{
"content": "write_int",
"role": "assistant"
}
] |
def x(self, value, length):
format = '!' + str(length) + 's'
self.data.append(struct.pack(format, value))
self.size += length
|
write_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, length):\n format = '!' + str(length) + 's'\n self.data.append(struct.pack(format, value))\n self.size += length\n",
"role": "user"
},
{
"content": "write_string",
"role": "assistant"
}
] |
def x(self, s):
utfstr = s.encode('utf-8')
length = len(utfstr)
if length > 64:
raise NamePartTooLongException
self.write_byte(length)
self.write_string(utfstr, length)
|
write_utf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s):\n utfstr = s.encode('utf-8')\n length = len(utfstr)\n if length > 64:\n raise NamePartTooLongException\n self.write_byte(length)\n self.write_string(utfstr, length)\n",
"role": "user"
},
{
"content": "write_utf",
"role": "assistant"
}
] |
def x(self, name):
try:
index = self.names[name]
except KeyError:
self.names[name] = self.size
parts = name.split('.')
if parts[-1] == '':
parts = parts[:-1]
for part in parts:
self.write_utf(part)
self.write_byte(0)
return
self.write_byte(index >> 8 | 192)
self.write_byte(index)
|
write_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n try:\n index = self.names[name]\n except KeyError:\n self.names[name] = self.size\n parts = name.split('.')\n if parts[-1] == '':\n parts = parts[:-1]\n for part in parts:\n self.write_utf(part)\n self.write_byte(0)\n return\n self.write_byte(index >> 8 | 192)\n self.write_byte(index)\n",
"role": "user"
},
{
"content": "write_name",
"role": "assistant"
}
] |
def x(self, question):
self.write_name(question.name)
self.write_short(question.type)
self.write_short(question.clazz)
|
write_question
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, question):\n self.write_name(question.name)\n self.write_short(question.type)\n self.write_short(question.clazz)\n",
"role": "user"
},
{
"content": "write_question",
"role": "assistant"
}
] |
def x(self, record, now):
self.write_name(record.name)
self.write_short(record.type)
if record.unique and self.multicast:
self.write_short(record.clazz | _CLASS_UNIQUE)
else:
self.write_short(record.clazz)
if now == 0:
self.write_int(record.ttl)
else:
self.write_int(record.get_remaining_ttl(now))
index = len(self.data)
self.size += 2
record.write(self)
self.size -= 2
length = len(b''.join(self.data[index:]))
self.insert_short(index, length)
|
write_record
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record, now):\n self.write_name(record.name)\n self.write_short(record.type)\n if record.unique and self.multicast:\n self.write_short(record.clazz | _CLASS_UNIQUE)\n else:\n self.write_short(record.clazz)\n if now == 0:\n self.write_int(record.ttl)\n else:\n self.write_int(record.get_remaining_ttl(now))\n index = len(self.data)\n self.size += 2\n record.write(self)\n self.size -= 2\n length = len(b''.join(self.data[index:]))\n self.insert_short(index, length)\n",
"role": "user"
},
{
"content": "write_record",
"role": "assistant"
}
] |
def x(self):
if not self.finished:
self.finished = 1
for question in self.questions:
self.write_question(question)
for answer, time in self.answers:
self.write_record(answer, time)
for authority in self.authorities:
self.write_record(authority, 0)
for additional in self.additionals:
self.write_record(additional, 0)
self.insert_short(0, len(self.additionals))
self.insert_short(0, len(self.authorities))
self.insert_short(0, len(self.answers))
self.insert_short(0, len(self.questions))
self.insert_short(0, self.flags)
if self.multicast:
self.insert_short(0, 0)
else:
self.insert_short(0, self.id)
return b''.join(self.data)
|
packet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.finished:\n self.finished = 1\n for question in self.questions:\n self.write_question(question)\n for answer, time in self.answers:\n self.write_record(answer, time)\n for authority in self.authorities:\n self.write_record(authority, 0)\n for additional in self.additionals:\n self.write_record(additional, 0)\n self.insert_short(0, len(self.additionals))\n self.insert_short(0, len(self.authorities))\n self.insert_short(0, len(self.answers))\n self.insert_short(0, len(self.questions))\n self.insert_short(0, self.flags)\n if self.multicast:\n self.insert_short(0, 0)\n else:\n self.insert_short(0, self.id)\n return b''.join(self.data)\n",
"role": "user"
},
{
"content": "packet",
"role": "assistant"
}
] |
def x(self, entry):
if self.get(entry) is not None:
return
try:
list = self.cache[entry.key]
except:
list = self.cache[entry.key] = []
list.append(entry)
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entry):\n if self.get(entry) is not None:\n return\n try:\n list = self.cache[entry.key]\n except:\n list = self.cache[entry.key] = []\n list.append(entry)\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, entry, signer=None):
if self.get(entry) is not None:
return
if entry.rrsig is None and self.private is not None:
entry.rrsig = DNSSignatureS(entry.name, _TYPE_RRSIG, _CLASS_IN,
entry, self.private, signer)
self.add(entry)
if self.private is not None:
self.add(entry.rrsig)
|
sign
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entry, signer=None):\n if self.get(entry) is not None:\n return\n if entry.rrsig is None and self.private is not None:\n entry.rrsig = DNSSignatureS(entry.name, _TYPE_RRSIG, _CLASS_IN,\n entry, self.private, signer)\n self.add(entry)\n if self.private is not None:\n self.add(entry.rrsig)\n",
"role": "user"
},
{
"content": "sign",
"role": "assistant"
}
] |
def x(self, entry):
try:
list = self.cache[entry.key]
list.remove(entry)
except:
pass
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entry):\n try:\n list = self.cache[entry.key]\n list.remove(entry)\n except:\n pass\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self, entry):
try:
list = self.cache[entry.key]
return list[list.index(entry)]
except:
return None
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entry):\n try:\n list = self.cache[entry.key]\n return list[list.index(entry)]\n except:\n return None\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, name, type, clazz):
entry = DNSEntry(name, type, clazz)
return self.get(entry)
|
get_by_details
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, type, clazz):\n entry = DNSEntry(name, type, clazz)\n return self.get(entry)\n",
"role": "user"
},
{
"content": "get_by_details",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.