source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self): if not hasattr(self, '_has_data'): try: next(iter(self.delegate.keys())) self._has_data = True except StopIteration: self._has_data = False return self._has_data
has_data
[ { "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 hasattr(self, '_has_data'):\n try:\n next(iter(self.delegate.keys()))\n self._has_data = True\n except StopIteration:\n self._has_data = False\n return self._has_data\n", "role": "user" }, { "content": "has_data", "role": "assistant" } ]
def x(self, name): fname = self.pattern.format(**{'name': name}) logger.debug(f'path {self.create_path}: {self.create_path.exists()}') self._create_path_dir() return Path(self.create_path, fname)
get_instance_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n fname = self.pattern.format(**{'name': name})\n logger.debug(f'path {self.create_path}: {self.create_path.exists()}')\n self._create_path_dir()\n return Path(self.create_path, fname)\n", "role": "user" }, { "content": "get_instance_path", "role": "assistant" } ]
def x(self): logger.info('creating shelve data') fname = str(self.create_path.absolute()) inst = sh.open(fname, writeback=self.writeback) self.is_open = True return inst
shelve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.info('creating shelve data')\n fname = str(self.create_path.absolute())\n inst = sh.open(fname, writeback=self.writeback)\n self.is_open = True\n return inst\n", "role": "user" }, { "content": "shelve", "role": "assistant" } ]
def x(self, name=None): logger.info('clearing shelve data') self.close() for path in (Path(self.create_path.parent, self.create_path.name), Path (self.create_path.parent, self.create_path.name + '.db')): logger.debug(f'clearing {path} if exists: {path.exists()}') if path.exists(): path.unlink() break
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name=None):\n logger.info('clearing shelve data')\n self.close()\n for path in (Path(self.create_path.parent, self.create_path.name), Path\n (self.create_path.parent, self.create_path.name + '.db')):\n logger.debug(f'clearing {path} if exists: {path.exists()}')\n if path.exists():\n path.unlink()\n break\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(self): if self.is_open: logger.info('closing shelve data') try: self.shelve.close() self._shelve.clear() except Exception: self.is_open = False
close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.is_open:\n logger.info('closing shelve data')\n try:\n self.shelve.close()\n self._shelve.clear()\n except Exception:\n self.is_open = False\n", "role": "user" }, { "content": "close", "role": "assistant" } ]
def x(self, data_item): delegate = self.delegate logger.debug(f'mapping: {data_item}') if self.clobber or not self.exists(data_item.id): logger.debug(f'exist: {data_item.id}: {self.exists(data_item.id)}') delegate.dump(data_item.id, data_item)
map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data_item):\n delegate = self.delegate\n logger.debug(f'mapping: {data_item}')\n if self.clobber or not self.exists(data_item.id):\n logger.debug(f'exist: {data_item.id}: {self.exists(data_item.id)}')\n delegate.dump(data_item.id, data_item)\n", "role": "user" }, { "content": "map", "role": "assistant" } ]
def x(self, workers=None, limit=None, n_expected=None): if not self.has_data: self._preempt(True) n_expected = 0 keys = tuple(self.delegate.keys()) if n_expected is not None and len(keys) < n_expected: self._preempt(True) keys = self.delegate.keys() keys = it.islice(limit, keys) if limit is not None else keys pool = self._create_thread_pool(workers) logger.debug(f'workers={workers}, keys: {keys}') try: return iter(pool.map(self.delegate.load, keys)) finally: pool.close()
load_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, workers=None, limit=None, n_expected=None):\n if not self.has_data:\n self._preempt(True)\n n_expected = 0\n keys = tuple(self.delegate.keys())\n if n_expected is not None and len(keys) < n_expected:\n self._preempt(True)\n keys = self.delegate.keys()\n keys = it.islice(limit, keys) if limit is not None else keys\n pool = self._create_thread_pool(workers)\n logger.debug(f'workers={workers}, keys: {keys}')\n try:\n return iter(pool.map(self.delegate.load, keys))\n finally:\n pool.close()\n", "role": "user" }, { "content": "load_all", "role": "assistant" } ]
def x(self, model_name, pkg_name): c = get_function(pkg_name) for name in ('load_from_db', 'save_to_db'): if not hasattr(c, name): raise PyMacaronCoreException( "Class %s has no static method '%s'" % (pkg_name, name)) log.info('Making %s persistent via %s' % (model_name, pkg_name)) model = getattr(self.model, model_name) n = self._wrap_bravado_model_generator(model, c.save_to_db, pkg_name) setattr(self.model, model_name, n) model = getattr(self.model, model_name) setattr(model, 'load_from_db', c.load_from_db)
make_persistent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model_name, pkg_name):\n c = get_function(pkg_name)\n for name in ('load_from_db', 'save_to_db'):\n if not hasattr(c, name):\n raise PyMacaronCoreException(\n \"Class %s has no static method '%s'\" % (pkg_name, name))\n log.info('Making %s persistent via %s' % (model_name, pkg_name))\n model = getattr(self.model, model_name)\n n = self._wrap_bravado_model_generator(model, c.save_to_db, pkg_name)\n setattr(self.model, model_name, n)\n model = getattr(self.model, model_name)\n setattr(model, 'load_from_db', c.load_from_db)\n", "role": "user" }, { "content": "make_persistent", "role": "assistant" } ]
def x(self, app, decorator=None): if decorator: assert type(decorator).__name__ == 'function' self.is_server = True self.app = app if self.local: self._generate_client_callers(app) return spawn_server_api(self.name, app, self.api_spec, self. error_callback, decorator)
spawn_api
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app, decorator=None):\n if decorator:\n assert type(decorator).__name__ == 'function'\n self.is_server = True\n self.app = app\n if self.local:\n self._generate_client_callers(app)\n return spawn_server_api(self.name, app, self.api_spec, self.\n error_callback, decorator)\n", "role": "user" }, { "content": "spawn_api", "role": "assistant" } ]
def x(self, model_name, j, validate=False): if validate: self.api_spec.validate(model_name, j) return self.api_spec.json_to_model(model_name, j)
json_to_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model_name, j, validate=False):\n if validate:\n self.api_spec.validate(model_name, j)\n return self.api_spec.json_to_model(model_name, j)\n", "role": "user" }, { "content": "json_to_model", "role": "assistant" } ]
def x(iterable, patterns=None, minimum_items=2, case_sensitive=True, assume_padded_when_ambiguous=False): collection_map = defaultdict(set) collections = [] remainder = [] flags = 0 if not case_sensitive: flags |= re.IGNORECASE compiled_patterns = [] if patterns is not None: if not patterns: return collections, list(iterable) for pattern in patterns: if isinstance(pattern, basestring): compiled_patterns.append(re.compile(pattern, flags=flags)) else: compiled_patterns.append(pattern) else: compiled_patterns.append(re.compile(DIGITS_PATTERN, flags=flags)) for item in iterable: matched = False for pattern in compiled_patterns: for match in pattern.finditer(item): index = match.group('index') head = item[:match.start('index')] tail = item[match.end('index'):] if not case_sensitive: head = head.lower() tail = tail.lower() padding = match.group('padding') if padding: padding = len(index) else: padding = 0 key = head, tail, padding collection_map[key].add(int(index)) matched = True if not matched: remainder.append(item) merge_candidates = [] for (head, tail, padding), indexes in collection_map.items(): collection = Collection(head, tail, padding, indexes) collections.append(collection) if collection.padding == 0: merge_candidates.append(collection) fully_merged = [] for collection in collections: if collection.padding == 0: continue for candidate in merge_candidates: if (candidate.head == collection.head and candidate.tail == collection.tail): merged_index_count = 0 for index in candidate.indexes: if len(str(abs(index))) == collection.padding: collection.indexes.add(index) merged_index_count += 1 if merged_index_count == len(candidate.indexes): fully_merged.append(candidate) collections = [collection for collection in collections if collection not in fully_merged] filtered = [] remainder_candidates = [] for collection in collections: if len(collection.indexes) >= minimum_items: filtered.append(collection) else: for member in collection: remainder_candidates.append(member) for candidate in remainder_candidates: if candidate in remainder: continue has_membership = False for collection in filtered: if candidate in collection: has_membership = True break if not has_membership: remainder.append(candidate) if assume_padded_when_ambiguous: for collection in filtered: if not collection.padding and collection.indexes: indexes = list(collection.indexes) first_index_width = len(str(indexes[0])) last_index_width = len(str(indexes[-1])) if first_index_width == last_index_width: collection.padding = first_index_width return filtered, remainder
assemble
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(iterable, patterns=None, minimum_items=2, case_sensitive=True,\n assume_padded_when_ambiguous=False):\n collection_map = defaultdict(set)\n collections = []\n remainder = []\n flags = 0\n if not case_sensitive:\n flags |= re.IGNORECASE\n compiled_patterns = []\n if patterns is not None:\n if not patterns:\n return collections, list(iterable)\n for pattern in patterns:\n if isinstance(pattern, basestring):\n compiled_patterns.append(re.compile(pattern, flags=flags))\n else:\n compiled_patterns.append(pattern)\n else:\n compiled_patterns.append(re.compile(DIGITS_PATTERN, flags=flags))\n for item in iterable:\n matched = False\n for pattern in compiled_patterns:\n for match in pattern.finditer(item):\n index = match.group('index')\n head = item[:match.start('index')]\n tail = item[match.end('index'):]\n if not case_sensitive:\n head = head.lower()\n tail = tail.lower()\n padding = match.group('padding')\n if padding:\n padding = len(index)\n else:\n padding = 0\n key = head, tail, padding\n collection_map[key].add(int(index))\n matched = True\n if not matched:\n remainder.append(item)\n merge_candidates = []\n for (head, tail, padding), indexes in collection_map.items():\n collection = Collection(head, tail, padding, indexes)\n collections.append(collection)\n if collection.padding == 0:\n merge_candidates.append(collection)\n fully_merged = []\n for collection in collections:\n if collection.padding == 0:\n continue\n for candidate in merge_candidates:\n if (candidate.head == collection.head and candidate.tail ==\n collection.tail):\n merged_index_count = 0\n for index in candidate.indexes:\n if len(str(abs(index))) == collection.padding:\n collection.indexes.add(index)\n merged_index_count += 1\n if merged_index_count == len(candidate.indexes):\n fully_merged.append(candidate)\n collections = [collection for collection in collections if collection\n not in fully_merged]\n filtered = []\n remainder_candidates = []\n for collection in collections:\n if len(collection.indexes) >= minimum_items:\n filtered.append(collection)\n else:\n for member in collection:\n remainder_candidates.append(member)\n for candidate in remainder_candidates:\n if candidate in remainder:\n continue\n has_membership = False\n for collection in filtered:\n if candidate in collection:\n has_membership = True\n break\n if not has_membership:\n remainder.append(candidate)\n if assume_padded_when_ambiguous:\n for collection in filtered:\n if not collection.padding and collection.indexes:\n indexes = list(collection.indexes)\n first_index_width = len(str(indexes[0]))\n last_index_width = len(str(indexes[-1]))\n if first_index_width == last_index_width:\n collection.padding = first_index_width\n return filtered, remainder\n", "role": "user" }, { "content": "assemble", "role": "assistant" } ]
def x(value, pattern='{head}{padding}{tail} [{ranges}]'): expressions = {'head': '(?P<head>.*)', 'tail': '(?P<tail>.*)', 'padding': '%(?P<padding>\\d*)d', 'range': '(?P<range>\\d+-\\d+)?', 'ranges': '(?P<ranges>[\\d ,\\-]+)?', 'holes': '(?P<holes>[\\d ,\\-]+)' } pattern_regex = re.escape(pattern) for key, expression in expressions.items(): pattern_regex = pattern_regex.replace('\\{{{0}\\}}'.format(key), expression) pattern_regex = '^{0}$'.format(pattern_regex) match = re.search(pattern_regex, value) if match is None: raise ValueError('Value did not match pattern.') groups = match.groupdict() if 'padding' in groups and groups['padding']: groups['padding'] = int(groups['padding']) else: groups['padding'] = 0 collection = Collection(groups.get('head', ''), groups.get('tail', ''), groups['padding']) if groups.get('range', None) is not None: start, end = map(int, groups['range'].split('-')) collection.indexes.update(range(start, end + 1)) if groups.get('ranges', None) is not None: parts = [part.strip() for part in groups['ranges'].split(',')] for part in parts: index_range = list(map(int, part.split('-', 2))) if len(index_range) > 1: for index in range(index_range[0], index_range[1] + 1): collection.indexes.add(index) else: collection.indexes.add(index_range[0]) if 'holes' in groups: parts = [part.strip() for part in groups['holes'].split(',')] for part in parts: index_range = map(int, part.split('-', 2)) if len(index_range) > 1: for index in range(index_range[0], index_range[1] + 1): collection.indexes.remove(index) else: collection.indexes.remove(index_range[0]) return collection
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, pattern='{head}{padding}{tail} [{ranges}]'):\n expressions = {'head': '(?P<head>.*)', 'tail': '(?P<tail>.*)',\n 'padding': '%(?P<padding>\\\\d*)d', 'range': '(?P<range>\\\\d+-\\\\d+)?',\n 'ranges': '(?P<ranges>[\\\\d ,\\\\-]+)?', 'holes': '(?P<holes>[\\\\d ,\\\\-]+)'\n }\n pattern_regex = re.escape(pattern)\n for key, expression in expressions.items():\n pattern_regex = pattern_regex.replace('\\\\{{{0}\\\\}}'.format(key),\n expression)\n pattern_regex = '^{0}$'.format(pattern_regex)\n match = re.search(pattern_regex, value)\n if match is None:\n raise ValueError('Value did not match pattern.')\n groups = match.groupdict()\n if 'padding' in groups and groups['padding']:\n groups['padding'] = int(groups['padding'])\n else:\n groups['padding'] = 0\n collection = Collection(groups.get('head', ''), groups.get('tail', ''),\n groups['padding'])\n if groups.get('range', None) is not None:\n start, end = map(int, groups['range'].split('-'))\n collection.indexes.update(range(start, end + 1))\n if groups.get('ranges', None) is not None:\n parts = [part.strip() for part in groups['ranges'].split(',')]\n for part in parts:\n index_range = list(map(int, part.split('-', 2)))\n if len(index_range) > 1:\n for index in range(index_range[0], index_range[1] + 1):\n collection.indexes.add(index)\n else:\n collection.indexes.add(index_range[0])\n if 'holes' in groups:\n parts = [part.strip() for part in groups['holes'].split(',')]\n for part in parts:\n index_range = map(int, part.split('-', 2))\n if len(index_range) > 1:\n for index in range(index_range[0], index_range[1] + 1):\n collection.indexes.remove(index)\n else:\n collection.indexes.remove(index_range[0])\n return collection\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(self, item): if not item in self: index = bisect.bisect_right(self._members, item) self._members.insert(index, item)
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item):\n if not item in self:\n index = bisect.bisect_right(self._members, item)\n self._members.insert(index, item)\n", "role": "user" }, { "content": "add", "role": "assistant" } ]
def x(self, item): index = self._index(item) if index >= 0: del self._members[index]
discard
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item):\n index = self._index(item)\n if index >= 0:\n del self._members[index]\n", "role": "user" }, { "content": "discard", "role": "assistant" } ]
def x(self, item): index = bisect.bisect_left(self._members, item) if index != len(self) and self._members[index] == item: return index return -1
index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item):\n index = bisect.bisect_left(self._members, item)\n if index != len(self) and self._members[index] == item:\n return index\n return -1\n", "role": "user" }, { "content": "index", "role": "assistant" } ]
def x(self): self._expression = re.compile('^{0}(?P<index>(?P<padding>0*)\\d+?){1}$' .format(re.escape(self.head), re.escape(self.tail)))
update_expression
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._expression = re.compile('^{0}(?P<index>(?P<padding>0*)\\\\d+?){1}$'\n .format(re.escape(self.head), re.escape(self.tail)))\n", "role": "user" }, { "content": "update_expression", "role": "assistant" } ]
def x(self, item): match = self._expression.match(item) if not match: return None index = match.group('index') padded = False if match.group('padding'): padded = True if self.padding == 0: if padded: return None elif len(index) != self.padding: return None return match
match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item):\n match = self._expression.match(item)\n if not match:\n return None\n index = match.group('index')\n padded = False\n if match.group('padding'):\n padded = True\n if self.padding == 0:\n if padded:\n return None\n elif len(index) != self.padding:\n return None\n return match\n", "role": "user" }, { "content": "match", "role": "assistant" } ]
def x(self, item): match = self.match(item) if match is None: raise clique.error.CollectionError( 'Item does not match collection expression.') self.indexes.add(int(match.group('index')))
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item):\n match = self.match(item)\n if match is None:\n raise clique.error.CollectionError(\n 'Item does not match collection expression.')\n self.indexes.add(int(match.group('index')))\n", "role": "user" }, { "content": "add", "role": "assistant" } ]
def x(self, item): match = self.match(item) if match is None: raise clique.error.CollectionError('Item not present in collection.') index = int(match.group('index')) try: self.indexes.remove(index) except KeyError: raise clique.error.CollectionError('Item not present in collection.')
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item):\n match = self.match(item)\n if match is None:\n raise clique.error.CollectionError('Item not present in collection.')\n index = int(match.group('index'))\n try:\n self.indexes.remove(index)\n except KeyError:\n raise clique.error.CollectionError('Item not present in collection.')\n", "role": "user" }, { "content": "remove", "role": "assistant" } ]
def x(self, pattern='{head}{padding}{tail} [{ranges}]'): data = {} data['head'] = self.head data['tail'] = self.tail if self.padding: data['padding'] = '%0{0}d'.format(self.padding) else: data['padding'] = '%d' if '{holes}' in pattern: data['holes'] = self.holes().format('{ranges}') if '{range}' in pattern or '{ranges}' in pattern: indexes = list(self.indexes) indexes_count = len(indexes) if indexes_count == 0: data['range'] = '' elif indexes_count == 1: data['range'] = '{0}'.format(indexes[0]) else: data['range'] = '{0}-{1}'.format(indexes[0], indexes[-1]) if '{ranges}' in pattern: separated = self.separate() if len(separated) > 1: ranges = [collection.format('{range}') for collection in separated] else: ranges = [data['range']] data['ranges'] = ', '.join(ranges) return pattern.format(**data)
format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pattern='{head}{padding}{tail} [{ranges}]'):\n data = {}\n data['head'] = self.head\n data['tail'] = self.tail\n if self.padding:\n data['padding'] = '%0{0}d'.format(self.padding)\n else:\n data['padding'] = '%d'\n if '{holes}' in pattern:\n data['holes'] = self.holes().format('{ranges}')\n if '{range}' in pattern or '{ranges}' in pattern:\n indexes = list(self.indexes)\n indexes_count = len(indexes)\n if indexes_count == 0:\n data['range'] = ''\n elif indexes_count == 1:\n data['range'] = '{0}'.format(indexes[0])\n else:\n data['range'] = '{0}-{1}'.format(indexes[0], indexes[-1])\n if '{ranges}' in pattern:\n separated = self.separate()\n if len(separated) > 1:\n ranges = [collection.format('{range}') for collection in separated]\n else:\n ranges = [data['range']]\n data['ranges'] = ', '.join(ranges)\n return pattern.format(**data)\n", "role": "user" }, { "content": "format", "role": "assistant" } ]
def x(self): previous = None for index in self.indexes: if previous is None: previous = index continue if index != previous + 1: return False previous = index return True
is_contiguous
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n previous = None\n for index in self.indexes:\n if previous is None:\n previous = index\n continue\n if index != previous + 1:\n return False\n previous = index\n return True\n", "role": "user" }, { "content": "is_contiguous", "role": "assistant" } ]
def x(self): missing = set([]) previous = None for index in self.indexes: if previous is None: previous = index continue if index != previous + 1: missing.update(range(previous + 1, index)) previous = index return Collection(self.head, self.tail, self.padding, indexes=missing)
holes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n missing = set([])\n previous = None\n for index in self.indexes:\n if previous is None:\n previous = index\n continue\n if index != previous + 1:\n missing.update(range(previous + 1, index))\n previous = index\n return Collection(self.head, self.tail, self.padding, indexes=missing)\n", "role": "user" }, { "content": "holes", "role": "assistant" } ]
def x(self, collection): return all([isinstance(collection, Collection), collection.head == self .head, collection.tail == self.tail, collection.padding == self. padding])
is_compatible
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, collection):\n return all([isinstance(collection, Collection), collection.head == self\n .head, collection.tail == self.tail, collection.padding == self.\n padding])\n", "role": "user" }, { "content": "is_compatible", "role": "assistant" } ]
def x(self, collection): if not self.is_compatible(collection): raise clique.error.CollectionError( 'Collection is not compatible with this collection.') self.indexes.update(collection.indexes)
merge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, collection):\n if not self.is_compatible(collection):\n raise clique.error.CollectionError(\n 'Collection is not compatible with this collection.')\n self.indexes.update(collection.indexes)\n", "role": "user" }, { "content": "merge", "role": "assistant" } ]
def x(self): collections = [] start = None end = None for index in self.indexes: if start is None: start = index end = start continue if index != end + 1: collections.append(Collection(self.head, self.tail, self. padding, indexes=set(range(start, end + 1)))) start = index end = index if start is None: collections.append(Collection(self.head, self.tail, self.padding)) else: collections.append(Collection(self.head, self.tail, self.padding, indexes=range(start, end + 1))) return collections
separate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n collections = []\n start = None\n end = None\n for index in self.indexes:\n if start is None:\n start = index\n end = start\n continue\n if index != end + 1:\n collections.append(Collection(self.head, self.tail, self.\n padding, indexes=set(range(start, end + 1))))\n start = index\n end = index\n if start is None:\n collections.append(Collection(self.head, self.tail, self.padding))\n else:\n collections.append(Collection(self.head, self.tail, self.padding,\n indexes=range(start, end + 1)))\n return collections\n", "role": "user" }, { "content": "separate", "role": "assistant" } ]
def x(settings): valid_keys = ['logs_folder', 'log_file', 'log_console', 'log_name', 'log_filename', 'keep_osm_tags'] for key in list(settings.keys()): assert key in valid_keys, '{} not found in list of valid configuation keys'.format( key) assert isinstance(key, str), '{} must be a string'.format(key) if key == 'keep_osm_tags': assert isinstance(settings[key], list), '{} must be a list'.format( key) for value in settings[key]: assert all(isinstance(element, str) for element in value ), 'all elements must be a string' if key == 'log_file' or key == 'log_console': assert isinstance(settings[key], bool ), '{} must be boolean'.format(key)
format_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(settings):\n valid_keys = ['logs_folder', 'log_file', 'log_console', 'log_name',\n 'log_filename', 'keep_osm_tags']\n for key in list(settings.keys()):\n assert key in valid_keys, '{} not found in list of valid configuation keys'.format(\n key)\n assert isinstance(key, str), '{} must be a string'.format(key)\n if key == 'keep_osm_tags':\n assert isinstance(settings[key], list), '{} must be a list'.format(\n key)\n for value in settings[key]:\n assert all(isinstance(element, str) for element in value\n ), 'all elements must be a string'\n if key == 'log_file' or key == 'log_console':\n assert isinstance(settings[key], bool\n ), '{} must be boolean'.format(key)\n", "role": "user" }, { "content": "format_check", "role": "assistant" } ]
def x(self): return {'logs_folder': self.logs_folder, 'log_file': self.log_file, 'log_console': self.log_console, 'log_name': self.log_name, 'log_filename': self.log_filename, 'keep_osm_tags': self.keep_osm_tags}
to_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return {'logs_folder': self.logs_folder, 'log_file': self.log_file,\n 'log_console': self.log_console, 'log_name': self.log_name,\n 'log_filename': self.log_filename, 'keep_osm_tags': self.keep_osm_tags}\n", "role": "user" }, { "content": "to_dict", "role": "assistant" } ]
def x(lat1, lon1, lat2, lon2): radius = 6372795 lat1 = math.radians(lat1) lon1 = math.radians(lon1) lat2 = math.radians(lat2) lon2 = math.radians(lon2) dlat = lat2 - lat1 dlon = lon2 - lon1 a = math.pow(math.sin(dlat / 2), 2) b = math.cos(lat1) * math.cos(lat2) * math.pow(math.sin(dlon / 2), 2) d = 2 * radius * math.asin(math.sqrt(a + b)) return d
great_circle_dist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lat1, lon1, lat2, lon2):\n radius = 6372795\n lat1 = math.radians(lat1)\n lon1 = math.radians(lon1)\n lat2 = math.radians(lat2)\n lon2 = math.radians(lon2)\n dlat = lat2 - lat1\n dlon = lon2 - lon1\n a = math.pow(math.sin(dlat / 2), 2)\n b = math.cos(lat1) * math.cos(lat2) * math.pow(math.sin(dlon / 2), 2)\n d = 2 * radius * math.asin(math.sqrt(a + b))\n return d\n", "role": "user" }, { "content": "great_circle_dist", "role": "assistant" } ]
def x(network_type): filters = {} filters['drive'] = ( '["highway"!~"cycleway|footway|path|pedestrian|steps|track|proposed|construction|bridleway|abandoned|platform|raceway|service"]["motor_vehicle"!~"no"]["motorcar"!~"no"]["service"!~"parking|parking_aisle|driveway|emergency_access"]' ) filters['walk'] = ( '["highway"!~"motor|proposed|construction|abandoned|platform|raceway"]["foot"!~"no"]["pedestrians"!~"no"]' ) if network_type in filters: osm_filter = filters[network_type] else: raise ValueError('unknown network_type "{}"'.format(network_type)) return osm_filter
osm_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(network_type):\n filters = {}\n filters['drive'] = (\n '[\"highway\"!~\"cycleway|footway|path|pedestrian|steps|track|proposed|construction|bridleway|abandoned|platform|raceway|service\"][\"motor_vehicle\"!~\"no\"][\"motorcar\"!~\"no\"][\"service\"!~\"parking|parking_aisle|driveway|emergency_access\"]'\n )\n filters['walk'] = (\n '[\"highway\"!~\"motor|proposed|construction|abandoned|platform|raceway\"][\"foot\"!~\"no\"][\"pedestrians\"!~\"no\"]'\n )\n if network_type in filters:\n osm_filter = filters[network_type]\n else:\n raise ValueError('unknown network_type \"{}\"'.format(network_type))\n return osm_filter\n", "role": "user" }, { "content": "osm_filter", "role": "assistant" } ]
def x(lat_min=None, lng_min=None, lat_max=None, lng_max=None, network_type= 'walk', timeout=180, memory=None, max_query_area_size=50 * 1000 * 50 * 1000, custom_osm_filter=None): if custom_osm_filter is None: request_filter = osm_filter(network_type) else: request_filter = custom_osm_filter response_jsons_list = [] response_jsons = [] if memory is None: maxsize = '' else: maxsize = '[maxsize:{}]'.format(memory) polygon = Polygon([(lng_max, lat_min), (lng_min, lat_min), (lng_min, lat_max), (lng_max, lat_max)]) geometry_proj, crs_proj = project_geometry(polygon, crs={'init': 'epsg:4326'}) geometry_proj_consolidated_subdivided = consolidate_subdivide_geometry( geometry_proj, max_query_area_size=max_query_area_size) geometry, crs = project_geometry(geometry_proj_consolidated_subdivided, crs=crs_proj, to_latlong=True) log('Requesting network data within bounding box from Overpass API in {:,} request(s)' .format(len(geometry))) start_time = time.time() for poly in geometry: lng_max, lat_min, lng_min, lat_max = poly.bounds query_template = ( '[out:json][timeout:{timeout}]{maxsize};(way["highway"]{filters}({lat_min:.8f},{lng_max:.8f},{lat_max:.8f},{lng_min:.8f});>;);out;' ) query_str = query_template.format(lat_max=lat_max, lat_min=lat_min, lng_min=lng_min, lng_max=lng_max, filters=request_filter, timeout=timeout, maxsize=maxsize) response_json = overpass_request(data={'data': query_str}, timeout= timeout) response_jsons_list.append(response_json) log('Downloaded OSM network data within bounding box from Overpass API in {:,} request(s) and {:,.2f} seconds' .format(len(geometry), time.time() - start_time)) for json in response_jsons_list: try: response_jsons.extend(json['elements']) except KeyError: pass start_time = time.time() record_count = len(response_jsons) if record_count == 0: raise Exception( 'Query resulted in no data. Check your query parameters: {}'. format(query_str)) else: response_jsons_df = pd.DataFrame.from_records(response_jsons, index ='id') nodes = response_jsons_df[response_jsons_df['type'] == 'node'] nodes = nodes[~nodes.index.duplicated(keep='first')] ways = response_jsons_df[response_jsons_df['type'] == 'way'] ways = ways[~ways.index.duplicated(keep='first')] response_jsons_df = pd.concat([nodes, ways], axis=0) response_jsons_df.reset_index(inplace=True) response_jsons = response_jsons_df.to_dict(orient='records') if record_count - len(response_jsons) > 0: log('{:,} duplicate records removed. Took {:,.2f} seconds'. format(record_count - len(response_jsons), time.time() - start_time)) return {'elements': response_jsons}
osm_net_download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lat_min=None, lng_min=None, lat_max=None, lng_max=None, network_type=\n 'walk', timeout=180, memory=None, max_query_area_size=50 * 1000 * 50 * \n 1000, custom_osm_filter=None):\n if custom_osm_filter is None:\n request_filter = osm_filter(network_type)\n else:\n request_filter = custom_osm_filter\n response_jsons_list = []\n response_jsons = []\n if memory is None:\n maxsize = ''\n else:\n maxsize = '[maxsize:{}]'.format(memory)\n polygon = Polygon([(lng_max, lat_min), (lng_min, lat_min), (lng_min,\n lat_max), (lng_max, lat_max)])\n geometry_proj, crs_proj = project_geometry(polygon, crs={'init':\n 'epsg:4326'})\n geometry_proj_consolidated_subdivided = consolidate_subdivide_geometry(\n geometry_proj, max_query_area_size=max_query_area_size)\n geometry, crs = project_geometry(geometry_proj_consolidated_subdivided,\n crs=crs_proj, to_latlong=True)\n log('Requesting network data within bounding box from Overpass API in {:,} request(s)'\n .format(len(geometry)))\n start_time = time.time()\n for poly in geometry:\n lng_max, lat_min, lng_min, lat_max = poly.bounds\n query_template = (\n '[out:json][timeout:{timeout}]{maxsize};(way[\"highway\"]{filters}({lat_min:.8f},{lng_max:.8f},{lat_max:.8f},{lng_min:.8f});>;);out;'\n )\n query_str = query_template.format(lat_max=lat_max, lat_min=lat_min,\n lng_min=lng_min, lng_max=lng_max, filters=request_filter,\n timeout=timeout, maxsize=maxsize)\n response_json = overpass_request(data={'data': query_str}, timeout=\n timeout)\n response_jsons_list.append(response_json)\n log('Downloaded OSM network data within bounding box from Overpass API in {:,} request(s) and {:,.2f} seconds'\n .format(len(geometry), time.time() - start_time))\n for json in response_jsons_list:\n try:\n response_jsons.extend(json['elements'])\n except KeyError:\n pass\n start_time = time.time()\n record_count = len(response_jsons)\n if record_count == 0:\n raise Exception(\n 'Query resulted in no data. Check your query parameters: {}'.\n format(query_str))\n else:\n response_jsons_df = pd.DataFrame.from_records(response_jsons, index\n ='id')\n nodes = response_jsons_df[response_jsons_df['type'] == 'node']\n nodes = nodes[~nodes.index.duplicated(keep='first')]\n ways = response_jsons_df[response_jsons_df['type'] == 'way']\n ways = ways[~ways.index.duplicated(keep='first')]\n response_jsons_df = pd.concat([nodes, ways], axis=0)\n response_jsons_df.reset_index(inplace=True)\n response_jsons = response_jsons_df.to_dict(orient='records')\n if record_count - len(response_jsons) > 0:\n log('{:,} duplicate records removed. Took {:,.2f} seconds'.\n format(record_count - len(response_jsons), time.time() -\n start_time))\n return {'elements': response_jsons}\n", "role": "user" }, { "content": "osm_net_download", "role": "assistant" } ]
def x(data, pause_duration=None, timeout=180, error_pause_duration=None): url = 'http://www.overpass-api.de/api/interpreter' start_time = time.time() log('Posting to {} with timeout={}, "{}"'.format(url, timeout, data)) response = requests.post(url, data=data, timeout=timeout) size_kb = len(response.content) / 1000.0 domain = re.findall('//(?s)(.*?)/', url)[0] log('Downloaded {:,.1f}KB from {} in {:,.2f} seconds'.format(size_kb, domain, time.time() - start_time)) try: response_json = response.json() if 'remark' in response_json: log('Server remark: "{}"'.format(response_json['remark'], level =lg.WARNING)) except Exception: if response.status_code in [429, 504]: if error_pause_duration is None: error_pause_duration = get_pause_duration() log('Server at {} returned status code {} and no JSON data. Re-trying request in {:.2f} seconds.' .format(domain, response.status_code, error_pause_duration), level=lg.WARNING) time.sleep(error_pause_duration) response_json = overpass_request(data=data, pause_duration= pause_duration, timeout=timeout) else: log('Server at {} returned status code {} and no JSON data'. format(domain, response.status_code), level=lg.ERROR) raise Exception('Server returned no JSON data.\n{} {}\n{}'. format(response, response.reason, response.text)) return response_json
overpass_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, pause_duration=None, timeout=180, error_pause_duration=None):\n url = 'http://www.overpass-api.de/api/interpreter'\n start_time = time.time()\n log('Posting to {} with timeout={}, \"{}\"'.format(url, timeout, data))\n response = requests.post(url, data=data, timeout=timeout)\n size_kb = len(response.content) / 1000.0\n domain = re.findall('//(?s)(.*?)/', url)[0]\n log('Downloaded {:,.1f}KB from {} in {:,.2f} seconds'.format(size_kb,\n domain, time.time() - start_time))\n try:\n response_json = response.json()\n if 'remark' in response_json:\n log('Server remark: \"{}\"'.format(response_json['remark'], level\n =lg.WARNING))\n except Exception:\n if response.status_code in [429, 504]:\n if error_pause_duration is None:\n error_pause_duration = get_pause_duration()\n log('Server at {} returned status code {} and no JSON data. Re-trying request in {:.2f} seconds.'\n .format(domain, response.status_code, error_pause_duration),\n level=lg.WARNING)\n time.sleep(error_pause_duration)\n response_json = overpass_request(data=data, pause_duration=\n pause_duration, timeout=timeout)\n else:\n log('Server at {} returned status code {} and no JSON data'.\n format(domain, response.status_code), level=lg.ERROR)\n raise Exception('Server returned no JSON data.\\n{} {}\\n{}'.\n format(response, response.reason, response.text))\n return response_json\n", "role": "user" }, { "content": "overpass_request", "role": "assistant" } ]
def x(recursive_delay=5, default_duration=10): try: response = requests.get('http://overpass-api.de/api/status') status = response.text.split('\n')[3] status_first_token = status.split(' ')[0] except Exception: log('Unable to query http://overpass-api.de/api/status', level=lg.ERROR ) return default_duration try: available_slots = int(status_first_token) pause_duration = 0 except Exception: if status_first_token == 'Slot': utc_time_str = status.split(' ')[3] utc_time = date_parser.parse(utc_time_str).replace(tzinfo=None) pause_duration = math.ceil((utc_time - dt.datetime.utcnow()). total_seconds()) pause_duration = max(pause_duration, 1) elif status_first_token == 'Currently': time.sleep(recursive_delay) pause_duration = get_pause_duration() else: log('Unrecognized server status: "{}"'.format(status), level=lg .ERROR) return default_duration return pause_duration
get_pause_duration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(recursive_delay=5, default_duration=10):\n try:\n response = requests.get('http://overpass-api.de/api/status')\n status = response.text.split('\\n')[3]\n status_first_token = status.split(' ')[0]\n except Exception:\n log('Unable to query http://overpass-api.de/api/status', level=lg.ERROR\n )\n return default_duration\n try:\n available_slots = int(status_first_token)\n pause_duration = 0\n except Exception:\n if status_first_token == 'Slot':\n utc_time_str = status.split(' ')[3]\n utc_time = date_parser.parse(utc_time_str).replace(tzinfo=None)\n pause_duration = math.ceil((utc_time - dt.datetime.utcnow()).\n total_seconds())\n pause_duration = max(pause_duration, 1)\n elif status_first_token == 'Currently':\n time.sleep(recursive_delay)\n pause_duration = get_pause_duration()\n else:\n log('Unrecognized server status: \"{}\"'.format(status), level=lg\n .ERROR)\n return default_duration\n return pause_duration\n", "role": "user" }, { "content": "get_pause_duration", "role": "assistant" } ]
def x(geometry, max_query_area_size): quadrat_width = math.sqrt(max_query_area_size) if not isinstance(geometry, (Polygon, MultiPolygon)): raise ValueError('Geometry must be a shapely Polygon or MultiPolygon') if isinstance(geometry, MultiPolygon) or isinstance(geometry, Polygon ) and geometry.area > max_query_area_size: geometry = geometry.convex_hull if geometry.area > max_query_area_size: geometry = quadrat_cut_geometry(geometry, quadrat_width=quadrat_width) if isinstance(geometry, Polygon): geometry = MultiPolygon([geometry]) return geometry
consolidate_subdivide_geometry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(geometry, max_query_area_size):\n quadrat_width = math.sqrt(max_query_area_size)\n if not isinstance(geometry, (Polygon, MultiPolygon)):\n raise ValueError('Geometry must be a shapely Polygon or MultiPolygon')\n if isinstance(geometry, MultiPolygon) or isinstance(geometry, Polygon\n ) and geometry.area > max_query_area_size:\n geometry = geometry.convex_hull\n if geometry.area > max_query_area_size:\n geometry = quadrat_cut_geometry(geometry, quadrat_width=quadrat_width)\n if isinstance(geometry, Polygon):\n geometry = MultiPolygon([geometry])\n return geometry\n", "role": "user" }, { "content": "consolidate_subdivide_geometry", "role": "assistant" } ]
def x(geometry, quadrat_width, min_num=3, buffer_amount=1e-09): lng_max, lat_min, lng_min, lat_max = geometry.bounds x_num = math.ceil((lng_min - lng_max) / quadrat_width) + 1 y_num = math.ceil((lat_max - lat_min) / quadrat_width) + 1 x_points = np.linspace(lng_max, lng_min, num=max(x_num, min_num)) y_points = np.linspace(lat_min, lat_max, num=max(y_num, min_num)) vertical_lines = [LineString([(x, y_points[0]), (x, y_points[-1])]) for x in x_points] horizont_lines = [LineString([(x_points[0], y), (x_points[-1], y)]) for y in y_points] lines = vertical_lines + horizont_lines buffer_size = quadrat_width * buffer_amount lines_buffered = [line.buffer(buffer_size) for line in lines] quadrats = unary_union(lines_buffered) multipoly = geometry.difference(quadrats) return multipoly
quadrat_cut_geometry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(geometry, quadrat_width, min_num=3, buffer_amount=1e-09):\n lng_max, lat_min, lng_min, lat_max = geometry.bounds\n x_num = math.ceil((lng_min - lng_max) / quadrat_width) + 1\n y_num = math.ceil((lat_max - lat_min) / quadrat_width) + 1\n x_points = np.linspace(lng_max, lng_min, num=max(x_num, min_num))\n y_points = np.linspace(lat_min, lat_max, num=max(y_num, min_num))\n vertical_lines = [LineString([(x, y_points[0]), (x, y_points[-1])]) for\n x in x_points]\n horizont_lines = [LineString([(x_points[0], y), (x_points[-1], y)]) for\n y in y_points]\n lines = vertical_lines + horizont_lines\n buffer_size = quadrat_width * buffer_amount\n lines_buffered = [line.buffer(buffer_size) for line in lines]\n quadrats = unary_union(lines_buffered)\n multipoly = geometry.difference(quadrats)\n return multipoly\n", "role": "user" }, { "content": "quadrat_cut_geometry", "role": "assistant" } ]
def x(geometry, crs, to_latlong=False): gdf = gpd.GeoDataFrame() gdf.crs = crs gdf.name = 'geometry to project' gdf['geometry'] = None gdf.loc[0, 'geometry'] = geometry gdf_proj = project_gdf(gdf, to_latlong=to_latlong) geometry_proj = gdf_proj['geometry'].iloc[0] return geometry_proj, gdf_proj.crs
project_geometry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(geometry, crs, to_latlong=False):\n gdf = gpd.GeoDataFrame()\n gdf.crs = crs\n gdf.name = 'geometry to project'\n gdf['geometry'] = None\n gdf.loc[0, 'geometry'] = geometry\n gdf_proj = project_gdf(gdf, to_latlong=to_latlong)\n geometry_proj = gdf_proj['geometry'].iloc[0]\n return geometry_proj, gdf_proj.crs\n", "role": "user" }, { "content": "project_geometry", "role": "assistant" } ]
def x(e): node = {'id': e['id'], 'lat': e['lat'], 'lon': e['lon']} if 'tags' in e: if e['tags'] is not np.nan: for t, v in list(e['tags'].items()): if t in config.settings.keep_osm_tags: node[t] = v return node
process_node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(e):\n node = {'id': e['id'], 'lat': e['lat'], 'lon': e['lon']}\n if 'tags' in e:\n if e['tags'] is not np.nan:\n for t, v in list(e['tags'].items()):\n if t in config.settings.keep_osm_tags:\n node[t] = v\n return node\n", "role": "user" }, { "content": "process_node", "role": "assistant" } ]
def x(e): way = {'id': e['id']} if 'tags' in e: if e['tags'] is not np.nan: for t, v in list(e['tags'].items()): if t in config.settings.keep_osm_tags: way[t] = v waynodes = [] for n in e['nodes']: waynodes.append({'way_id': e['id'], 'node_id': n}) return way, waynodes
process_way
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(e):\n way = {'id': e['id']}\n if 'tags' in e:\n if e['tags'] is not np.nan:\n for t, v in list(e['tags'].items()):\n if t in config.settings.keep_osm_tags:\n way[t] = v\n waynodes = []\n for n in e['nodes']:\n waynodes.append({'way_id': e['id'], 'node_id': n})\n return way, waynodes\n", "role": "user" }, { "content": "process_way", "role": "assistant" } ]
def x(data): if len(data['elements']) == 0: raise RuntimeError('OSM query results contain no data.') nodes = [] ways = [] waynodes = [] for e in data['elements']: if e['type'] == 'node': nodes.append(process_node(e)) elif e['type'] == 'way': w, wn = process_way(e) ways.append(w) waynodes.extend(wn) nodes = pd.DataFrame.from_records(nodes, index='id') ways = pd.DataFrame.from_records(ways, index='id') waynodes = pd.DataFrame.from_records(waynodes, index='way_id') return nodes, ways, waynodes
parse_network_osm_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n if len(data['elements']) == 0:\n raise RuntimeError('OSM query results contain no data.')\n nodes = []\n ways = []\n waynodes = []\n for e in data['elements']:\n if e['type'] == 'node':\n nodes.append(process_node(e))\n elif e['type'] == 'way':\n w, wn = process_way(e)\n ways.append(w)\n waynodes.extend(wn)\n nodes = pd.DataFrame.from_records(nodes, index='id')\n ways = pd.DataFrame.from_records(ways, index='id')\n waynodes = pd.DataFrame.from_records(waynodes, index='way_id')\n return nodes, ways, waynodes\n", "role": "user" }, { "content": "parse_network_osm_query", "role": "assistant" } ]
def x(lat_min, lng_min, lat_max, lng_max, network_type, timeout=180, memory =None, max_query_area_size=50 * 1000 * 50 * 1000, custom_osm_filter=None): return parse_network_osm_query(osm_net_download(lat_max=lat_max, lat_min=lat_min, lng_min=lng_min, lng_max=lng_max, network_type= network_type, timeout=timeout, memory=memory, max_query_area_size= max_query_area_size, custom_osm_filter=custom_osm_filter))
ways_in_bbox
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lat_min, lng_min, lat_max, lng_max, network_type, timeout=180, memory\n =None, max_query_area_size=50 * 1000 * 50 * 1000, custom_osm_filter=None):\n return parse_network_osm_query(osm_net_download(lat_max=lat_max,\n lat_min=lat_min, lng_min=lng_min, lng_max=lng_max, network_type=\n network_type, timeout=timeout, memory=memory, max_query_area_size=\n max_query_area_size, custom_osm_filter=custom_osm_filter))\n", "role": "user" }, { "content": "ways_in_bbox", "role": "assistant" } ]
def x(waynodes): counts = waynodes.node_id.value_counts() return set(counts[counts > 1].index.values)
intersection_nodes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(waynodes):\n counts = waynodes.node_id.value_counts()\n return set(counts[counts > 1].index.values)\n", "role": "user" }, { "content": "intersection_nodes", "role": "assistant" } ]
def x(nodes, ways, waynodes, two_way=True): start_time = time.time() def x(l): return zip(islice(l, 0, len(l)), islice(l, 1, None)) intersections = intersection_nodes(waynodes) waymap = waynodes.groupby(level=0, sort=False) pairs = [] for id, row in ways.iterrows(): nodes_in_way = waymap.get_group(id).node_id.values nodes_in_way = [x for x in nodes_in_way if x in intersections] if len(nodes_in_way) < 2: continue for from_node, to_node in pairwise(nodes_in_way): if from_node != to_node: fn = nodes.loc[from_node] tn = nodes.loc[to_node] distance = round(gcd(fn.lat, fn.lon, tn.lat, tn.lon), 6) col_dict = {'from_id': from_node, 'to_id': to_node, 'distance': distance} for tag in config.settings.keep_osm_tags: try: col_dict.update({tag: row[tag]}) except KeyError: pass pairs.append(col_dict) if not two_way: col_dict = {'from_id': to_node, 'to_id': from_node, 'distance': distance} for tag in config.settings.keep_osm_tags: try: col_dict.update({tag: row[tag]}) except KeyError: pass pairs.append(col_dict) pairs = pd.DataFrame.from_records(pairs) if pairs.empty: raise Exception( 'Query resulted in no connected node pairs. Check your query parameters or bounding box' ) else: pairs.index = pd.MultiIndex.from_arrays([pairs['from_id'].values, pairs['to_id'].values]) log('Edge node pairs completed. Took {:,.2f} seconds'.format(time. time() - start_time)) return pairs
node_pairs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nodes, ways, waynodes, two_way=True):\n start_time = time.time()\n\n def x(l):\n return zip(islice(l, 0, len(l)), islice(l, 1, None))\n intersections = intersection_nodes(waynodes)\n waymap = waynodes.groupby(level=0, sort=False)\n pairs = []\n for id, row in ways.iterrows():\n nodes_in_way = waymap.get_group(id).node_id.values\n nodes_in_way = [x for x in nodes_in_way if x in intersections]\n if len(nodes_in_way) < 2:\n continue\n for from_node, to_node in pairwise(nodes_in_way):\n if from_node != to_node:\n fn = nodes.loc[from_node]\n tn = nodes.loc[to_node]\n distance = round(gcd(fn.lat, fn.lon, tn.lat, tn.lon), 6)\n col_dict = {'from_id': from_node, 'to_id': to_node,\n 'distance': distance}\n for tag in config.settings.keep_osm_tags:\n try:\n col_dict.update({tag: row[tag]})\n except KeyError:\n pass\n pairs.append(col_dict)\n if not two_way:\n col_dict = {'from_id': to_node, 'to_id': from_node,\n 'distance': distance}\n for tag in config.settings.keep_osm_tags:\n try:\n col_dict.update({tag: row[tag]})\n except KeyError:\n pass\n pairs.append(col_dict)\n pairs = pd.DataFrame.from_records(pairs)\n if pairs.empty:\n raise Exception(\n 'Query resulted in no connected node pairs. Check your query parameters or bounding box'\n )\n else:\n pairs.index = pd.MultiIndex.from_arrays([pairs['from_id'].values,\n pairs['to_id'].values])\n log('Edge node pairs completed. Took {:,.2f} seconds'.format(time.\n time() - start_time))\n return pairs\n", "role": "user" }, { "content": "node_pairs", "role": "assistant" } ]
def x(lat_min=None, lng_min=None, lat_max=None, lng_max=None, bbox=None, network_type='walk', two_way=True, timeout=180, memory=None, max_query_area_size=50 * 1000 * 50 * 1000, custom_osm_filter=None): start_time = time.time() if bbox is not None: assert isinstance(bbox, tuple) and len(bbox ) == 4, 'bbox must be a 4 element tuple' assert lat_min is None and lng_min is None and lat_max is None and lng_max is None, 'lat_min, lng_min, lat_max and lng_max must be None if you are using bbox' lng_max, lat_min, lng_min, lat_max = bbox assert lat_min is not None, 'lat_min cannot be None' assert lng_min is not None, 'lng_min cannot be None' assert lat_max is not None, 'lat_max cannot be None' assert lng_max is not None, 'lng_max cannot be None' assert isinstance(lat_min, float) and isinstance(lng_min, float ) and isinstance(lat_max, float) and isinstance(lng_max, float ), 'lat_min, lng_min, lat_max, and lng_max must be floats' nodes, ways, waynodes = ways_in_bbox(lat_min=lat_min, lng_min=lng_min, lat_max=lat_max, lng_max=lng_max, network_type=network_type, timeout=timeout, memory=memory, max_query_area_size= max_query_area_size, custom_osm_filter=custom_osm_filter) log('Returning OSM data with {:,} nodes and {:,} ways...'.format(len( nodes), len(ways))) edgesfinal = node_pairs(nodes, ways, waynodes, two_way=two_way) node_ids = sorted(set(edgesfinal['from_id'].unique()).union(set( edgesfinal['to_id'].unique()))) nodesfinal = nodes.loc[node_ids] nodesfinal = nodesfinal[['lon', 'lat']] nodesfinal.rename(columns={'lon': 'x', 'lat': 'y'}, inplace=True) nodesfinal['id'] = nodesfinal.index edgesfinal.rename(columns={'from_id': 'from', 'to_id': 'to'}, inplace=True) log('Returning processed graph with {:,} nodes and {:,} edges...'. format(len(nodesfinal), len(edgesfinal))) log('Completed OSM data download and Pandana node and edge table creation in {:,.2f} seconds' .format(time.time() - start_time)) return nodesfinal, edgesfinal
network_from_bbox
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lat_min=None, lng_min=None, lat_max=None, lng_max=None, bbox=None,\n network_type='walk', two_way=True, timeout=180, memory=None,\n max_query_area_size=50 * 1000 * 50 * 1000, custom_osm_filter=None):\n start_time = time.time()\n if bbox is not None:\n assert isinstance(bbox, tuple) and len(bbox\n ) == 4, 'bbox must be a 4 element tuple'\n assert lat_min is None and lng_min is None and lat_max is None and lng_max is None, 'lat_min, lng_min, lat_max and lng_max must be None if you are using bbox'\n lng_max, lat_min, lng_min, lat_max = bbox\n assert lat_min is not None, 'lat_min cannot be None'\n assert lng_min is not None, 'lng_min cannot be None'\n assert lat_max is not None, 'lat_max cannot be None'\n assert lng_max is not None, 'lng_max cannot be None'\n assert isinstance(lat_min, float) and isinstance(lng_min, float\n ) and isinstance(lat_max, float) and isinstance(lng_max, float\n ), 'lat_min, lng_min, lat_max, and lng_max must be floats'\n nodes, ways, waynodes = ways_in_bbox(lat_min=lat_min, lng_min=lng_min,\n lat_max=lat_max, lng_max=lng_max, network_type=network_type,\n timeout=timeout, memory=memory, max_query_area_size=\n max_query_area_size, custom_osm_filter=custom_osm_filter)\n log('Returning OSM data with {:,} nodes and {:,} ways...'.format(len(\n nodes), len(ways)))\n edgesfinal = node_pairs(nodes, ways, waynodes, two_way=two_way)\n node_ids = sorted(set(edgesfinal['from_id'].unique()).union(set(\n edgesfinal['to_id'].unique())))\n nodesfinal = nodes.loc[node_ids]\n nodesfinal = nodesfinal[['lon', 'lat']]\n nodesfinal.rename(columns={'lon': 'x', 'lat': 'y'}, inplace=True)\n nodesfinal['id'] = nodesfinal.index\n edgesfinal.rename(columns={'from_id': 'from', 'to_id': 'to'}, inplace=True)\n log('Returning processed graph with {:,} nodes and {:,} edges...'.\n format(len(nodesfinal), len(edgesfinal)))\n log('Completed OSM data download and Pandana node and edge table creation in {:,.2f} seconds'\n .format(time.time() - start_time))\n return nodesfinal, edgesfinal\n", "role": "user" }, { "content": "network_from_bbox", "role": "assistant" } ]
def x(in_file): with open(in_file, 'r') as inf: in_contents = inf.read().split('\n') return in_contents
read_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(in_file):\n with open(in_file, 'r') as inf:\n in_contents = inf.read().split('\\n')\n return in_contents\n", "role": "user" }, { "content": "read_lines", "role": "assistant" } ]
def x(lines, remove=('[[back to top]', '<a class="mk-toclify"')): if not remove: return lines[:] out = [] for l in lines: if l.startswith(remove): continue out.append(l) return out
remove_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lines, remove=('[[back to top]', '<a class=\"mk-toclify\"')):\n if not remove:\n return lines[:]\n out = []\n for l in lines:\n if l.startswith(remove):\n continue\n out.append(l)\n return out\n", "role": "user" }, { "content": "remove_lines", "role": "assistant" } ]
def x(line, remove_dashes=False): stripped_right = line.rstrip('#') stripped_both = stripped_right.lstrip('#') level = len(stripped_right) - len(stripped_both) stripped_wspace = stripped_both.strip() replaced_colon = stripped_wspace.replace('.', '') replaced_slash = replaced_colon.replace('/', '') rem_nonvalids = ''.join([(c if c in VALIDS else '-') for c in replaced_slash]) lowered = rem_nonvalids.lower() slugified = re.sub('(-)\\1+', '\\1', lowered) slugified = slugified.strip('-') slugified = slugified.replace('-&-', '--') if remove_dashes: slugified = slugified.replace('-', '') return [stripped_wspace, slugified, level]
slugify_headline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(line, remove_dashes=False):\n stripped_right = line.rstrip('#')\n stripped_both = stripped_right.lstrip('#')\n level = len(stripped_right) - len(stripped_both)\n stripped_wspace = stripped_both.strip()\n replaced_colon = stripped_wspace.replace('.', '')\n replaced_slash = replaced_colon.replace('/', '')\n rem_nonvalids = ''.join([(c if c in VALIDS else '-') for c in\n replaced_slash])\n lowered = rem_nonvalids.lower()\n slugified = re.sub('(-)\\\\1+', '\\\\1', lowered)\n slugified = slugified.strip('-')\n slugified = slugified.replace('-&-', '--')\n if remove_dashes:\n slugified = slugified.replace('-', '')\n return [stripped_wspace, slugified, level]\n", "role": "user" }, { "content": "slugify_headline", "role": "assistant" } ]
def x(lines, id_tag=True, back_links=False, exclude_h=None, remove_dashes=False ): out_contents = [] headlines = [] for l in lines: saw_headline = False orig_len = len(l) l = l.lstrip() if l.startswith(('# ', '## ', '### ', '#### ', '##### ', '###### ')): if not l.lstrip('#').startswith(' '): continue if len(l) - len(l.lstrip('#')) > 6: continue if orig_len - len(l) > 3: continue if not set(l) - {'#', ' '}: continue saw_headline = True slugified = slugify_headline(l, remove_dashes) if not exclude_h or not slugified[-1] in exclude_h: if id_tag: id_tag = '<a class="mk-toclify" id="%s"></a>' % slugified[1 ] out_contents.append(id_tag) headlines.append(slugified) out_contents.append(l) if back_links and saw_headline: out_contents.append('[[back to top](#table-of-contents)]') return out_contents, headlines
tag_and_collect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lines, id_tag=True, back_links=False, exclude_h=None, remove_dashes=False\n ):\n out_contents = []\n headlines = []\n for l in lines:\n saw_headline = False\n orig_len = len(l)\n l = l.lstrip()\n if l.startswith(('# ', '## ', '### ', '#### ', '##### ', '###### ')):\n if not l.lstrip('#').startswith(' '):\n continue\n if len(l) - len(l.lstrip('#')) > 6:\n continue\n if orig_len - len(l) > 3:\n continue\n if not set(l) - {'#', ' '}:\n continue\n saw_headline = True\n slugified = slugify_headline(l, remove_dashes)\n if not exclude_h or not slugified[-1] in exclude_h:\n if id_tag:\n id_tag = '<a class=\"mk-toclify\" id=\"%s\"></a>' % slugified[1\n ]\n out_contents.append(id_tag)\n headlines.append(slugified)\n out_contents.append(l)\n if back_links and saw_headline:\n out_contents.append('[[back to top](#table-of-contents)]')\n return out_contents, headlines\n", "role": "user" }, { "content": "tag_and_collect", "role": "assistant" } ]
def x(headlines): left_just = False for row in headlines: if row[-1] == 1: left_just = True break if not left_just: for row in headlines: row[-1] -= 1 return headlines
positioning_headlines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(headlines):\n left_just = False\n for row in headlines:\n if row[-1] == 1:\n left_just = True\n break\n if not left_just:\n for row in headlines:\n row[-1] -= 1\n return headlines\n", "role": "user" }, { "content": "positioning_headlines", "role": "assistant" } ]
def x(headlines, hyperlink=True, top_link=False, no_toc_header=False): processed = [] if not no_toc_header: if top_link: processed.append( '<a class="mk-toclify" id="table-of-contents"></a>\n') processed.append('# Table of Contents') for line in headlines: if hyperlink: item = '%s- [%s](#%s)' % ((line[2] - 1) * ' ', line[0], line[1]) else: item = '%s- %s' % ((line[2] - 1) * ' ', line[0]) processed.append(item) processed.append('\n') return processed
create_toc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(headlines, hyperlink=True, top_link=False, no_toc_header=False):\n processed = []\n if not no_toc_header:\n if top_link:\n processed.append(\n '<a class=\"mk-toclify\" id=\"table-of-contents\"></a>\\n')\n processed.append('# Table of Contents')\n for line in headlines:\n if hyperlink:\n item = '%s- [%s](#%s)' % ((line[2] - 1) * ' ', line[0], line[1])\n else:\n item = '%s- %s' % ((line[2] - 1) * ' ', line[0])\n processed.append(item)\n processed.append('\\n')\n return processed\n", "role": "user" }, { "content": "create_toc", "role": "assistant" } ]
def x(toc_headlines, body, spacer=0, placeholder=None): if spacer: spacer_line = ['\n<div style="height:%spx;"></div>\n' % spacer] toc_markdown = '\n'.join(toc_headlines + spacer_line) else: toc_markdown = '\n'.join(toc_headlines) body_markdown = '\n'.join(body).strip() if placeholder: markdown = body_markdown.replace(placeholder, toc_markdown) else: markdown = toc_markdown + body_markdown return markdown
build_markdown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(toc_headlines, body, spacer=0, placeholder=None):\n if spacer:\n spacer_line = ['\\n<div style=\"height:%spx;\"></div>\\n' % spacer]\n toc_markdown = '\\n'.join(toc_headlines + spacer_line)\n else:\n toc_markdown = '\\n'.join(toc_headlines)\n body_markdown = '\\n'.join(body).strip()\n if placeholder:\n markdown = body_markdown.replace(placeholder, toc_markdown)\n else:\n markdown = toc_markdown + body_markdown\n return markdown\n", "role": "user" }, { "content": "build_markdown", "role": "assistant" } ]
def x(markdown_cont, output_file): if output_file: with open(output_file, 'w') as out: out.write(markdown_cont)
output_markdown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(markdown_cont, output_file):\n if output_file:\n with open(output_file, 'w') as out:\n out.write(markdown_cont)\n", "role": "user" }, { "content": "output_markdown", "role": "assistant" } ]
def x(input_file, output_file=None, github=False, back_to_top=False, nolink =False, no_toc_header=False, spacer=0, placeholder=None, exclude_h=None, remove_dashes=False): raw_contents = read_lines(input_file) cleaned_contents = remove_lines(raw_contents, remove=('[[back to top]', '<a class="mk-toclify"')) processed_contents, raw_headlines = tag_and_collect(cleaned_contents, id_tag=not github, back_links=back_to_top, exclude_h=exclude_h, remove_dashes=remove_dashes) leftjustified_headlines = positioning_headlines(raw_headlines) processed_headlines = create_toc(leftjustified_headlines, hyperlink=not nolink, top_link=not nolink and not github, no_toc_header=no_toc_header ) if nolink: processed_contents = cleaned_contents cont = build_markdown(toc_headlines=processed_headlines, body= processed_contents, spacer=spacer, placeholder=placeholder) if output_file: output_markdown(cont, output_file) return cont
markdown_toclify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_file, output_file=None, github=False, back_to_top=False, nolink\n =False, no_toc_header=False, spacer=0, placeholder=None, exclude_h=None,\n remove_dashes=False):\n raw_contents = read_lines(input_file)\n cleaned_contents = remove_lines(raw_contents, remove=('[[back to top]',\n '<a class=\"mk-toclify\"'))\n processed_contents, raw_headlines = tag_and_collect(cleaned_contents,\n id_tag=not github, back_links=back_to_top, exclude_h=exclude_h,\n remove_dashes=remove_dashes)\n leftjustified_headlines = positioning_headlines(raw_headlines)\n processed_headlines = create_toc(leftjustified_headlines, hyperlink=not\n nolink, top_link=not nolink and not github, no_toc_header=no_toc_header\n )\n if nolink:\n processed_contents = cleaned_contents\n cont = build_markdown(toc_headlines=processed_headlines, body=\n processed_contents, spacer=spacer, placeholder=placeholder)\n if output_file:\n output_markdown(cont, output_file)\n return cont\n", "role": "user" }, { "content": "markdown_toclify", "role": "assistant" } ]
def x(name): position = name.find('github.com') if position >= 0: if position != 0: position_1 = name.find('www.github.com') position_2 = name.find('http://github.com') position_3 = name.find('https://github.com') if position_1 * position_2 * position_3 != 0: exception() sys.exit(0) name = name[position + 11:] if name.endswith('/'): name = name[:-1] return name else: if name.endswith('/'): name = name[:-1] return name
url_parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n position = name.find('github.com')\n if position >= 0:\n if position != 0:\n position_1 = name.find('www.github.com')\n position_2 = name.find('http://github.com')\n position_3 = name.find('https://github.com')\n if position_1 * position_2 * position_3 != 0:\n exception()\n sys.exit(0)\n name = name[position + 11:]\n if name.endswith('/'):\n name = name[:-1]\n return name\n else:\n if name.endswith('/'):\n name = name[:-1]\n return name\n", "role": "user" }, { "content": "url_parse", "role": "assistant" } ]
def x(url): request = urllib.request.Request(url) request.add_header('Authorization', 'token %s' % API_TOKEN) try: response = urllib.request.urlopen(request).read().decode('utf-8') return response except urllib.error.HTTPError: exception() sys.exit(0)
get_req
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url):\n request = urllib.request.Request(url)\n request.add_header('Authorization', 'token %s' % API_TOKEN)\n try:\n response = urllib.request.urlopen(request).read().decode('utf-8')\n return response\n except urllib.error.HTTPError:\n exception()\n sys.exit(0)\n", "role": "user" }, { "content": "get_req", "role": "assistant" } ]
def x(url): request = urllib.request.Request(url) request.add_header('Authorization', 'token %s' % API_TOKEN) try: response_url = urllib.request.urlopen(request).geturl() return response_url except urllib.error.HTTPError: exception() sys.exit(0)
geturl_req
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url):\n request = urllib.request.Request(url)\n request.add_header('Authorization', 'token %s' % API_TOKEN)\n try:\n response_url = urllib.request.urlopen(request).geturl()\n return response_url\n except urllib.error.HTTPError:\n exception()\n sys.exit(0)\n", "role": "user" }, { "content": "geturl_req", "role": "assistant" } ]
def x(parser, token): bits = token.split_contents() t_as = 'as' t_silent = 'silent' var = 'capture' silent = False num_bits = len(bits) if len(bits) > 4: raise TemplateSyntaxError( "'capture' node supports '[as variable] [silent]' parameters.") elif num_bits == 4: t_name, t_as, var, t_silent = bits silent = True elif num_bits == 3: t_name, t_as, var = bits elif num_bits == 2: t_name, t_silent = bits silent = True else: var = 'capture' silent = False if t_silent != 'silent' or t_as != 'as': raise TemplateSyntaxError( "'capture' node expects 'as variable' or 'silent' syntax.") nodelist = parser.parse(('endcapture',)) parser.delete_first_token() return CaptureNode(nodelist, var, silent)
do_capture
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parser, token):\n bits = token.split_contents()\n t_as = 'as'\n t_silent = 'silent'\n var = 'capture'\n silent = False\n num_bits = len(bits)\n if len(bits) > 4:\n raise TemplateSyntaxError(\n \"'capture' node supports '[as variable] [silent]' parameters.\")\n elif num_bits == 4:\n t_name, t_as, var, t_silent = bits\n silent = True\n elif num_bits == 3:\n t_name, t_as, var = bits\n elif num_bits == 2:\n t_name, t_silent = bits\n silent = True\n else:\n var = 'capture'\n silent = False\n if t_silent != 'silent' or t_as != 'as':\n raise TemplateSyntaxError(\n \"'capture' node expects 'as variable' or 'silent' syntax.\")\n nodelist = parser.parse(('endcapture',))\n parser.delete_first_token()\n return CaptureNode(nodelist, var, silent)\n", "role": "user" }, { "content": "do_capture", "role": "assistant" } ]
def x(self, data): self.created = parse_date(data.pop('created')) if data.get('settled'): self.settled = parse_date(data.pop('settled')) if data.get('merchant') and not isinstance(data['merchant'], six.text_type ): self.merchant = MonzoMerchant(data=data.pop('merchant'))
parse_special_fields
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n self.created = parse_date(data.pop('created'))\n if data.get('settled'):\n self.settled = parse_date(data.pop('settled'))\n if data.get('merchant') and not isinstance(data['merchant'], six.text_type\n ):\n self.merchant = MonzoMerchant(data=data.pop('merchant'))\n", "role": "user" }, { "content": "parse_special_fields", "role": "assistant" } ]
def x(self): token = self._token.copy() token.update(client_secret=self._client_secret) with codecs.open(config.TOKEN_FILE_PATH, 'w', 'utf8') as f: json.dump(token, f, ensure_ascii=False, sort_keys=True, indent=4)
save_token_on_disk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n token = self._token.copy()\n token.update(client_secret=self._client_secret)\n with codecs.open(config.TOKEN_FILE_PATH, 'w', 'utf8') as f:\n json.dump(token, f, ensure_ascii=False, sort_keys=True, indent=4)\n", "role": "user" }, { "content": "save_token_on_disk", "role": "assistant" } ]
def x(self): url = urljoin(self.api_url, '/oauth2/token') oauth = OAuth2Session(client_id=self._client_id, redirect_uri=config. REDIRECT_URI) token = oauth.fetch_token(token_url=url, code=self._auth_code, client_secret=self._client_secret) return token
get_oauth_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n url = urljoin(self.api_url, '/oauth2/token')\n oauth = OAuth2Session(client_id=self._client_id, redirect_uri=config.\n REDIRECT_URI)\n token = oauth.fetch_token(token_url=url, code=self._auth_code,\n client_secret=self._client_secret)\n return token\n", "role": "user" }, { "content": "get_oauth_token", "role": "assistant" } ]
def x(self): url = urljoin(self.api_url, '/oauth2/token') data = {'grant_type': 'refresh_token', 'client_id': self._client_id, 'client_secret': self._client_secret, 'refresh_token': self._token[ 'refresh_token']} token_response = requests.post(url, data=data) token = token_response.json() if 'error' in token: raise CantRefreshTokenError('Unable to refresh the token: {}'. format(token)) self._token = token self._save_token_on_disk()
refresh_oath_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n url = urljoin(self.api_url, '/oauth2/token')\n data = {'grant_type': 'refresh_token', 'client_id': self._client_id,\n 'client_secret': self._client_secret, 'refresh_token': self._token[\n 'refresh_token']}\n token_response = requests.post(url, data=data)\n token = token_response.json()\n if 'error' in token:\n raise CantRefreshTokenError('Unable to refresh the token: {}'.\n format(token))\n self._token = token\n self._save_token_on_disk()\n", "role": "user" }, { "content": "refresh_oath_token", "role": "assistant" } ]
def x(self, method, endpoint, params=None): url = urljoin(self.api_url, endpoint) try: response = getattr(self._session, method)(url, params=params) if response.status_code == 401: raise TokenExpiredError except TokenExpiredError: self._refresh_oath_token() self._session = OAuth2Session(client_id=self._client_id, token=self ._token) response = getattr(self._session, method)(url, params=params) if response.status_code != requests.codes.ok: raise MonzoAPIError('Something went wrong: {}'.format(response.json())) return response
get_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, endpoint, params=None):\n url = urljoin(self.api_url, endpoint)\n try:\n response = getattr(self._session, method)(url, params=params)\n if response.status_code == 401:\n raise TokenExpiredError\n except TokenExpiredError:\n self._refresh_oath_token()\n self._session = OAuth2Session(client_id=self._client_id, token=self\n ._token)\n response = getattr(self._session, method)(url, params=params)\n if response.status_code != requests.codes.ok:\n raise MonzoAPIError('Something went wrong: {}'.format(response.json()))\n return response\n", "role": "user" }, { "content": "get_response", "role": "assistant" } ]
def x(self): endpoint = '/ping/whoami' response = self._get_response(method='get', endpoint=endpoint) return response.json()
whoami
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n endpoint = '/ping/whoami'\n response = self._get_response(method='get', endpoint=endpoint)\n return response.json()\n", "role": "user" }, { "content": "whoami", "role": "assistant" } ]
def x(self, refresh=False): if not refresh and self._cached_accounts: return self._cached_accounts endpoint = '/accounts' response = self._get_response(method='get', endpoint=endpoint) accounts_json = response.json()['accounts'] accounts = [MonzoAccount(data=account) for account in accounts_json] self._cached_accounts = accounts return accounts
accounts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh=False):\n if not refresh and self._cached_accounts:\n return self._cached_accounts\n endpoint = '/accounts'\n response = self._get_response(method='get', endpoint=endpoint)\n accounts_json = response.json()['accounts']\n accounts = [MonzoAccount(data=account) for account in accounts_json]\n self._cached_accounts = accounts\n return accounts\n", "role": "user" }, { "content": "accounts", "role": "assistant" } ]
def x(self, account_id=None): if not account_id: if len(self.accounts()) == 1: account_id = self.accounts()[0].id else: raise ValueError('You need to pass account ID') endpoint = '/balance' response = self._get_response(method='get', endpoint=endpoint, params={ 'account_id': account_id}) return MonzoBalance(data=response.json())
balance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account_id=None):\n if not account_id:\n if len(self.accounts()) == 1:\n account_id = self.accounts()[0].id\n else:\n raise ValueError('You need to pass account ID')\n endpoint = '/balance'\n response = self._get_response(method='get', endpoint=endpoint, params={\n 'account_id': account_id})\n return MonzoBalance(data=response.json())\n", "role": "user" }, { "content": "balance", "role": "assistant" } ]
def x(self, refresh=False): if not refresh and self._cached_pots: return self._cached_pots endpoint = '/pots/listV1' response = self._get_response(method='get', endpoint=endpoint) pots_json = response.json()['pots'] pots = [MonzoPot(data=pot) for pot in pots_json] self._cached_pots = pots return pots
pots
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh=False):\n if not refresh and self._cached_pots:\n return self._cached_pots\n endpoint = '/pots/listV1'\n response = self._get_response(method='get', endpoint=endpoint)\n pots_json = response.json()['pots']\n pots = [MonzoPot(data=pot) for pot in pots_json]\n self._cached_pots = pots\n return pots\n", "role": "user" }, { "content": "pots", "role": "assistant" } ]
def x(self, account_id=None, reverse=True, limit=None): if not account_id: if len(self.accounts()) == 1: account_id = self.accounts()[0].id else: raise ValueError('You need to pass account ID') endpoint = '/transactions' response = self._get_response(method='get', endpoint=endpoint, params={ 'account_id': account_id}) transactions = response.json()['transactions'] if reverse: transactions.reverse() if limit: transactions = transactions[:limit] return [MonzoTransaction(data=t) for t in transactions]
transactions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account_id=None, reverse=True, limit=None):\n if not account_id:\n if len(self.accounts()) == 1:\n account_id = self.accounts()[0].id\n else:\n raise ValueError('You need to pass account ID')\n endpoint = '/transactions'\n response = self._get_response(method='get', endpoint=endpoint, params={\n 'account_id': account_id})\n transactions = response.json()['transactions']\n if reverse:\n transactions.reverse()\n if limit:\n transactions = transactions[:limit]\n return [MonzoTransaction(data=t) for t in transactions]\n", "role": "user" }, { "content": "transactions", "role": "assistant" } ]
def x(self, transaction_id, expand_merchant=False): endpoint = '/transactions/{}'.format(transaction_id) data = dict() if expand_merchant: data['expand[]'] = 'merchant' response = self._get_response(method='get', endpoint=endpoint, params=data) return MonzoTransaction(data=response.json()['transaction'])
transaction
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, transaction_id, expand_merchant=False):\n endpoint = '/transactions/{}'.format(transaction_id)\n data = dict()\n if expand_merchant:\n data['expand[]'] = 'merchant'\n response = self._get_response(method='get', endpoint=endpoint, params=data)\n return MonzoTransaction(data=response.json()['transaction'])\n", "role": "user" }, { "content": "transaction", "role": "assistant" } ]
def x(): parser = OptionParser() parser.add_option('-f', '--file', dest='filename', default='agents.csv', help='snmposter configuration file') options, args = parser.parse_args() factory = SNMPosterFactory() snmpd_status = subprocess.Popen(['service', 'snmpd', 'status'], stdout= subprocess.PIPE).communicate()[0] if 'is running' in snmpd_status: message = 'snmd service is running. Please stop it and try again.' print >> sys.stderr, message sys.exit(1) try: factory.configure(options.filename) except IOError: print >> sys.stderr, 'Error opening %s.' % options.filename sys.exit(1) factory.start()
launcher
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n parser = OptionParser()\n parser.add_option('-f', '--file', dest='filename', default='agents.csv',\n help='snmposter configuration file')\n options, args = parser.parse_args()\n factory = SNMPosterFactory()\n snmpd_status = subprocess.Popen(['service', 'snmpd', 'status'], stdout=\n subprocess.PIPE).communicate()[0]\n if 'is running' in snmpd_status:\n message = 'snmd service is running. Please stop it and try again.'\n print >> sys.stderr, message\n sys.exit(1)\n try:\n factory.configure(options.filename)\n except IOError:\n print >> sys.stderr, 'Error opening %s.' % options.filename\n sys.exit(1)\n factory.start()\n", "role": "user" }, { "content": "launcher", "role": "assistant" } ]
def x(self): auth_info = '{}:{}'.format(self.sauce_username, self.sauce_access_key) return base64.b64encode(auth_info.encode('utf-8')).decode('utf-8')
get_auth_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n auth_info = '{}:{}'.format(self.sauce_username, self.sauce_access_key)\n return base64.b64encode(auth_info.encode('utf-8')).decode('utf-8')\n", "role": "user" }, { "content": "get_auth_string", "role": "assistant" } ]
def x(self, content_type): headers = self.make_headers(content_type) headers['Authorization'] = 'Basic {}'.format(self.get_auth_string()) return headers
make_auth_headers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, content_type):\n headers = self.make_headers(content_type)\n headers['Authorization'] = 'Basic {}'.format(self.get_auth_string())\n return headers\n", "role": "user" }, { "content": "make_auth_headers", "role": "assistant" } ]
def x(self, method, url, body=None, content_type='application/json'): headers = self.make_auth_headers(content_type) connection = http_client.HTTPSConnection(self.apibase) connection.request(method, url, body, headers=headers) response = connection.getresponse() data = response.read() connection.close() if response.status not in [200, 201]: raise SauceException('{}: {}.\nSauce Status NOT OK'.format(response .status, response.reason), response=response) return json.loads(data.decode('utf-8'))
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, url, body=None, content_type='application/json'):\n headers = self.make_auth_headers(content_type)\n connection = http_client.HTTPSConnection(self.apibase)\n connection.request(method, url, body, headers=headers)\n response = connection.getresponse()\n data = response.read()\n connection.close()\n if response.status not in [200, 201]:\n raise SauceException('{}: {}.\\nSauce Status NOT OK'.format(response\n .status, response.reason), response=response)\n return json.loads(data.decode('utf-8'))\n", "role": "user" }, { "content": "request", "role": "assistant" } ]
def x(self): method = 'GET' endpoint = '/rest/v1/users/{}'.format(self.client.sauce_username) return self.client.request(method, endpoint)
get_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n method = 'GET'\n endpoint = '/rest/v1/users/{}'.format(self.client.sauce_username)\n return self.client.request(method, endpoint)\n", "role": "user" }, { "content": "get_user", "role": "assistant" } ]
def x(self, username, password, name, email): method = 'POST' endpoint = '/rest/v1/users/{}'.format(self.client.sauce_username) body = json.dumps({'username': username, 'password': password, 'name': name, 'email': email}) return self.client.request(method, endpoint, body)
create_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, password, name, email):\n method = 'POST'\n endpoint = '/rest/v1/users/{}'.format(self.client.sauce_username)\n body = json.dumps({'username': username, 'password': password, 'name':\n name, 'email': email})\n return self.client.request(method, endpoint, body)\n", "role": "user" }, { "content": "create_user", "role": "assistant" } ]
def x(self): method = 'GET' endpoint = '/rest/v1.1/users/{}/concurrency'.format(self.client. sauce_username) return self.client.request(method, endpoint)
get_concurrency
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n method = 'GET'\n endpoint = '/rest/v1.1/users/{}/concurrency'.format(self.client.\n sauce_username)\n return self.client.request(method, endpoint)\n", "role": "user" }, { "content": "get_concurrency", "role": "assistant" } ]
def x(self): method = 'GET' endpoint = '/rest/v1/users/{}/list-subaccounts'.format(self.client. sauce_username) return self.client.request(method, endpoint)
get_subaccounts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n method = 'GET'\n endpoint = '/rest/v1/users/{}/list-subaccounts'.format(self.client.\n sauce_username)\n return self.client.request(method, endpoint)\n", "role": "user" }, { "content": "get_subaccounts", "role": "assistant" } ]
def x(self): method = 'GET' endpoint = '/rest/v1.1/users/{}/siblings'.format(self.client.sauce_username ) return self.client.request(method, endpoint)
get_siblings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n method = 'GET'\n endpoint = '/rest/v1.1/users/{}/siblings'.format(self.client.sauce_username\n )\n return self.client.request(method, endpoint)\n", "role": "user" }, { "content": "get_siblings", "role": "assistant" } ]
def x(self): method = 'GET' endpoint = '/rest/v1/users/{}/subaccounts'.format(self.client. sauce_username) return self.client.request(method, endpoint)
get_subaccount_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n method = 'GET'\n endpoint = '/rest/v1/users/{}/subaccounts'.format(self.client.\n sauce_username)\n return self.client.request(method, endpoint)\n", "role": "user" }, { "content": "get_subaccount_info", "role": "assistant" } ]
def x(self): method = 'POST' endpoint = '/rest/v1/users/{}/accesskey/change'.format(self.client. sauce_username) return self.client.request(method, endpoint)
change_access_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n method = 'POST'\n endpoint = '/rest/v1/users/{}/accesskey/change'.format(self.client.\n sauce_username)\n return self.client.request(method, endpoint)\n", "role": "user" }, { "content": "change_access_key", "role": "assistant" } ]
def x(self): method = 'GET' endpoint = '/rest/v1/{}/activity'.format(self.client.sauce_username) return self.client.request(method, endpoint)
get_activity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n method = 'GET'\n endpoint = '/rest/v1/{}/activity'.format(self.client.sauce_username)\n return self.client.request(method, endpoint)\n", "role": "user" }, { "content": "get_activity", "role": "assistant" } ]
def x(self, start=None, end=None): method = 'GET' endpoint = '/rest/v1/users/{}/usage'.format(self.client.sauce_username) data = {} if start: data['start'] = start if end: data['end'] = end if data: endpoint = '?'.join([endpoint, urlencode(data)]) return self.client.request(method, endpoint)
get_usage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start=None, end=None):\n method = 'GET'\n endpoint = '/rest/v1/users/{}/usage'.format(self.client.sauce_username)\n data = {}\n if start:\n data['start'] = start\n if end:\n data['end'] = end\n if data:\n endpoint = '?'.join([endpoint, urlencode(data)])\n return self.client.request(method, endpoint)\n", "role": "user" }, { "content": "get_usage", "role": "assistant" } ]
def x(self, automation_api='all'): method = 'GET' endpoint = '/rest/v1/info/platforms/{}'.format(automation_api) return self.client.request(method, endpoint)
get_platforms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, automation_api='all'):\n method = 'GET'\n endpoint = '/rest/v1/info/platforms/{}'.format(automation_api)\n return self.client.request(method, endpoint)\n", "role": "user" }, { "content": "get_platforms", "role": "assistant" } ]
def x(self, full=None, limit=None, skip=None, start=None, end=None, output_format=None): method = 'GET' endpoint = '/rest/v1/{}/jobs'.format(self.client.sauce_username) data = {} if full is not None: data['full'] = full if limit is not None: data['limit'] = limit if skip is not None: data['skip'] = skip if start is not None: data['from'] = start if end is not None: data['to'] = end if output_format is not None: data['format'] = output_format if data: endpoint = '?'.join([endpoint, urlencode(data)]) return self.client.request(method, endpoint)
get_jobs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, full=None, limit=None, skip=None, start=None, end=None,\n output_format=None):\n method = 'GET'\n endpoint = '/rest/v1/{}/jobs'.format(self.client.sauce_username)\n data = {}\n if full is not None:\n data['full'] = full\n if limit is not None:\n data['limit'] = limit\n if skip is not None:\n data['skip'] = skip\n if start is not None:\n data['from'] = start\n if end is not None:\n data['to'] = end\n if output_format is not None:\n data['format'] = output_format\n if data:\n endpoint = '?'.join([endpoint, urlencode(data)])\n return self.client.request(method, endpoint)\n", "role": "user" }, { "content": "get_jobs", "role": "assistant" } ]
def x(self, job_id, build=None, custom_data=None, name=None, passed=None, public=None, tags=None): method = 'PUT' endpoint = '/rest/v1/{}/jobs/{}'.format(self.client.sauce_username, job_id) data = {} if build is not None: data['build'] = build if custom_data is not None: data['custom-data'] = custom_data if name is not None: data['name'] = name if passed is not None: data['passed'] = passed if public is not None: data['public'] = public if tags is not None: data['tags'] = tags body = json.dumps(data) return self.client.request(method, endpoint, body=body)
update_job
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, job_id, build=None, custom_data=None, name=None, passed=None,\n public=None, tags=None):\n method = 'PUT'\n endpoint = '/rest/v1/{}/jobs/{}'.format(self.client.sauce_username, job_id)\n data = {}\n if build is not None:\n data['build'] = build\n if custom_data is not None:\n data['custom-data'] = custom_data\n if name is not None:\n data['name'] = name\n if passed is not None:\n data['passed'] = passed\n if public is not None:\n data['public'] = public\n if tags is not None:\n data['tags'] = tags\n body = json.dumps(data)\n return self.client.request(method, endpoint, body=body)\n", "role": "user" }, { "content": "update_job", "role": "assistant" } ]
def x(self, job_id): method = 'PUT' endpoint = '/rest/v1/{}/jobs/{}/stop'.format(self.client.sauce_username, job_id) return self.client.request(method, endpoint)
stop_job
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, job_id):\n method = 'PUT'\n endpoint = '/rest/v1/{}/jobs/{}/stop'.format(self.client.sauce_username,\n job_id)\n return self.client.request(method, endpoint)\n", "role": "user" }, { "content": "stop_job", "role": "assistant" } ]
def x(self, job_id, filename): return 'https://saucelabs.com/rest/v1/{}/jobs/{}/assets/{}'.format(self .client.sauce_username, job_id, filename)
get_job_asset_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, job_id, filename):\n return 'https://saucelabs.com/rest/v1/{}/jobs/{}/assets/{}'.format(self\n .client.sauce_username, job_id, filename)\n", "role": "user" }, { "content": "get_job_asset_url", "role": "assistant" } ]
def x(self, job_id, date_range=None): key = '{}:{}'.format(self.client.sauce_username, self.client. sauce_access_key) if date_range: key = '{}:{}'.format(key, date_range) return hmac.new(key.encode('utf-8'), job_id.encode('utf-8'), md5 ).hexdigest()
get_auth_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, job_id, date_range=None):\n key = '{}:{}'.format(self.client.sauce_username, self.client.\n sauce_access_key)\n if date_range:\n key = '{}:{}'.format(key, date_range)\n return hmac.new(key.encode('utf-8'), job_id.encode('utf-8'), md5\n ).hexdigest()\n", "role": "user" }, { "content": "get_auth_token", "role": "assistant" } ]
def x(self, filepath, overwrite=True): method = 'POST' filename = os.path.split(filepath)[1] endpoint = '/rest/v1/storage/{}/{}?overwrite={}'.format(self.client. sauce_username, filename, 'true' if overwrite else 'false') with open(filepath, 'rb') as filehandle: body = filehandle.read() return self.client.request(method, endpoint, body, content_type= 'application/octet-stream')
upload_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filepath, overwrite=True):\n method = 'POST'\n filename = os.path.split(filepath)[1]\n endpoint = '/rest/v1/storage/{}/{}?overwrite={}'.format(self.client.\n sauce_username, filename, 'true' if overwrite else 'false')\n with open(filepath, 'rb') as filehandle:\n body = filehandle.read()\n return self.client.request(method, endpoint, body, content_type=\n 'application/octet-stream')\n", "role": "user" }, { "content": "upload_file", "role": "assistant" } ]
def x(self): method = 'GET' endpoint = '/rest/v1/storage/{}'.format(self.client.sauce_username) return self.client.request(method, endpoint)
get_stored_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n method = 'GET'\n endpoint = '/rest/v1/storage/{}'.format(self.client.sauce_username)\n return self.client.request(method, endpoint)\n", "role": "user" }, { "content": "get_stored_files", "role": "assistant" } ]
def x(self): method = 'GET' endpoint = '/rest/v1/{}/tunnels'.format(self.client.sauce_username) return self.client.request(method, endpoint)
get_tunnels
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n method = 'GET'\n endpoint = '/rest/v1/{}/tunnels'.format(self.client.sauce_username)\n return self.client.request(method, endpoint)\n", "role": "user" }, { "content": "get_tunnels", "role": "assistant" } ]
def x(self, tunnel_id): method = 'GET' endpoint = '/rest/v1/{}/tunnels/{}'.format(self.client.sauce_username, tunnel_id) return self.client.request(method, endpoint)
get_tunnel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tunnel_id):\n method = 'GET'\n endpoint = '/rest/v1/{}/tunnels/{}'.format(self.client.sauce_username,\n tunnel_id)\n return self.client.request(method, endpoint)\n", "role": "user" }, { "content": "get_tunnel", "role": "assistant" } ]
def x(patch): settings = Settings() if patch.settings is None else patch.settings try: target = get_attribute(patch.destination, patch.name) except AttributeError: pass else: if not settings.allow_hit: raise RuntimeError( "An attribute named '%s' already exists at the destination '%s'. Set a different name through the patch object to avoid a name clash or set the setting 'allow_hit' to True to overwrite the attribute. In the latter case, it is recommended to also set the 'store_hit' setting to True in order to store the original attribute under a different name so it can still be accessed." % (patch.name, patch.destination.__name__)) if settings.store_hit: original_name = _ORIGINAL_NAME % (patch.name,) if not hasattr(patch.destination, original_name): setattr(patch.destination, original_name, target) setattr(patch.destination, patch.name, patch.obj)
apply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(patch):\n settings = Settings() if patch.settings is None else patch.settings\n try:\n target = get_attribute(patch.destination, patch.name)\n except AttributeError:\n pass\n else:\n if not settings.allow_hit:\n raise RuntimeError(\n \"An attribute named '%s' already exists at the destination '%s'. Set a different name through the patch object to avoid a name clash or set the setting 'allow_hit' to True to overwrite the attribute. In the latter case, it is recommended to also set the 'store_hit' setting to True in order to store the original attribute under a different name so it can still be accessed.\"\n % (patch.name, patch.destination.__name__))\n if settings.store_hit:\n original_name = _ORIGINAL_NAME % (patch.name,)\n if not hasattr(patch.destination, original_name):\n setattr(patch.destination, original_name, target)\n setattr(patch.destination, patch.name, patch.obj)\n", "role": "user" }, { "content": "apply", "role": "assistant" } ]
def x(destination, name=None, settings=None): def x(wrapped): base = _get_base(wrapped) name_ = base.__name__ if name is None else name settings_ = copy.deepcopy(settings) patch = Patch(destination, name_, wrapped, settings=settings_) data = get_decorator_data(base, set_default=True) data.patches.append(patch) return wrapped return decorator
patch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(destination, name=None, settings=None):\n\n def x(wrapped):\n base = _get_base(wrapped)\n name_ = base.__name__ if name is None else name\n settings_ = copy.deepcopy(settings)\n patch = Patch(destination, name_, wrapped, settings=settings_)\n data = get_decorator_data(base, set_default=True)\n data.patches.append(patch)\n return wrapped\n return decorator\n", "role": "user" }, { "content": "patch", "role": "assistant" } ]
def x(destination, settings=None, traverse_bases=True, filter= default_filter, recursive=True, use_decorators=True): def x(wrapped): settings_ = copy.deepcopy(settings) patches = create_patches(destination, wrapped, settings=settings_, traverse_bases=traverse_bases, filter=filter, recursive= recursive, use_decorators=use_decorators) data = get_decorator_data(_get_base(wrapped), set_default=True) data.patches.extend(patches) return wrapped return decorator
patches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(destination, settings=None, traverse_bases=True, filter=\n default_filter, recursive=True, use_decorators=True):\n\n def x(wrapped):\n settings_ = copy.deepcopy(settings)\n patches = create_patches(destination, wrapped, settings=settings_,\n traverse_bases=traverse_bases, filter=filter, recursive=\n recursive, use_decorators=use_decorators)\n data = get_decorator_data(_get_base(wrapped), set_default=True)\n data.patches.extend(patches)\n return wrapped\n return decorator\n", "role": "user" }, { "content": "patches", "role": "assistant" } ]
def x(value): def x(wrapped): data = get_decorator_data(_get_base(wrapped), set_default=True) data.override['destination'] = value return wrapped return decorator
destination
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n\n def x(wrapped):\n data = get_decorator_data(_get_base(wrapped), set_default=True)\n data.override['destination'] = value\n return wrapped\n return decorator\n", "role": "user" }, { "content": "destination", "role": "assistant" } ]
def x(**kwargs): def x(wrapped): data = get_decorator_data(_get_base(wrapped), set_default=True) data.override.setdefault('settings', {}).update(kwargs) return wrapped return decorator
settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kwargs):\n\n def x(wrapped):\n data = get_decorator_data(_get_base(wrapped), set_default=True)\n data.override.setdefault('settings', {}).update(kwargs)\n return wrapped\n return decorator\n", "role": "user" }, { "content": "settings", "role": "assistant" } ]
def x(value): def x(wrapped): data = get_decorator_data(_get_base(wrapped), set_default=True) data.filter = value return wrapped return decorator
filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n\n def x(wrapped):\n data = get_decorator_data(_get_base(wrapped), set_default=True)\n data.filter = value\n return wrapped\n return decorator\n", "role": "user" }, { "content": "filter", "role": "assistant" } ]
def x(destination, root, settings=None, traverse_bases=True, filter= default_filter, recursive=True, use_decorators=True): if filter is None: filter = _true out = [] root_patch = Patch(destination, '', root, settings=settings) stack = collections.deque((root_patch,)) while stack: parent_patch = stack.popleft() members = _get_members(parent_patch.obj, traverse_bases= traverse_bases, filter=None, recursive=False) for name, value in members: patch = Patch(parent_patch.destination, name, value, settings= copy.deepcopy(parent_patch.settings)) if use_decorators: base = _get_base(value) decorator_data = get_decorator_data(base) filter_override = (None if decorator_data is None else decorator_data.filter) if filter_override is None and not filter(name, value ) or filter_override is False: continue if decorator_data is not None: patch._update(**decorator_data.override) elif not filter(name, value): continue if recursive and isinstance(value, _CLASS_TYPES): try: target = get_attribute(patch.destination, patch.name) except AttributeError: pass else: if isinstance(target, _CLASS_TYPES): patch.destination = target stack.append(patch) continue out.append(patch) return out
create_patches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(destination, root, settings=None, traverse_bases=True, filter=\n default_filter, recursive=True, use_decorators=True):\n if filter is None:\n filter = _true\n out = []\n root_patch = Patch(destination, '', root, settings=settings)\n stack = collections.deque((root_patch,))\n while stack:\n parent_patch = stack.popleft()\n members = _get_members(parent_patch.obj, traverse_bases=\n traverse_bases, filter=None, recursive=False)\n for name, value in members:\n patch = Patch(parent_patch.destination, name, value, settings=\n copy.deepcopy(parent_patch.settings))\n if use_decorators:\n base = _get_base(value)\n decorator_data = get_decorator_data(base)\n filter_override = (None if decorator_data is None else\n decorator_data.filter)\n if filter_override is None and not filter(name, value\n ) or filter_override is False:\n continue\n if decorator_data is not None:\n patch._update(**decorator_data.override)\n elif not filter(name, value):\n continue\n if recursive and isinstance(value, _CLASS_TYPES):\n try:\n target = get_attribute(patch.destination, patch.name)\n except AttributeError:\n pass\n else:\n if isinstance(target, _CLASS_TYPES):\n patch.destination = target\n stack.append(patch)\n continue\n out.append(patch)\n return out\n", "role": "user" }, { "content": "create_patches", "role": "assistant" } ]
def x(modules, recursive=True): out = [] modules = (module for package in modules for module in _module_iterator (package, recursive=recursive)) for module in modules: members = _get_members(module, filter=None) for _, value in members: base = _get_base(value) decorator_data = get_decorator_data(base) if decorator_data is None: continue out.extend(decorator_data.patches) return out
find_patches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(modules, recursive=True):\n out = []\n modules = (module for package in modules for module in _module_iterator\n (package, recursive=recursive))\n for module in modules:\n members = _get_members(module, filter=None)\n for _, value in members:\n base = _get_base(value)\n decorator_data = get_decorator_data(base)\n if decorator_data is None:\n continue\n out.extend(decorator_data.patches)\n return out\n", "role": "user" }, { "content": "find_patches", "role": "assistant" } ]
def x(obj, name): objs = inspect.getmro(obj) if isinstance(obj, _CLASS_TYPES) else [obj] for obj_ in objs: try: return object.__getattribute__(obj_, name) except AttributeError: pass raise AttributeError("'%s' object has no attribute '%s'" % (type(obj), name))
get_attribute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, name):\n objs = inspect.getmro(obj) if isinstance(obj, _CLASS_TYPES) else [obj]\n for obj_ in objs:\n try:\n return object.__getattribute__(obj_, name)\n except AttributeError:\n pass\n raise AttributeError(\"'%s' object has no attribute '%s'\" % (type(obj),\n name))\n", "role": "user" }, { "content": "get_attribute", "role": "assistant" } ]
def x(obj, set_default=False): if isinstance(obj, _CLASS_TYPES): datas = getattr(obj, _DECORATOR_DATA, {}) data = datas.setdefault(obj, None) if data is None and set_default: data = DecoratorData() datas[obj] = data setattr(obj, _DECORATOR_DATA, datas) else: data = getattr(obj, _DECORATOR_DATA, None) if data is None and set_default: data = DecoratorData() setattr(obj, _DECORATOR_DATA, data) return data
get_decorator_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, set_default=False):\n if isinstance(obj, _CLASS_TYPES):\n datas = getattr(obj, _DECORATOR_DATA, {})\n data = datas.setdefault(obj, None)\n if data is None and set_default:\n data = DecoratorData()\n datas[obj] = data\n setattr(obj, _DECORATOR_DATA, datas)\n else:\n data = getattr(obj, _DECORATOR_DATA, None)\n if data is None and set_default:\n data = DecoratorData()\n setattr(obj, _DECORATOR_DATA, data)\n return data\n", "role": "user" }, { "content": "get_decorator_data", "role": "assistant" } ]
def x(obj): if hasattr(obj, '__func__'): obj = obj.__func__ elif isinstance(obj, property): obj = obj.fget elif isinstance(obj, (classmethod, staticmethod)): obj = obj.__get__(None, object) else: return obj return _get_base(obj)
get_base
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n if hasattr(obj, '__func__'):\n obj = obj.__func__\n elif isinstance(obj, property):\n obj = obj.fget\n elif isinstance(obj, (classmethod, staticmethod)):\n obj = obj.__get__(None, object)\n else:\n return obj\n return _get_base(obj)\n", "role": "user" }, { "content": "get_base", "role": "assistant" } ]