source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(title, decode=True, max_len=None, use_complete_words=True): if decode: title = unidecode(title) title = title.lower() filtered_title = re.sub('[^a-z0-9- ]+', '', title) normalized_title = '-'.join([word for word in filtered_title.split() if word not in STOP_WORDS]) if max_len a...
title_to_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(title, decode=True, max_len=None, use_complete_words=True):\n if decode:\n title = unidecode(title)\n title = title.lower()\n filtered_title = ...
def x(uri_string): try: result = urlparse(uri_string) has_elements = all([result.scheme, result.netloc, result.path]) is_http = result.scheme == 'http' or result.scheme == 'https' return True if has_elements and is_http else False except Exception: return False
validate_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(uri_string):\n try:\n result = urlparse(uri_string)\n has_elements = all([result.scheme, result.netloc, result.path])\n is_http = resul...
def x(directory): if directory and not os.path.exists(directory): os.makedirs(directory)
ensure_dir_exists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(directory):\n if directory and not os.path.exists(directory):\n os.makedirs(directory)\n", "role": "user" }, { "content": "ensure_dir_exi...
def x(dicc, keys, default_value=None): for key in keys: if isinstance(dicc, dict) and key in dicc: dicc = dicc[key] elif isinstance(dicc, list) and isinstance(key, int) and key < len(dicc ): dicc = dicc[key] else: return default_value retur...
traverse_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dicc, keys, default_value=None):\n for key in keys:\n if isinstance(dicc, dict) and key in dicc:\n dicc = dicc[key]\n elif isinstan...
def x(list_of_dicts, expected_keys=None): if isinstance(list_of_dicts, list) and len(list_of_dicts) == 0: return False is_not_list_msg = '\n{} no es una lista. Debe ingresar una lista'.format( list_of_dicts) assert isinstance(list_of_dicts, list), is_not_list_msg not_all_dicts_msg = ( ...
is_list_of_matching_dicts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(list_of_dicts, expected_keys=None):\n if isinstance(list_of_dicts, list) and len(list_of_dicts) == 0:\n return False\n is_not_list_msg = '\\n{} no...
def x(cell): value = cell.value if isinstance(value, string_types): value = value.strip() if isinstance(value, datetime): value = value.isoformat() return value
parse_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cell):\n value = cell.value\n if isinstance(value, string_types):\n value = value.strip()\n if isinstance(value, datetime):\n value = va...
def x(worksheet): headers = [] value_rows = [] for row_i, row in enumerate(worksheet.iter_rows()): if row_i == 0: for header_cell in row: if header_cell.value: headers.append(parse_value(header_cell)) else: break ...
sheet_to_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(worksheet):\n headers = []\n value_rows = []\n for row_i, row in enumerate(worksheet.iter_rows()):\n if row_i == 0:\n for header_cel...
def x(string, sep=',', filter_empty=False): return [value.strip() for value in string.split(sep) if not filter_empty or value]
string_to_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string, sep=',', filter_empty=False):\n return [value.strip() for value in string.split(sep) if not\n filter_empty or value]\n", "role": "user" ...
def x(one_dict, other_dict): result = other_dict.copy() for k, v in one_dict.items(): if v is None: v = 0 if isinstance(v, dict): result[k] = add_dicts(v, other_dict.get(k, {})) else: other_value = result.get(k, 0) if other_value is None: ...
add_dicts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(one_dict, other_dict):\n result = other_dict.copy()\n for k, v in one_dict.items():\n if v is None:\n v = 0\n if isinstance(v, d...
def x(date_str): intervals = {'Y': 365, 'M': 30, 'W': 7, 'D': 1, 'H': 0, 'S': 0} if date_str.find('R/P') != 0: return 0 date_str = date_str.strip('R/P') days = 0 index = 0 for interval in intervals: value_end = date_str.find(interval) if value_end < 0: continu...
parse_repeating_time_interval_to_days
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(date_str):\n intervals = {'Y': 365, 'M': 30, 'W': 7, 'D': 1, 'H': 0, 'S': 0}\n if date_str.find('R/P') != 0:\n return 0\n date_str = date_str.s...
def x(date_str): with open(os.path.join(ABSOLUTE_SCHEMA_DIR, 'accrualPeriodicity.json'), 'r' ) as f: freqs_map = {freq['id']: freq['description'] for freq in json.load(f)} return freqs_map[date_str]
parse_repeating_time_interval_to_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(date_str):\n with open(os.path.join(ABSOLUTE_SCHEMA_DIR, 'accrualPeriodicity.json'), 'r'\n ) as f:\n freqs_map = {freq['id']: freq['descriptio...
def x(wb, name): if isinstance(wb, string_types): wb = load_workbook(wb, read_only=True, data_only=True) for sheetname in wb.sheetnames: if sheetname.lower() == name.lower(): return sheetname raise Exception('No existe la hoja {}'.format(name))
find_ws_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(wb, name):\n if isinstance(wb, string_types):\n wb = load_workbook(wb, read_only=True, data_only=True)\n for sheetname in wb.sheetnames:\n ...
def x(dataset, other, fields_dataset=None, fields_distribution=None, return_diff=False): dataset_is_equal = True dataset_diff = [] if not fields_dataset: fields_dataset = ['title', ['publisher', 'name']] for field_dataset in fields_dataset: if isinstance(field_dataset, list): ...
datasets_equal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dataset, other, fields_dataset=None, fields_distribution=None,\n return_diff=False):\n dataset_is_equal = True\n dataset_diff = []\n if not fields_...
def x(catalog): for dataset in catalog.get('dataset', []): for distribution_index, distribution in enumerate(dataset.get( 'distribution', [])): if 'identifier' not in distribution: distribution['identifier'] = '{}_{}'.format(dataset[ 'identifier'],...
generate_distribution_ids
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(catalog):\n for dataset in catalog.get('dataset', []):\n for distribution_index, distribution in enumerate(dataset.get(\n 'distribution', ...
def x(catalog, theme): try: label = catalog.get_theme(identifier=theme)['label'] except BaseException: try: label = catalog.get_theme(label=theme)['label'] except BaseException: raise ce.ThemeNonExistentError(theme) label = re.sub('[^\\wá-úÁ-ÚñÑ .-]+', '', lab...
get_theme_label
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(catalog, theme):\n try:\n label = catalog.get_theme(identifier=theme)['label']\n except BaseException:\n try:\n label = catalog....
def x(catalogs, local_catalogs_dir='', include_metadata=True, include_data= True, include_metadata_xlsx=False, use_short_path=False): if isinstance(catalogs, list): for catalog in catalogs: try: make_catalog_backup(catalog, local_catalogs_dir= local_catalo...
make_catalogs_backup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(catalogs, local_catalogs_dir='', include_metadata=True, include_data=\n True, include_metadata_xlsx=False, use_short_path=False):\n if isinstance(catalog...
def x(catalog, catalog_id=None, local_catalogs_dir='', include_metadata= True, include_data=True, include_datasets=None, include_distribution_formats=['CSV', 'XLS'], include_metadata_xlsx=True, use_short_path=False): catalog = pydatajson.DataJson(catalog) catalog_identifier = catalog_id if catalog_i...
make_catalog_backup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(catalog, catalog_id=None, local_catalogs_dir='', include_metadata=\n True, include_data=True, include_datasets=None,\n include_distribution_formats=['CSV...
def x(catalog_id, dataset_id, distribution_id, catalogs_dir=CATALOGS_DIR, use_short_path=False): if use_short_path: catalog_path = os.path.join(catalogs_dir, 'catalog', catalog_id) distribution_dir = os.path.join(catalog_path, dataset_id) else: catalog_path = os.path.join(catalogs_di...
get_distribution_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(catalog_id, dataset_id, distribution_id, catalogs_dir=CATALOGS_DIR,\n use_short_path=False):\n if use_short_path:\n catalog_path = os.path.join(ca...
def x(catalog_id, dataset_id, distribution_id, distribution_file_name, catalogs_dir=CATALOGS_DIR, use_short_path=False): if use_short_path: distribution_dir = get_distribution_dir(catalog_id, dataset_id, distribution_id, catalogs_dir, use_short_path=True) distribution_file_path = os....
get_distribution_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(catalog_id, dataset_id, distribution_id, distribution_file_name,\n catalogs_dir=CATALOGS_DIR, use_short_path=False):\n if use_short_path:\n distri...
def x(catalog_id, catalogs_dir=CATALOGS_DIR, fmt='json'): base_path = os.path.join(catalogs_dir, 'catalog', catalog_id) if fmt == 'json': return os.path.join(base_path, 'data.json') elif fmt == 'xlsx': return os.path.join(base_path, 'catalog.xlsx') else: raise NotImplementedError...
get_catalog_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(catalog_id, catalogs_dir=CATALOGS_DIR, fmt='json'):\n base_path = os.path.join(catalogs_dir, 'catalog', catalog_id)\n if fmt == 'json':\n return o...
def x(catalogs, include_data=True, use_short_path=True): include_data = bool(int(include_data)) make_catalogs_backup(catalogs.split(','), include_data=include_data, use_short_path=use_short_path)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(catalogs, include_data=True, use_short_path=True):\n include_data = bool(int(include_data))\n make_catalogs_backup(catalogs.split(','), include_data=incl...
def x(catalog, export_path=None): if isinstance(catalog, string_types): catalog_path_or_url = catalog else: catalog_path_or_url = None catalog = read_catalog(catalog) validation = validate_catalog(catalog) indicators = generate_catalogs_indicators(catalog, CENTRAL_CATALOG)[0][0] ...
generate_readme
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(catalog, export_path=None):\n if isinstance(catalog, string_types):\n catalog_path_or_url = catalog\n else:\n catalog_path_or_url = None\n ...
def x(self, builder: Builder): self.config = builder.configuration self.with_common_random_numbers = bool(self.config.randomness.key_columns) self.register = builder.randomness.register_simulants if self.with_common_random_numbers and not ['entrance_time', 'age' ] == self.config.randomness.key_c...
setup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, builder: Builder):\n self.config = builder.configuration\n self.with_common_random_numbers = bool(self.config.randomness.key_columns)\n self.reg...
def x(self, pop_data: SimulantData): age_start = self.config.population.age_start age_end = self.config.population.age_end if age_start == age_end: age_window = pop_data.creation_window / pd.Timedelta(days=365) else: age_window = age_end - age_start age_draw = self.age_randomness.get...
on_initialize_simulants
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pop_data: SimulantData):\n age_start = self.config.population.age_start\n age_end = self.config.population.age_end\n if age_start == age_end:\n ...
def x(self, event: Event): population = self.population_view.get(event.index, query="alive == 'alive'" ) population['age'] += event.step_size / pd.Timedelta(days=365) self.population_view.update(population)
age_simulants
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event: Event):\n population = self.population_view.get(event.index, query=\"alive == 'alive'\"\n )\n population['age'] += event.step_size / ...
def x(catalogs, central_catalog=None, identifier_search=False, validator=None): assert isinstance(catalogs, string_types + (dict, list)) if isinstance(catalogs, string_types + (dict,)): catalogs = [catalogs] indicators_list = [] fields = {} catalogs_cant = 0 for catalog in catalogs: ...
generate_catalogs_indicators
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(catalogs, central_catalog=None, identifier_search=False, validator=None):\n assert isinstance(catalogs, string_types + (dict, list))\n if isinstance(cata...
def x(catalog, validator=None, only_numeric=False): result = {} result.update(_generate_status_indicators(catalog, validator=validator)) result.update(_generate_date_indicators(catalog, only_numeric=only_numeric) ) if not only_numeric: if 'dataset' in catalog: format_count = ...
generate_indicators
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(catalog, validator=None, only_numeric=False):\n result = {}\n result.update(_generate_status_indicators(catalog, validator=validator))\n result.update...
def x(catalog, central_catalog, identifier_search=False): result = {'datasets_federados_cant': None, 'datasets_federados_pct': None, 'datasets_no_federados_cant': None, 'datasets_federados_eliminados_cant': None, 'distribuciones_federadas_cant': None, 'datasets_federados_eliminados':...
federation_indicators
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(catalog, central_catalog, identifier_search=False):\n result = {'datasets_federados_cant': None, 'datasets_federados_pct':\n None, 'datasets_no_feder...
def x(fields, network_indicators): percentages = {'datasets_meta_ok_pct': (network_indicators.get( 'datasets_meta_ok_cant'), network_indicators.get( 'datasets_meta_error_cant')), 'datasets_actualizados_pct': ( network_indicators.get('datasets_actualizados_cant'), network_indicators.g...
network_indicator_percentages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fields, network_indicators):\n percentages = {'datasets_meta_ok_pct': (network_indicators.get(\n 'datasets_meta_ok_cant'), network_indicators.get(\n ...
def x(catalog, validator=None): result = {'datasets_cant': None, 'distribuciones_cant': None, 'datasets_meta_ok_cant': None, 'datasets_meta_error_cant': None, 'datasets_meta_ok_pct': None, 'datasets_con_datos_cant': None, 'datasets_sin_datos_cant': None, 'datasets_con_datos_pct': None} t...
generate_status_indicators
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(catalog, validator=None):\n result = {'datasets_cant': None, 'distribuciones_cant': None,\n 'datasets_meta_ok_cant': None, 'datasets_meta_error_cant'...
def x(catalog, tolerance=0.2, only_numeric=False): result = {'datasets_desactualizados_cant': None, 'datasets_actualizados_cant': None, 'datasets_actualizados_pct': None, 'catalogo_ultima_actualizacion_dias': None} if not only_numeric: result.update({'datasets_frecuencia_cant': {}}) ...
generate_date_indicators
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(catalog, tolerance=0.2, only_numeric=False):\n result = {'datasets_desactualizados_cant': None,\n 'datasets_actualizados_cant': None, 'datasets_actua...
def x(catalog, date_field='modified'): date_modified = catalog.get(date_field, None) dias_ultima_actualizacion = None if isinstance(date_modified, string_types): date = helpers.parse_date_string(date_modified) dias_ultima_actualizacion = (datetime.now() - date ).days if date else...
days_from_last_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(catalog, date_field='modified'):\n date_modified = catalog.get(date_field, None)\n dias_ultima_actualizacion = None\n if isinstance(date_modified, str...
def x(catalog): catalog = readers.read_catalog(catalog) catalog_fields_path = os.path.join(CATALOG_FIELDS_PATH, 'fields.json') with open(catalog_fields_path) as f: catalog_fields = json.load(f) return _count_fields_recursive(catalog, catalog_fields)
count_required_and_optional_fields
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(catalog):\n catalog = readers.read_catalog(catalog)\n catalog_fields_path = os.path.join(CATALOG_FIELDS_PATH, 'fields.json')\n with open(catalog_field...
def x(dataset, fields): key_count = {'recomendado': 0, 'optativo': 0, 'requerido': 0, 'total_optativo': 0, 'total_recomendado': 0, 'total_requerido': 0} for k, v in fields.items(): if isinstance(v, dict): elements = dataset.get(k) if not isinstance(elements, (list, dict))...
count_fields_recursive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dataset, fields):\n key_count = {'recomendado': 0, 'optativo': 0, 'requerido': 0,\n 'total_optativo': 0, 'total_recomendado': 0, 'total_requerido': 0...
def x(key: str, index: Index, index_map: IndexMap=None) ->pd.Series: if len(index) > 0: random_state = np.random.RandomState(seed=get_hash(key)) sample_size = (index_map.map_size if index_map is not None else index.max() + 1) try: draw_index = index_map[index] ...
random
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key: str, index: Index, index_map: IndexMap=None) ->pd.Series:\n if len(index) > 0:\n random_state = np.random.RandomState(seed=get_hash(key))\n ...
def x(key: str) ->int: return int(hashlib.sha1(key.encode('utf8')).hexdigest(), 16) % 4294967295
get_hash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key: str) ->int:\n return int(hashlib.sha1(key.encode('utf8')).hexdigest(), 16) % 4294967295\n", "role": "user" }, { "content": "get_hash", ...
def x(key: str, index: Index, choices: Array, p: Array=None, index_map: IndexMap=None) ->pd.Series: p = _set_residual_probability(_normalize_shape(p, index) ) if p is not None else np.ones((len(index), len(choices))) p = p / p.sum(axis=1, keepdims=True) draw = random(key, index, index_map) p...
choice
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key: str, index: Index, choices: Array, p: Array=None, index_map:\n IndexMap=None) ->pd.Series:\n p = _set_residual_probability(_normalize_shape(p, index...
def x(p: np.ndarray) ->np.ndarray: residual_mask = p == RESIDUAL_CHOICE if residual_mask.any(): if np.any(np.sum(residual_mask, axis=1) - 1): raise RandomnessError( 'More than one residual choice supplied for a single set of weights. Weights: {}.' .format(p)) ...
set_residual_probability
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p: np.ndarray) ->np.ndarray:\n residual_mask = p == RESIDUAL_CHOICE\n if residual_mask.any():\n if np.any(np.sum(residual_mask, axis=1) - 1):\n ...
def x(key: str, population: Union[pd.DataFrame, pd.Series, Index], probability: Array, index_map: IndexMap=None) ->Union[pd.DataFrame, pd. Series, Index]: if population.empty: return population index = population if isinstance(population, pd.Index ) else population.index draw = rando...
filter_for_probability
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key: str, population: Union[pd.DataFrame, pd.Series, Index],\n probability: Array, index_map: IndexMap=None) ->Union[pd.DataFrame, pd.\n Series, Index]:\...
def x(self, new_keys: Index): if not self._map.index.intersection(new_keys).empty: raise KeyError('Non-unique keys in index.') mapping_update = self.hash_(new_keys) if self._map.empty: self._map = mapping_update.drop_duplicates() else: self._map = self._map.append(mapping_update)...
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, new_keys: Index):\n if not self._map.index.intersection(new_keys).empty:\n raise KeyError('Non-unique keys in index.')\n mapping_update = se...
def x(self, keys: Index, salt: int=0) ->pd.Series: key_frame = keys.to_frame() new_map = pd.Series(0, index=keys) salt = self.convert_to_ten_digit_int(pd.Series(salt, index=keys)) for i, column_name in enumerate(key_frame.columns): column = self.convert_to_ten_digit_int(key_frame[column_name]) ...
hash_
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keys: Index, salt: int=0) ->pd.Series:\n key_frame = keys.to_frame()\n new_map = pd.Series(0, index=keys)\n salt = self.convert_to_ten_digit_int...
def x(self, column: pd.Series) ->pd.Series: if isinstance(column.iloc[0], datetime.datetime): column = self.clip_to_seconds(column.astype(int)) elif np.issubdtype(column.iloc[0], np.integer): if not len(column >= 0) == len(column): raise RandomnessError( 'Values in in...
convert_to_ten_digit_int
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, column: pd.Series) ->pd.Series:\n if isinstance(column.iloc[0], datetime.datetime):\n column = self.clip_to_seconds(column.astype(int))\n el...
def x(m: Union[int, pd.Series], n: int) ->Union[int, pd.Series]: return m // 10 ** n % 10
digit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(m: Union[int, pd.Series], n: int) ->Union[int, pd.Series]:\n return m // 10 ** n % 10\n", "role": "user" }, { "content": "digit", "role": "a...
def x(m: Union[int, pd.Series]) ->Union[int, pd.Series]: return m // pd.Timedelta(1, unit='s').value
clip_to_seconds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(m: Union[int, pd.Series]) ->Union[int, pd.Series]:\n return m // pd.Timedelta(1, unit='s').value\n", "role": "user" }, { "content": "clip_to_sec...
def x(self, m: Union[int, pd.Series]) ->Union[int, pd.Series]: return m * 111111 % self.TEN_DIGIT_MODULUS
spread
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, m: Union[int, pd.Series]) ->Union[int, pd.Series]:\n return m * 111111 % self.TEN_DIGIT_MODULUS\n", "role": "user" }, { "content": "spread...
def x(self, m: Union[float, pd.Series]) ->Union[int, pd.Series]: out = m % 1 * self.TEN_DIGIT_MODULUS // 1 if isinstance(out, pd.Series): return out.astype(int) return int(out)
shift
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, m: Union[float, pd.Series]) ->Union[int, pd.Series]:\n out = m % 1 * self.TEN_DIGIT_MODULUS // 1\n if isinstance(out, pd.Series):\n return o...
def x(self, key: Any) ->'RandomnessStream': if self._for_initialization: raise RandomnessError('Initialization streams cannot be copied.') elif self._manager: return self._manager.get_randomness_stream('_'.join([self.key, key])) else: return RandomnessStream(self.key, self.clock, sel...
copy_with_additional_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key: Any) ->'RandomnessStream':\n if self._for_initialization:\n raise RandomnessError('Initialization streams cannot be copied.')\n elif se...
def x(self, additional_key: Any=None) ->str: return '_'.join([self.key, str(self.clock()), str(additional_key), str( self.seed)])
key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, additional_key: Any=None) ->str:\n return '_'.join([self.key, str(self.clock()), str(additional_key), str(\n self.seed)])\n", "role": "user...
def x(self, index: Index, additional_key: Any=None) ->pd.Series: if self._for_initialization: draw = random(self._key(additional_key), pd.Index(range(len(index)) ), self.index_map) draw.index = index else: draw = random(self._key(additional_key), index, self.index_map) re...
get_draw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index: Index, additional_key: Any=None) ->pd.Series:\n if self._for_initialization:\n draw = random(self._key(additional_key), pd.Index(range(l...
def x(self, population: Union[pd.DataFrame, pd.Series, Index], rate: Array, additional_key: Any=None) ->Index: return self.filter_for_probability(population, rate_to_probability(rate ), additional_key)
filter_for_rate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, population: Union[pd.DataFrame, pd.Series, Index], rate: Array,\n additional_key: Any=None) ->Index:\n return self.filter_for_probability(populatio...
def x(self, population: Union[pd.DataFrame, pd.Series, Index], probability: Array, additional_key: Any=None) ->Index: return filter_for_probability(self._key(additional_key), population, probability, self.index_map)
filter_for_probability
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, population: Union[pd.DataFrame, pd.Series, Index], probability:\n Array, additional_key: Any=None) ->Index:\n return filter_for_probability(self._k...
def x(self, index: Index, choices: Array, p: Array=None, additional_key: Any=None) ->pd.Series: return choice(self._key(additional_key), index, choices, p, self.index_map)
choice
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index: Index, choices: Array, p: Array=None, additional_key:\n Any=None) ->pd.Series:\n return choice(self._key(additional_key), index, choices, p,...
def x(self, decision_point: str, for_initialization: bool=False ) ->RandomnessStream: if decision_point in self._decision_points: raise RandomnessError( f'Two separate places are attempting to create the same randomness stream for {decision_point}' ) stream = RandomnessStream...
get_randomness_stream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, decision_point: str, for_initialization: bool=False\n ) ->RandomnessStream:\n if decision_point in self._decision_points:\n raise Randomness...
def x(self, simulants: pd.DataFrame): if not all(k in simulants.columns for k in self._key_columns): raise RandomnessError( 'The simulants dataframe does not have all specified key_columns.') self._key_mapping.update(simulants.set_index(self._key_columns).index)
register_simulants
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, simulants: pd.DataFrame):\n if not all(k in simulants.columns for k in self._key_columns):\n raise RandomnessError(\n 'The simulants...
def x(self, decision_point: str, for_initialization: bool=False ) ->RandomnessStream: return self._randomness_manager.get_randomness_stream(decision_point, for_initialization)
get_stream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, decision_point: str, for_initialization: bool=False\n ) ->RandomnessStream:\n return self._randomness_manager.get_randomness_stream(decision_point,...
def x(self): group_ids = set() for group in Group.objects.all(): if group.properties.student_visible: group_ids.add(group.id) return Group.objects.filter(id__in=group_ids)
student_visible
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n group_ids = set()\n for group in Group.objects.all():\n if group.properties.student_visible:\n group_ids.add(group.id)\n re...
def x(self, value): if value in self.empty_values: return '' value = force_text(value).strip() return value
to_python
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if value in self.empty_values:\n return ''\n value = force_text(value).strip()\n return value\n", "role": "user" }, { ...
def x(value): if value is None or isinstance(value, (int, long)): return value if NUMBER_TIME.match(value): return long(value) simple = SIMPLE_TIME.match(value) if SIMPLE_TIME.match(value): multiplier = long(simple.groups()[0]) constant = SIMPLE_TIMES[simple.groups()[1]] ...
resolve_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if value is None or isinstance(value, (int, long)):\n return value\n if NUMBER_TIME.match(value):\n return long(value)\n simpl...
def x(self, t0=None, t1=None): if t0 != None and t1 != None: tb0 = self.to_bucket(t0) tb1 = self.to_bucket(t1, steps=1) if tb0 == tb1: return self._step return self.from_bucket(tb1) - self.from_bucket(tb0) return self._step
step_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, t0=None, t1=None):\n if t0 != None and t1 != None:\n tb0 = self.to_bucket(t0)\n tb1 = self.to_bucket(t1, steps=1)\n if tb0 == tb1...
def x(self, start, end): start_bucket = self.to_bucket(start) end_bucket = self.to_bucket(end) return range(start_bucket, end_bucket + 1)
buckets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start, end):\n start_bucket = self.to_bucket(start)\n end_bucket = self.to_bucket(end)\n return range(start_bucket, end_bucket + 1)\n", "rol...
def x(self, steps, relative_time=None): if steps: if relative_time: rtime = self.to_bucket(relative_time) ntime = self.to_bucket(time.time()) if ntime - rtime > steps: return 0 else: return (steps + rtime - ntime) * self._step ...
ttl
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, steps, relative_time=None):\n if steps:\n if relative_time:\n rtime = self.to_bucket(relative_time)\n ntime = self.to_buc...
def x(self, t0, t1=None): tb0 = self.to_bucket(t0) if t1: tb1 = self.to_bucket(t1, steps=1) else: tb1 = self.to_bucket(t0, steps=1) days = (self.from_bucket(tb1, native=True) - self.from_bucket(tb0, native=True)).days return days * SIMPLE_TIMES['d']
step_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, t0, t1=None):\n tb0 = self.to_bucket(t0)\n if t1:\n tb1 = self.to_bucket(t1, steps=1)\n else:\n tb1 = self.to_bucket(t0, steps=1)\...
def x(self, timestamp, steps=0): dt = datetime.utcfromtimestamp(timestamp) if steps != 0: if self._step == 'daily': dt = dt + timedelta(days=steps) elif self._step == 'weekly': dt = dt + timedelta(weeks=steps) elif self._step == 'monthly': dt = dt + Mo...
to_bucket
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timestamp, steps=0):\n dt = datetime.utcfromtimestamp(timestamp)\n if steps != 0:\n if self._step == 'daily':\n dt = dt + timedel...
def x(self, bucket, native=False): bucket = str(bucket) if self._step == 'weekly': year, week = bucket[:4], bucket[4:] normal = datetime(year=int(year), month=1, day=1) + timedelta(weeks =int(week)) else: normal = datetime.strptime(bucket, self.FORMATS[self._step]) if...
from_bucket
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bucket, native=False):\n bucket = str(bucket)\n if self._step == 'weekly':\n year, week = bucket[:4], bucket[4:]\n normal = datetime(...
def x(self, start, end): rval = [self.to_bucket(start)] step = 1 while True: bucket = self.to_bucket(start, step) bucket_time = self.from_bucket(bucket) if bucket_time >= end: if bucket_time == end: rval.append(bucket) break rval.append...
buckets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start, end):\n rval = [self.to_bucket(start)]\n step = 1\n while True:\n bucket = self.to_bucket(start, step)\n bucket_time = self...
def x(self, timestamp, steps=0): return self.from_bucket(self.to_bucket(timestamp, steps))
normalize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timestamp, steps=0):\n return self.from_bucket(self.to_bucket(timestamp, steps))\n", "role": "user" }, { "content": "normalize", "role...
def x(self, steps, relative_time=None): if steps: if relative_time: rtime = self.to_bucket(relative_time) ntime = self.to_bucket(time.time()) day_diff = (self.from_bucket(ntime, native=True) - self. from_bucket(rtime, native=True)).days step_di...
ttl
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, steps, relative_time=None):\n if steps:\n if relative_time:\n rtime = self.to_bucket(relative_time)\n ntime = self.to_buc...
def x(self, inserts, intervals=0, **kwargs): if None in inserts: inserts[time.time()] = inserts.pop(None) if self._write_func: for timestamp, names in inserts.iteritems(): for name, values in names.iteritems(): names[name] = [self._write_func(v) for v in values] s...
bulk_insert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inserts, intervals=0, **kwargs):\n if None in inserts:\n inserts[time.time()] = inserts.pop(None)\n if self._write_func:\n for timest...
def x(self, name, value, timestamp=None, intervals=0, **kwargs): if not timestamp: timestamp = time.time() if isinstance(value, (list, tuple, set)): if self._write_func: value = [self._write_func(v) for v in value] return self._batch_insert({timestamp: {name: value}}, interva...
insert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, value, timestamp=None, intervals=0, **kwargs):\n if not timestamp:\n timestamp = time.time()\n if isinstance(value, (list, tuple, set)...
def x(self, inserts, intervals, **kwargs): for timestamp, names in inserts.iteritems(): for name, values in names.iteritems(): for value in values: self._insert(name, value, timestamp, intervals, **kwargs)
batch_insert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inserts, intervals, **kwargs):\n for timestamp, names in inserts.iteritems():\n for name, values in names.iteritems():\n for value i...
def x(self, timestamp, intervals, config): rval = [timestamp] if intervals < 0: while intervals < 0: rval.append(config['i_calc'].normalize(timestamp, intervals)) intervals += 1 elif intervals > 0: while intervals > 0: rval.append(config['i_calc'].normaliz...
normalize_timestamps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timestamp, intervals, config):\n rval = [timestamp]\n if intervals < 0:\n while intervals < 0:\n rval.append(config['i_calc'].nor...
def x(self, name, interval, **kwargs): config = self._intervals.get(interval) if not config: raise UnknownInterval(interval) properties = self.properties(name)[interval] i_buckets = config['i_calc'].buckets(properties['first'], properties[ 'last']) for i_bucket in i_buckets: ...
iterate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, interval, **kwargs):\n config = self._intervals.get(interval)\n if not config:\n raise UnknownInterval(interval)\n properties = sel...
def x(self, name, interval, **kwargs): config = self._intervals.get(interval) if not config: raise UnknownInterval(interval) timestamp = kwargs.get('timestamp', time.time()) fetch = kwargs.get('fetch') process_row = kwargs.get('process_row') or self._process_row condense = kwargs.get('co...
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, interval, **kwargs):\n config = self._intervals.get(interval)\n if not config:\n raise UnknownInterval(interval)\n timestamp = kwar...
def x(self, name, interval, **kwargs): config = self._intervals.get(interval) if not config: raise UnknownInterval(interval) start = kwargs.get('start') end = kwargs.get('end') steps = kwargs.get('steps') or config.get('steps', 1) fetch = kwargs.get('fetch') process_row = kwargs.get(...
series
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, interval, **kwargs):\n config = self._intervals.get(interval)\n if not config:\n raise UnknownInterval(interval)\n start = kwargs.g...
def x(self, results, coarse, join): rval = OrderedDict() i_keys = set() for res in results: i_keys.update(res.keys()) for i_key in sorted(i_keys): if coarse: rval[i_key] = join([res.get(i_key) for res in results]) else: rval[i_key] = OrderedDict() ...
join_results
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, results, coarse, join):\n rval = OrderedDict()\n i_keys = set()\n for res in results:\n i_keys.update(res.keys())\n for i_key in sorte...
def x(self, data, transform, step_size): if isinstance(transform, (list, tuple, set)): return {t: self._transform(data, t, step_size) for t in transform} elif isinstance(transform, dict): return {tn: self._transform(data, tf, step_size) for tn, tf in transform.items()} return sel...
process_transform
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, transform, step_size):\n if isinstance(transform, (list, tuple, set)):\n return {t: self._transform(data, t, step_size) for t in transfor...
def x(self, data, transform, step_size): if transform == 'mean': total = sum(k * v for k, v in data.items()) count = sum(data.values()) data = float(total) / float(count) if count > 0 else 0 elif transform == 'count': data = sum(data.values()) elif transform == 'min': ...
transform
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, transform, step_size):\n if transform == 'mean':\n total = sum(k * v for k, v in data.items())\n count = sum(data.values())\n ...
def x(self, data): rval = {} for resolution, histogram in data.items(): for value, count in histogram.items(): rval[value] = count + rval.get(value, 0) return rval
condense
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n rval = {}\n for resolution, histogram in data.items():\n for value, count in histogram.items():\n rval[value] = count + ...
def x(self, rows): rval = {} for row in rows: if row: for value, count in row.items(): rval[value] = count + rval.get(value, 0) return rval
join
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rows):\n rval = {}\n for row in rows:\n if row:\n for value, count in row.items():\n rval[value] = count + rval.ge...
def x(self, rows): rval = 0 for row in rows: if row: rval += row return rval
join
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rows):\n rval = 0\n for row in rows:\n if row:\n rval += row\n return rval\n", "role": "user" }, { "content": "joi...
def x(self, data, transform, step_size): if callable(transform): data = transform(data, step_size) return data
transform
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, transform, step_size):\n if callable(transform):\n data = transform(data, step_size)\n return data\n", "role": "user" }, { ...
def x(self, data): if data: data = filter(None, data.values()) if data: return data[-1] return None
condense
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n if data:\n data = filter(None, data.values())\n if data:\n return data[-1]\n return None\n", "role": "user" ...
def x(self, data, transform, step_size): if transform == 'mean': total = sum(data) count = len(data) data = float(total) / float(count) if count > 0 else 0 elif transform == 'count': data = len(data) elif transform == 'min': data = min(data or [0]) elif transform ...
transform
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, transform, step_size):\n if transform == 'mean':\n total = sum(data)\n count = len(data)\n data = float(total) / float(coun...
def x(self, data): if data: return reduce(operator.ior, data.values()) return set()
condense
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n if data:\n return reduce(operator.ior, data.values())\n return set()\n", "role": "user" }, { "content": "condense", ...
def x(x): from math import sqrt n = len(x) mean = sum(x) / float(n) std = sqrt(sum((a - mean) ** 2 for a in x) / float(n - 1)) return std
stdev
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x):\n from math import sqrt\n n = len(x)\n mean = sum(x) / float(n)\n std = sqrt(sum((a - mean) ** 2 for a in x) / float(n - 1))\n return std\n"...
def x(self, **options): students_grp, _ = Group.objects.get_or_create(name='Students') sg_prop = students_grp.properties sg_prop.student_visible = True sg_prop.save() students_grp.save() for gr in [(settings.SENIOR_GRADUATION_YEAR + y) for y in range(0, 4)]: users = User.objects.users_in...
handle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **options):\n students_grp, _ = Group.objects.get_or_create(name='Students')\n sg_prop = students_grp.properties\n sg_prop.student_visible = Tru...
def x(self, *args, **options): do_run = options['run'] if do_run: if not options['confirm']: self.ask( """===== WARNING! ===== This script will DESTROY data! Ensure that you have a properly backed-up copy of your database before proceeding. ===== WARNING! ===== Continue?""...
handle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **options):\n do_run = options['run']\n if do_run:\n if not options['confirm']:\n self.ask(\n \"\"\"===== W...
def x(self, userid, password, request=None): user = auth.authenticate(username=userid, password=password) if user is None or user and not user.is_active: raise exceptions.AuthenticationFailed('Invalid username/password.') return user, None
authenticate_credentials
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, userid, password, request=None):\n user = auth.authenticate(username=userid, password=password)\n if user is None or user and not user.is_active:\n...
def x(request): remote_addr = request.META['HTTP_X_FORWARDED_FOR' ] if 'HTTP_X_FORWARDED_FOR' in request.META else request.META.get( 'REMOTE_ADDR', '') return remote_addr in settings.INTERNAL_IPS
check_internal_ip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n remote_addr = request.META['HTTP_X_FORWARDED_FOR'\n ] if 'HTTP_X_FORWARDED_FOR' in request.META else request.META.get(\n 'REMOTE_A...
def x(q): question_votes = votes = Answer.objects.filter(question=q) users = q.get_users_voted() num_users_votes = {u.id: votes.filter(user=u).count() for u in users} user_scale = {u.id: (1 / num_users_votes[u.id]) for u in users} choices = [] for c in q.choice_set.all().order_by('num'): ...
handle_sap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(q):\n question_votes = votes = Answer.objects.filter(question=q)\n users = q.get_users_voted()\n num_users_votes = {u.id: votes.filter(user=u).count()...
def x(request): is_events_admin = request.user.has_admin_permission('events') if request.method == 'POST': if 'approve' in request.POST and is_events_admin: event_id = request.POST.get('approve') event = get_object_or_404(Event, id=event_id) event.rejected = False ...
events_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n is_events_admin = request.user.has_admin_permission('events')\n if request.method == 'POST':\n if 'approve' in request.POST and is_eve...
def x(request, id): event = get_object_or_404(Event, id=id) if request.method == 'POST': if not event.show_attending: return redirect('events') if 'attending' in request.POST: attending = request.POST.get('attending') attending = attending == 'true' ...
join_event_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, id):\n event = get_object_or_404(Event, id=id)\n if request.method == 'POST':\n if not event.show_attending:\n return redirect...
def x(request, id): event = get_object_or_404(Event, id=id) full_roster = list(event.attending.all()) viewable_roster = [] num_hidden_members = 0 for p in full_roster: if p.can_view_eighth: viewable_roster.append(p) else: num_hidden_members += 1 context = ...
event_roster_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, id):\n event = get_object_or_404(Event, id=id)\n full_roster = list(event.attending.all())\n viewable_roster = []\n num_hidden_members = 0...
def x(request): is_events_admin = request.user.has_admin_permission('events') if not is_events_admin: return redirect('request_event') if request.method == 'POST': form = EventForm(data=request.POST, all_groups=request.user. has_admin_permission('groups')) logger.debug(fo...
add_event_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n is_events_admin = request.user.has_admin_permission('events')\n if not is_events_admin:\n return redirect('request_event')\n if req...
def x(request, id=None): event = get_object_or_404(Event, id=id) is_events_admin = request.user.has_admin_permission('events') if not is_events_admin: raise exceptions.PermissionDenied if request.method == 'POST': if is_events_admin: form = AdminEventForm(data=request.POST, i...
modify_event_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, id=None):\n event = get_object_or_404(Event, id=id)\n is_events_admin = request.user.has_admin_permission('events')\n if not is_events_admin:...
def x(request, id): event = get_object_or_404(Event, id=id) if not request.user.has_admin_permission('events'): raise exceptions.PermissionDenied if request.method == 'POST': try: event.delete() messages.success(request, 'Successfully deleted event.') except E...
delete_event_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, id):\n event = get_object_or_404(Event, id=id)\n if not request.user.has_admin_permission('events'):\n raise exceptions.PermissionDenied\...
def x(request): if request.method == 'POST': event_id = request.POST.get('event_id') if event_id: event = Event.objects.get(id=event_id) event.user_map.users_hidden.remove(request.user) event.user_map.save() return http.HttpResponse('Unhidden') ...
show_event_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n if request.method == 'POST':\n event_id = request.POST.get('event_id')\n if event_id:\n event = Event.objects.get(id=ev...
def x(request): logger.debug(request.POST) if request.method == 'POST': if 'user_token' in request.POST and 'gcm_token' in request.POST: user_token = request.POST.get('user_token') gcm_token = request.POST.get('gcm_token') logger.debug(user_token) logger.d...
android_setup_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n logger.debug(request.POST)\n if request.method == 'POST':\n if 'user_token' in request.POST and 'gcm_token' in request.POST:\n ...
def x(request): data = {} if request.user.is_authenticated: notifs = GCMNotification.objects.filter(sent_to__user=request.user ).order_by('-time') if notifs.count() > 0: notif = notifs.first() ndata = notif.data if 'title' in ndata and 'text' in nd...
chrome_getdata_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n data = {}\n if request.user.is_authenticated:\n notifs = GCMNotification.objects.filter(sent_to__user=request.user\n ).orde...
def x(request): logger.debug(request.POST) token = None if request.method == 'POST': if 'token' in request.POST: token = request.POST.get('token') if not token: return HttpResponse('{"error":"Invalid data."}', content_type= 'text/json') ncfg, _ = NotificationC...
chrome_setup_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n logger.debug(request.POST)\n token = None\n if request.method == 'POST':\n if 'token' in request.POST:\n token = request...