source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self): now = math.floor(int(time.time() * 1000) / 3600000.0) if self.tkk and int(self.tkk.split('.')[0]) == now: return r = self.session.get(self.host) raw_tkk = self.RE_TKK.search(r.text) if raw_tkk: self.tkk = raw_tkk.group(1) return code = unicode(self.RE_TKK.search(r.text).group(1)).replace('var ', '') if PY3: code = code.encode().decode('unicode-escape') else: code = code.decode('string_escape') if code: tree = ast.parse(code) visit_return = False operator = '+' n, keys = 0, dict(a=0, b=0) for node in ast.walk(tree): if isinstance(node, ast.Assign): name = node.targets[0].id if name in keys: if isinstance(node.value, ast.Num): keys[name] = node.value.n elif isinstance(node.value, ast.UnaryOp) and isinstance( node.value.op, ast.USub): keys[name] = -node.value.operand.n elif isinstance(node, ast.Return): visit_return = True elif visit_return and isinstance(node, ast.Num): n = node.n elif visit_return and n > 0: if isinstance(node, ast.Add): pass elif isinstance(node, ast.Sub): operator = '-' elif isinstance(node, ast.Mult): operator = '*' elif isinstance(node, ast.Pow): operator = '**' elif isinstance(node, ast.BitXor): operator = '^' clause = compile('{1}{0}{2}'.format(operator, keys['a'], keys['b']), '', 'eval') value = eval(clause, dict(__builtin__={})) result = '{}.{}'.format(n, value) self.tkk = result
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n now = math.floor(int(time.time() * 1000) / 3600000.0)\n if self.tkk and int(self.tkk.split('.')[0]) == now:\n return\n r = self.session.get(self.host)\n raw_tkk = self.RE_TKK.search(r.text)\n if raw_tkk:\n self.tkk = raw_tkk.group(1)\n return\n code = unicode(self.RE_TKK.search(r.text).group(1)).replace('var ', '')\n if PY3:\n code = code.encode().decode('unicode-escape')\n else:\n code = code.decode('string_escape')\n if code:\n tree = ast.parse(code)\n visit_return = False\n operator = '+'\n n, keys = 0, dict(a=0, b=0)\n for node in ast.walk(tree):\n if isinstance(node, ast.Assign):\n name = node.targets[0].id\n if name in keys:\n if isinstance(node.value, ast.Num):\n keys[name] = node.value.n\n elif isinstance(node.value, ast.UnaryOp) and isinstance(\n node.value.op, ast.USub):\n keys[name] = -node.value.operand.n\n elif isinstance(node, ast.Return):\n visit_return = True\n elif visit_return and isinstance(node, ast.Num):\n n = node.n\n elif visit_return and n > 0:\n if isinstance(node, ast.Add):\n pass\n elif isinstance(node, ast.Sub):\n operator = '-'\n elif isinstance(node, ast.Mult):\n operator = '*'\n elif isinstance(node, ast.Pow):\n operator = '**'\n elif isinstance(node, ast.BitXor):\n operator = '^'\n clause = compile('{1}{0}{2}'.format(operator, keys['a'], keys['b']),\n '', 'eval')\n value = eval(clause, dict(__builtin__={}))\n result = '{}.{}'.format(n, value)\n self.tkk = result\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(wheel): name, version, python, abi, platform = wheel.split('-') python, abi = 'py2.py3', 'none' if platform == 'linux_x86_64.whl': platform = 'manylinux1_x86_64.whl' elif platform == 'linux_i686.whl': platform = 'manylinux1_i686.whl' return '-'.join((name, version, python, abi, platform))
make_wheel_filename_generic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(wheel):\n name, version, python, abi, platform = wheel.split('-')\n python, abi = 'py2.py3', 'none'\n if platform == 'linux_x86_64.whl':\n platform = 'manylinux1_x86_64.whl'\n elif platform == 'linux_i686.whl':\n platform = 'manylinux1_i686.whl'\n return '-'.join((name, version, python, abi, platform))\n", "role": "user" }, { "content": "make_wheel_filename_generic", "role": "assistant" } ]
def x(self, k, inplace=False): vocabulary = self.vocabulary.most_frequent(k) vectors = np.asarray([self[w] for w in vocabulary]) if inplace: self.vocabulary = vocabulary self.vectors = vectors return self return Embedding(vectors=vectors, vocabulary=vocabulary)
most_frequent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, k, inplace=False):\n vocabulary = self.vocabulary.most_frequent(k)\n vectors = np.asarray([self[w] for w in vocabulary])\n if inplace:\n self.vocabulary = vocabulary\n self.vectors = vectors\n return self\n return Embedding(vectors=vectors, vocabulary=vocabulary)\n", "role": "user" }, { "content": "most_frequent", "role": "assistant" } ]
def x(self, ord=2, inplace=False): if ord == 2: ord = None vectors = self.vectors.T / np.linalg.norm(self.vectors, ord, axis=1) if inplace: self.vectors = vectors.T return self return Embedding(vectors=vectors.T, vocabulary=self.vocabulary)
normalize_words
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ord=2, inplace=False):\n if ord == 2:\n ord = None\n vectors = self.vectors.T / np.linalg.norm(self.vectors, ord, axis=1)\n if inplace:\n self.vectors = vectors.T\n return self\n return Embedding(vectors=vectors.T, vocabulary=self.vocabulary)\n", "role": "user" }, { "content": "normalize_words", "role": "assistant" } ]
def x(self, word, top_k=10): point = self[word] diff = self.vectors - point distances = np.linalg.norm(diff, axis=1) top_ids = distances.argsort()[1:top_k + 1] return [self.vocabulary.id_word[i] for i in top_ids]
nearest_neighbors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, word, top_k=10):\n point = self[word]\n diff = self.vectors - point\n distances = np.linalg.norm(diff, axis=1)\n top_ids = distances.argsort()[1:top_k + 1]\n return [self.vocabulary.id_word[i] for i in top_ids]\n", "role": "user" }, { "content": "nearest_neighbors", "role": "assistant" } ]
def x(self, word, words): point = self[word] vectors = np.asarray([self[w] for w in words]) diff = vectors - point distances = np.linalg.norm(diff, axis=1) return distances
distances
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, word, words):\n point = self[word]\n vectors = np.asarray([self[w] for w in words])\n diff = vectors - point\n distances = np.linalg.norm(diff, axis=1)\n return distances\n", "role": "user" }, { "content": "distances", "role": "assistant" } ]
def x(fname, fvocab=None, binary=False): vocabulary = None if fvocab is not None: logger.info('loading word counts from %s' % fvocab) vocabulary = Embedding.from_word2vec_vocab(fvocab) logger.info('loading projection weights from %s' % fname) if binary: words, vectors = Embedding._from_word2vec_binary(fname) else: words, vectors = Embedding._from_word2vec_text(fname) if not vocabulary: vocabulary = OrderedVocabulary(words=words) return Embedding(vocabulary=vocabulary, vectors=vectors)
from_word2vec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fname, fvocab=None, binary=False):\n vocabulary = None\n if fvocab is not None:\n logger.info('loading word counts from %s' % fvocab)\n vocabulary = Embedding.from_word2vec_vocab(fvocab)\n logger.info('loading projection weights from %s' % fname)\n if binary:\n words, vectors = Embedding._from_word2vec_binary(fname)\n else:\n words, vectors = Embedding._from_word2vec_text(fname)\n if not vocabulary:\n vocabulary = OrderedVocabulary(words=words)\n return Embedding(vocabulary=vocabulary, vectors=vectors)\n", "role": "user" }, { "content": "from_word2vec", "role": "assistant" } ]
def x(fname): content = _open(fname).read() if PY2: state = pickle.loads(content) else: state = pickle.loads(content, encoding='latin1') voc, vec = state if len(voc) == 2: words, counts = voc word_count = dict(zip(words, counts)) vocab = CountedVocabulary(word_count=word_count) else: vocab = OrderedVocabulary(voc) return Embedding(vocabulary=vocab, vectors=vec)
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fname):\n content = _open(fname).read()\n if PY2:\n state = pickle.loads(content)\n else:\n state = pickle.loads(content, encoding='latin1')\n voc, vec = state\n if len(voc) == 2:\n words, counts = voc\n word_count = dict(zip(words, counts))\n vocab = CountedVocabulary(word_count=word_count)\n else:\n vocab = OrderedVocabulary(voc)\n return Embedding(vocabulary=vocab, vectors=vec)\n", "role": "user" }, { "content": "load", "role": "assistant" } ]
def x(self, fname): vec = self.vectors voc = self.vocabulary.getstate() state = voc, vec with open(fname, 'wb') as f: pickle.dump(state, f, protocol=pickle.HIGHEST_PROTOCOL)
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fname):\n vec = self.vectors\n voc = self.vocabulary.getstate()\n state = voc, vec\n with open(fname, 'wb') as f:\n pickle.dump(state, f, protocol=pickle.HIGHEST_PROTOCOL)\n", "role": "user" }, { "content": "save", "role": "assistant" } ]
def x(filename, root, verbose=True): for message in _unzip_iter(filename, root, verbose): if isinstance(message, ErrorMessage): raise Exception(message)
unzip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, root, verbose=True):\n for message in _unzip_iter(filename, root, verbose):\n if isinstance(message, ErrorMessage):\n raise Exception(message)\n", "role": "user" }, { "content": "unzip", "role": "assistant" } ]
def x(root, base_url): packages = [] for pkg_xml, zf, subdir in _find_packages(os.path.join(root, 'packages')): zipstat = os.stat(zf.filename) url = '%s/%s/%s' % (base_url, subdir, os.path.split(zf.filename)[1]) unzipped_size = sum(zf_info.file_size for zf_info in zf.infolist()) pkg_xml.set('unzipped_size', '%s' % unzipped_size) pkg_xml.set('size', '%s' % zipstat.st_size) pkg_xml.set('subdir', subdir) pkg_xml.set('url', url) packages.append(pkg_xml) collections = list(_find_collections(os.path.join(root, 'collections'))) uids = set() for item in (packages + collections): if item.get('id') in uids: raise ValueError('Duplicate UID: %s' % item.get('id')) uids.add(item.get('id')) top_elt = ElementTree.Element('polyglot_data') top_elt.append(ElementTree.Element('packages')) for package in packages: top_elt[0].append(package) top_elt.append(ElementTree.Element('collections')) for collection in collections: top_elt[1].append(collection) _indent_xml(top_elt) return top_elt
build_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(root, base_url):\n packages = []\n for pkg_xml, zf, subdir in _find_packages(os.path.join(root, 'packages')):\n zipstat = os.stat(zf.filename)\n url = '%s/%s/%s' % (base_url, subdir, os.path.split(zf.filename)[1])\n unzipped_size = sum(zf_info.file_size for zf_info in zf.infolist())\n pkg_xml.set('unzipped_size', '%s' % unzipped_size)\n pkg_xml.set('size', '%s' % zipstat.st_size)\n pkg_xml.set('subdir', subdir)\n pkg_xml.set('url', url)\n packages.append(pkg_xml)\n collections = list(_find_collections(os.path.join(root, 'collections')))\n uids = set()\n for item in (packages + collections):\n if item.get('id') in uids:\n raise ValueError('Duplicate UID: %s' % item.get('id'))\n uids.add(item.get('id'))\n top_elt = ElementTree.Element('polyglot_data')\n top_elt.append(ElementTree.Element('packages'))\n for package in packages:\n top_elt[0].append(package)\n top_elt.append(ElementTree.Element('collections'))\n for collection in collections:\n top_elt[1].append(collection)\n _indent_xml(top_elt)\n return top_elt\n", "role": "user" }, { "content": "build_index", "role": "assistant" } ]
def x(xml, prefix=''): if len(xml) > 0: xml.text = (xml.text or '').strip() + '\n' + prefix + ' ' for child in xml: _indent_xml(child, prefix + ' ') for child in xml[:-1]: child.tail = (child.tail or '').strip() + '\n' + prefix + ' ' xml[-1].tail = (xml[-1].tail or '').strip() + '\n' + prefix
indent_xml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(xml, prefix=''):\n if len(xml) > 0:\n xml.text = (xml.text or '').strip() + '\\n' + prefix + ' '\n for child in xml:\n _indent_xml(child, prefix + ' ')\n for child in xml[:-1]:\n child.tail = (child.tail or '').strip() + '\\n' + prefix + ' '\n xml[-1].tail = (xml[-1].tail or '').strip() + '\\n' + prefix\n", "role": "user" }, { "content": "indent_xml", "role": "assistant" } ]
def x(pkg_xml, zipfilename, zf): uid = os.path.splitext(os.path.split(zipfilename)[1])[0] if pkg_xml.get('id') != uid: raise ValueError('package identifier mismatch (%s vs %s)' % ( pkg_xml.get('id'), uid)) if sum(name != uid and not name.startswith(uid + '/') for name in zf. namelist()): raise ValueError( 'Zipfile %s.zip does not expand to a single subdirectory %s/' % (uid, uid))
check_package
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pkg_xml, zipfilename, zf):\n uid = os.path.splitext(os.path.split(zipfilename)[1])[0]\n if pkg_xml.get('id') != uid:\n raise ValueError('package identifier mismatch (%s vs %s)' % (\n pkg_xml.get('id'), uid))\n if sum(name != uid and not name.startswith(uid + '/') for name in zf.\n namelist()):\n raise ValueError(\n 'Zipfile %s.zip does not expand to a single subdirectory %s/' %\n (uid, uid))\n", "role": "user" }, { "content": "check_package", "role": "assistant" } ]
def x(filename): p = subprocess.Popen(['svn', 'status', '-v', filename], stdout= subprocess.PIPE, stderr=subprocess.PIPE) stdout, stderr = p.communicate() if p.returncode != 0 or stderr or not stdout: raise ValueError('Error determining svn_revision for %s: %s' % (os. path.split(filename)[1], textwrap.fill(stderr))) return stdout.split()[2]
svn_revision
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n p = subprocess.Popen(['svn', 'status', '-v', filename], stdout=\n subprocess.PIPE, stderr=subprocess.PIPE)\n stdout, stderr = p.communicate()\n if p.returncode != 0 or stderr or not stdout:\n raise ValueError('Error determining svn_revision for %s: %s' % (os.\n path.split(filename)[1], textwrap.fill(stderr)))\n return stdout.split()[2]\n", "role": "user" }, { "content": "svn_revision", "role": "assistant" } ]
def x(root): packages = [] for dirname, subdirs, files in os.walk(root): for filename in files: if filename.endswith('.xml'): xmlfile = os.path.join(dirname, filename) yield ElementTree.parse(xmlfile).getroot()
find_collections
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(root):\n packages = []\n for dirname, subdirs, files in os.walk(root):\n for filename in files:\n if filename.endswith('.xml'):\n xmlfile = os.path.join(dirname, filename)\n yield ElementTree.parse(xmlfile).getroot()\n", "role": "user" }, { "content": "find_collections", "role": "assistant" } ]
def x(root): packages = [] for dirname, subdirs, files in os.walk(root): relpath = '/'.join(_path_from(root, dirname)) for filename in files: if filename.endswith('.xml'): xmlfilename = os.path.join(dirname, filename) zipfilename = xmlfilename[:-4] + '.zip' try: zf = zipfile.ZipFile(zipfilename) except Exception as e: raise ValueError('Error reading file %r!\n%s' % ( zipfilename, e)) try: pkg_xml = ElementTree.parse(xmlfilename).getroot() except Exception as e: raise ValueError('Error reading file %r!\n%s' % ( xmlfilename, e)) uid = os.path.split(xmlfilename[:-4])[1] if pkg_xml.get('id') != uid: raise ValueError( 'package identifier mismatch (%s vs %s)' % (pkg_xml .get('id'), uid)) if sum(name != uid and not name.startswith(uid + '/') for name in zf.namelist()): raise ValueError( 'Zipfile %s.zip does not expand to a single subdirectory %s/' % (uid, uid)) yield pkg_xml, zf, relpath try: subdirs.remove('.svn') except ValueError: pass
find_packages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(root):\n packages = []\n for dirname, subdirs, files in os.walk(root):\n relpath = '/'.join(_path_from(root, dirname))\n for filename in files:\n if filename.endswith('.xml'):\n xmlfilename = os.path.join(dirname, filename)\n zipfilename = xmlfilename[:-4] + '.zip'\n try:\n zf = zipfile.ZipFile(zipfilename)\n except Exception as e:\n raise ValueError('Error reading file %r!\\n%s' % (\n zipfilename, e))\n try:\n pkg_xml = ElementTree.parse(xmlfilename).getroot()\n except Exception as e:\n raise ValueError('Error reading file %r!\\n%s' % (\n xmlfilename, e))\n uid = os.path.split(xmlfilename[:-4])[1]\n if pkg_xml.get('id') != uid:\n raise ValueError(\n 'package identifier mismatch (%s vs %s)' % (pkg_xml\n .get('id'), uid))\n if sum(name != uid and not name.startswith(uid + '/') for\n name in zf.namelist()):\n raise ValueError(\n 'Zipfile %s.zip does not expand to a single subdirectory %s/'\n % (uid, uid))\n yield pkg_xml, zf, relpath\n try:\n subdirs.remove('.svn')\n except ValueError:\n pass\n", "role": "user" }, { "content": "find_packages", "role": "assistant" } ]
def x(self, info_or_id, download_dir=None): if download_dir is None: download_dir = self._download_dir info = self._info_or_id(info_or_id) if isinstance(info, Collection): pkg_status = [self.status(pkg.id) for pkg in info.packages] if self.STALE in pkg_status: return self.STALE elif self.PARTIAL in pkg_status: return self.PARTIAL elif self.INSTALLED in pkg_status and self.NOT_INSTALLED in pkg_status: return self.PARTIAL elif self.NOT_INSTALLED in pkg_status: return self.NOT_INSTALLED else: return self.INSTALLED else: filepath = os.path.join(download_dir, info.filename) if download_dir != self._download_dir: status = self._pkg_status(info, filepath) else: if info.id not in self._status_cache: self._status_cache[info.id] = self._pkg_status(info, filepath) return self._status_cache[info.id]
status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, info_or_id, download_dir=None):\n if download_dir is None:\n download_dir = self._download_dir\n info = self._info_or_id(info_or_id)\n if isinstance(info, Collection):\n pkg_status = [self.status(pkg.id) for pkg in info.packages]\n if self.STALE in pkg_status:\n return self.STALE\n elif self.PARTIAL in pkg_status:\n return self.PARTIAL\n elif self.INSTALLED in pkg_status and self.NOT_INSTALLED in pkg_status:\n return self.PARTIAL\n elif self.NOT_INSTALLED in pkg_status:\n return self.NOT_INSTALLED\n else:\n return self.INSTALLED\n else:\n filepath = os.path.join(download_dir, info.filename)\n if download_dir != self._download_dir:\n status = self._pkg_status(info, filepath)\n else:\n if info.id not in self._status_cache:\n self._status_cache[info.id] = self._pkg_status(info, filepath)\n return self._status_cache[info.id]\n", "role": "user" }, { "content": "status", "role": "assistant" } ]
def x(self, quiet=False, prefix='[polyglot_data] '): self.clear_status_cache() for pkg in self.packages(): if self.status(pkg) == self.STALE: self.download(pkg, quiet=quiet, prefix=prefix)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quiet=False, prefix='[polyglot_data] '):\n self.clear_status_cache()\n for pkg in self.packages():\n if self.status(pkg) == self.STALE:\n self.download(pkg, quiet=quiet, prefix=prefix)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, url=None): if not (self._index is None or url is not None or time.time() - self. _index_timestamp > self.INDEX_TIMEOUT): return self._url = url or self._url source = self._source assert source == 'google' or source == 'mirror' if source == 'google': host = 'www.googleapis.com' conn = HTTPSConnection(host) conn.request('GET', '/storage/v1/b/{}/o'.format(self._url)) r1 = conn.getresponse() data = r1.read() elif source == 'mirror': index_url = path.join(self._url, 'index.json') data = urlopen(index_url).read() if six.PY3: data = data.decode('utf-8') data = loads(data) objs = data['items'] self._index_timestamp = time.time() packages = [] for p in objs: P = Package.fromcsobj(p) packages.append(P) self._packages = dict((p.id, p) for p in packages) langs = defaultdict(lambda : []) for k in self._packages: package = self._packages[k] langs[package.language].append(package) tasks = defaultdict(lambda : []) for k in self._packages: package = self._packages[k] tasks[package.task].append(package) collections = [] for lang in langs: children = langs[lang] name1 = Locale(lang).getDisplayLanguage() try: name2 = isoLangs[lang]['name'] except: name2 = None if name1 and name1 != lang: name = name1 elif name2: name = name2 else: name = lang id = '{}{}'.format(Downloader.LANG_PREFIX, lang) name = '{:<20} packages and models'.format(name) c = Collection(id=id, name=name, children=children) collections.append(c) for task in tasks: children = tasks[task] id = '{}{}'.format(Downloader.TASK_PREFIX, task) c = Collection(id=id, name=task, children=children) collections.append(c) self._collections = dict((c.id, c) for c in collections) for collection in self._collections.values(): for i, child_id in enumerate(collection.children): if child_id in self._packages: collection.children[i] = self._packages[child_id] if child_id in self._collections: collection.children[i] = self._collections[child_id] for collection in self._collections.values(): packages = {} queue = [collection] for child in queue: if isinstance(child, Collection): queue.extend(child.children) else: packages[child.id] = child collection.packages = packages.values() self._status_cache.clear()
update_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url=None):\n if not (self._index is None or url is not None or time.time() - self.\n _index_timestamp > self.INDEX_TIMEOUT):\n return\n self._url = url or self._url\n source = self._source\n assert source == 'google' or source == 'mirror'\n if source == 'google':\n host = 'www.googleapis.com'\n conn = HTTPSConnection(host)\n conn.request('GET', '/storage/v1/b/{}/o'.format(self._url))\n r1 = conn.getresponse()\n data = r1.read()\n elif source == 'mirror':\n index_url = path.join(self._url, 'index.json')\n data = urlopen(index_url).read()\n if six.PY3:\n data = data.decode('utf-8')\n data = loads(data)\n objs = data['items']\n self._index_timestamp = time.time()\n packages = []\n for p in objs:\n P = Package.fromcsobj(p)\n packages.append(P)\n self._packages = dict((p.id, p) for p in packages)\n langs = defaultdict(lambda : [])\n for k in self._packages:\n package = self._packages[k]\n langs[package.language].append(package)\n tasks = defaultdict(lambda : [])\n for k in self._packages:\n package = self._packages[k]\n tasks[package.task].append(package)\n collections = []\n for lang in langs:\n children = langs[lang]\n name1 = Locale(lang).getDisplayLanguage()\n try:\n name2 = isoLangs[lang]['name']\n except:\n name2 = None\n if name1 and name1 != lang:\n name = name1\n elif name2:\n name = name2\n else:\n name = lang\n id = '{}{}'.format(Downloader.LANG_PREFIX, lang)\n name = '{:<20} packages and models'.format(name)\n c = Collection(id=id, name=name, children=children)\n collections.append(c)\n for task in tasks:\n children = tasks[task]\n id = '{}{}'.format(Downloader.TASK_PREFIX, task)\n c = Collection(id=id, name=task, children=children)\n collections.append(c)\n self._collections = dict((c.id, c) for c in collections)\n for collection in self._collections.values():\n for i, child_id in enumerate(collection.children):\n if child_id in self._packages:\n collection.children[i] = self._packages[child_id]\n if child_id in self._collections:\n collection.children[i] = self._collections[child_id]\n for collection in self._collections.values():\n packages = {}\n queue = [collection]\n for child in queue:\n if isinstance(child, Collection):\n queue.extend(child.children)\n else:\n packages[child.id] = child\n collection.packages = packages.values()\n self._status_cache.clear()\n", "role": "user" }, { "content": "update_index", "role": "assistant" } ]
def x(self, id): if id in self._packages: return self._packages[id] if id in self._collections: return self._collections[id] self._update_index() if id in self._packages: return self._packages[id] if id in self._collections: return self._collections[id] raise ValueError('Package %r not found in index' % id)
info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id):\n if id in self._packages:\n return self._packages[id]\n if id in self._collections:\n return self._collections[id]\n self._update_index()\n if id in self._packages:\n return self._packages[id]\n if id in self._collections:\n return self._collections[id]\n raise ValueError('Package %r not found in index' % id)\n", "role": "user" }, { "content": "info", "role": "assistant" } ]
def x(self, lang=None, task=None): if lang: id = '{}{}'.format(Downloader.LANG_PREFIX, lang) elif task: id = '{}{}'.format(Downloader.TASK_PREFIX, task) else: raise ValueError('You should pass either the task or the lang') try: return self.info(id) except ValueError as e: if lang: raise LanguageNotSupported('Language {} is not supported'. format(id)) if task: raise TaskNotSupported('Task {} is not supported'.format(id))
get_collection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lang=None, task=None):\n if lang:\n id = '{}{}'.format(Downloader.LANG_PREFIX, lang)\n elif task:\n id = '{}{}'.format(Downloader.TASK_PREFIX, task)\n else:\n raise ValueError('You should pass either the task or the lang')\n try:\n return self.info(id)\n except ValueError as e:\n if lang:\n raise LanguageNotSupported('Language {} is not supported'.\n format(id))\n if task:\n raise TaskNotSupported('Task {} is not supported'.format(id))\n", "role": "user" }, { "content": "get_collection", "role": "assistant" } ]
def x(lang): try: self.get_collection(lang=lang) return True except LanguageNotSupported as e: return False
supported_language
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lang):\n try:\n self.get_collection(lang=lang)\n return True\n except LanguageNotSupported as e:\n return False\n", "role": "user" }, { "content": "supported_language", "role": "assistant" } ]
def x(self, task=None): if task: collection = self.get_collection(task=task) return [isoLangs[x.id.split('.')[1]]['name'] for x in collection. packages] else: return [x.name.split()[0] for x in self.collections() if Downloader .LANG_PREFIX in x.id]
supported_languages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, task=None):\n if task:\n collection = self.get_collection(task=task)\n return [isoLangs[x.id.split('.')[1]]['name'] for x in collection.\n packages]\n else:\n return [x.name.split()[0] for x in self.collections() if Downloader\n .LANG_PREFIX in x.id]\n", "role": "user" }, { "content": "supported_languages", "role": "assistant" } ]
def x(self, lang=None): if lang: collection = self.get_collection(lang=lang) return [x.id.split('.')[0] for x in collection.packages] else: return [x.name.split()[0] for x in self.collections() if Downloader .TASK_PREFIX in x.id]
supported_tasks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lang=None):\n if lang:\n collection = self.get_collection(lang=lang)\n return [x.id.split('.')[0] for x in collection.packages]\n else:\n return [x.name.split()[0] for x in self.collections() if Downloader\n .TASK_PREFIX in x.id]\n", "role": "user" }, { "content": "supported_tasks", "role": "assistant" } ]
def x(self, id): self._update_index() for package in self._index.findall('packages/package'): if package.get('id') == id: return package for collection in self._index.findall('collections/collection'): if collection.get('id') == id: return collection raise ValueError('Package %r not found in index' % id)
xmlinfo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id):\n self._update_index()\n for package in self._index.findall('packages/package'):\n if package.get('id') == id:\n return package\n for collection in self._index.findall('collections/collection'):\n if collection.get('id') == id:\n return collection\n raise ValueError('Package %r not found in index' % id)\n", "role": "user" }, { "content": "xmlinfo", "role": "assistant" } ]
def x(self, url): original_url = self._url try: self._update_index(url) except: self._url = original_url raise
set_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url):\n original_url = self._url\n try:\n self._update_index(url)\n except:\n self._url = original_url\n raise\n", "role": "user" }, { "content": "set_url", "role": "assistant" } ]
def x(self): if self.target_lang == 'en': return Transliterator._dummy_coder else: weights = load_transliteration_table(self.target_lang) decoder_weights = weights['decoder'] return Transliterator._transliterate_string(decoder_weights)
decoder
[ { "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.target_lang == 'en':\n return Transliterator._dummy_coder\n else:\n weights = load_transliteration_table(self.target_lang)\n decoder_weights = weights['decoder']\n return Transliterator._transliterate_string(decoder_weights)\n", "role": "user" }, { "content": "decoder", "role": "assistant" } ]
def x(self): if self.source_lang == 'en': return Transliterator._dummy_coder else: weights = load_transliteration_table(self.source_lang) encoder_weights = weights['encoder'] return Transliterator._transliterate_string(encoder_weights)
encoder
[ { "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.source_lang == 'en':\n return Transliterator._dummy_coder\n else:\n weights = load_transliteration_table(self.source_lang)\n encoder_weights = weights['encoder']\n return Transliterator._transliterate_string(encoder_weights)\n", "role": "user" }, { "content": "encoder", "role": "assistant" } ]
def x(self, word): encoded_word = self.encoder(word) decoded_word = self.decoder(encoded_word) return decoded_word
transliterate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, word):\n encoded_word = self.encoder(word)\n decoded_word = self.decoder(encoded_word)\n return decoded_word\n", "role": "user" }, { "content": "transliterate", "role": "assistant" } ]
def x(self): seq = self.word_tokenizer.transform(Sequence(self.raw)) return WordList(seq.tokens(), parent=self, language=self.language.code)
tokens
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n seq = self.word_tokenizer.transform(Sequence(self.raw))\n return WordList(seq.tokens(), parent=self, language=self.language.code)\n", "role": "user" }, { "content": "tokens", "role": "assistant" } ]
def x(self): scores = [w.polarity for w in self.words if w.polarity != 0] if not scores: return 0.0 return sum(scores) / float(len(scores))
polarity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n scores = [w.polarity for w in self.words if w.polarity != 0]\n if not scores:\n return 0.0\n return sum(scores) / float(len(scores))\n", "role": "user" }, { "content": "polarity", "role": "assistant" } ]
def x(self, target_language='en'): return WordList([w.transliterate(target_language) for w in self.words], language=target_language, parent=self)
transliterate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target_language='en'):\n return WordList([w.transliterate(target_language) for w in self.words],\n language=target_language, parent=self)\n", "role": "user" }, { "content": "transliterate", "role": "assistant" } ]
def x(self): start = 0 end = 0 prev_tag = u'O' chunks = [] for i, (w, tag) in enumerate(self.ne_chunker.annotate(self.words)): if tag != prev_tag: if prev_tag == u'O': start = i else: chunks.append(Chunk(self.words[start:i], start, i, tag= prev_tag, parent=self)) prev_tag = tag if tag != u'O': chunks.append(Chunk(self.words[start:i + 1], start, i + 1, tag=tag, parent=self)) return chunks
entities
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n start = 0\n end = 0\n prev_tag = u'O'\n chunks = []\n for i, (w, tag) in enumerate(self.ne_chunker.annotate(self.words)):\n if tag != prev_tag:\n if prev_tag == u'O':\n start = i\n else:\n chunks.append(Chunk(self.words[start:i], start, i, tag=\n prev_tag, parent=self))\n prev_tag = tag\n if tag != u'O':\n chunks.append(Chunk(self.words[start:i + 1], start, i + 1, tag=tag,\n parent=self))\n return chunks\n", "role": "user" }, { "content": "entities", "role": "assistant" } ]
def x(self): tagged_words = [] for word, t in self.pos_tagger.annotate(self.words): word.pos_tag = t tagged_words.append((word, t)) return tagged_words
pos_tags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n tagged_words = []\n for word, t in self.pos_tagger.annotate(self.words):\n word.pos_tag = t\n tagged_words.append((word, t))\n return tagged_words\n", "role": "user" }, { "content": "pos_tags", "role": "assistant" } ]
def x(self): tagged_words = [] for word, t in self.transfer_pos_tagger.annotate(self.words): word.pos_tag = t tagged_words.append((word, t)) return tagged_words
transfer_pos_tags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n tagged_words = []\n for word, t in self.transfer_pos_tagger.annotate(self.words):\n word.pos_tag = t\n tagged_words.append((word, t))\n return tagged_words\n", "role": "user" }, { "content": "transfer_pos_tags", "role": "assistant" } ]
def x(self): counts = defaultdict(int) for word in self.words: counts[word] += 1 return counts
word_counts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n counts = defaultdict(int)\n for word in self.words:\n counts[word] += 1\n return counts\n", "role": "user" }, { "content": "word_counts", "role": "assistant" } ]
def x(self): counts = defaultdict(int) for phrase in self.noun_phrases: counts[phrase] += 1 return counts
np_counts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n counts = defaultdict(int)\n for phrase in self.noun_phrases:\n counts[phrase] += 1\n return counts\n", "role": "user" }, { "content": "np_counts", "role": "assistant" } ]
def x(self, n=3): if n <= 0: return [] grams = [WordList(self.words[i:i + n], parent=self) for i in range(len( self.words) - n + 1)] return grams
ngrams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, n=3):\n if n <= 0:\n return []\n grams = [WordList(self.words[i:i + n], parent=self) for i in range(len(\n self.words) - n + 1)]\n return grams\n", "role": "user" }, { "content": "ngrams", "role": "assistant" } ]
def x(self): tokens = nltk.tokenize.regexp_tokenize(self.raw, "\\w*('\\w*)+|\\w+|[^\\w\\s]|\\s") corrected = (Word(w).correct() for w in tokens) ret = ''.join(corrected) return self.__class__(ret)
correct
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n tokens = nltk.tokenize.regexp_tokenize(self.raw,\n \"\\\\w*('\\\\w*)+|\\\\w+|[^\\\\w\\\\s]|\\\\s\")\n corrected = (Word(w).correct() for w in tokens)\n ret = ''.join(corrected)\n return self.__class__(ret)\n", "role": "user" }, { "content": "correct", "role": "assistant" } ]
def x(self, sep=None, maxsplit=sys.maxsize): return WordList(self._strkey().split(sep, maxsplit), parent=self)
split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sep=None, maxsplit=sys.maxsize):\n return WordList(self._strkey().split(sep, maxsplit), parent=self)\n", "role": "user" }, { "content": "split", "role": "assistant" } ]
def x(self, target_language='en'): t = Transliterator(source_lang=self.language, target_lang=target_language) return t.transliterate(self.string)
transliterate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target_language='en'):\n t = Transliterator(source_lang=self.language, target_lang=target_language)\n return t.transliterate(self.string)\n", "role": "user" }, { "content": "transliterate", "role": "assistant" } ]
def x(self, strg, case_sensitive=False, *args, **kwargs): if not case_sensitive: return [word.lower() for word in self].count(strg.lower(), *args, **kwargs) return self._collection.count(strg, *args, **kwargs)
count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, strg, case_sensitive=False, *args, **kwargs):\n if not case_sensitive:\n return [word.lower() for word in self].count(strg.lower(), *args,\n **kwargs)\n return self._collection.count(strg, *args, **kwargs)\n", "role": "user" }, { "content": "count", "role": "assistant" } ]
def x(self, obj): if isinstance(obj, basestring): return self._collection.append(Word(obj)) else: return self._collection.append(obj)
append
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj):\n if isinstance(obj, basestring):\n return self._collection.append(Word(obj))\n else:\n return self._collection.append(obj)\n", "role": "user" }, { "content": "append", "role": "assistant" } ]
def x(self, iterable): [self._collection.append(Word(e) if isinstance(e, basestring) else e) for e in iterable] return self
extend
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, iterable):\n [self._collection.append(Word(e) if isinstance(e, basestring) else e) for\n e in iterable]\n return self\n", "role": "user" }, { "content": "extend", "role": "assistant" } ]
def x(self, distance=True): sum_pos = 0 sum_neg = 0 text = self.parent entity_positions = range(self.start, self.end) non_entity_positions = set(range(len(text.words))).difference( entity_positions) if not distance: non_entity_polarities = np.array([text.words[i].polarity for i in non_entity_positions]) sum_pos = sum(non_entity_polarities == 1) sum_neg = sum(non_entity_polarities == -1) else: polarities = np.array([w.polarity for w in text.words]) polarized_positions = np.argwhere(polarities != 0)[0] polarized_non_entity_positions = non_entity_positions.intersection( polarized_positions) sentence_len = len(text.words) for i in polarized_non_entity_positions: min_dist = min(abs(self.start - i), abs(self.end - i)) if text.words[i].polarity == 1: sum_pos += 1.0 - (min_dist - 1.0) / (2.0 * sentence_len) else: sum_neg += 1.0 - (min_dist - 1.0) / (2.0 * sentence_len) return sum_pos, sum_neg
sentiment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, distance=True):\n sum_pos = 0\n sum_neg = 0\n text = self.parent\n entity_positions = range(self.start, self.end)\n non_entity_positions = set(range(len(text.words))).difference(\n entity_positions)\n if not distance:\n non_entity_polarities = np.array([text.words[i].polarity for i in\n non_entity_positions])\n sum_pos = sum(non_entity_polarities == 1)\n sum_neg = sum(non_entity_polarities == -1)\n else:\n polarities = np.array([w.polarity for w in text.words])\n polarized_positions = np.argwhere(polarities != 0)[0]\n polarized_non_entity_positions = non_entity_positions.intersection(\n polarized_positions)\n sentence_len = len(text.words)\n for i in polarized_non_entity_positions:\n min_dist = min(abs(self.start - i), abs(self.end - i))\n if text.words[i].polarity == 1:\n sum_pos += 1.0 - (min_dist - 1.0) / (2.0 * sentence_len)\n else:\n sum_neg += 1.0 - (min_dist - 1.0) / (2.0 * sentence_len)\n return sum_pos, sum_neg\n", "role": "user" }, { "content": "sentiment", "role": "assistant" } ]
def x(self): return {'raw': self.raw, 'start': self.start, 'end': self.end, 'entities': [(e.tag, e) for e in self.entities], 'tokens': self. tokens, 'words': self.words, 'pos_tags': self.pos_tags, 'language': self.language.code}
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 {'raw': self.raw, 'start': self.start, 'end': self.end,\n 'entities': [(e.tag, e) for e in self.entities], 'tokens': self.\n tokens, 'words': self.words, 'pos_tags': self.pos_tags, 'language':\n self.language.code}\n", "role": "user" }, { "content": "dict", "role": "assistant" } ]
def x(self, *args, **kwargs): try: import ujson as json except ImportError: import json return json.dumps(self.serialized, *args, **kwargs)
to_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n try:\n import ujson as json\n except ImportError:\n import json\n return json.dumps(self.serialized, *args, **kwargs)\n", "role": "user" }, { "content": "to_json", "role": "assistant" } ]
def x(self): sentence_objects = [] sent_tokenizer = SentenceTokenizer(locale=self.language.code) seq = Sequence(self.raw) seq = sent_tokenizer.transform(seq) for start_index, end_index in zip(seq.idx[:-1], seq.idx[1:]): sent = seq.text[start_index:end_index].strip() if not sent: continue s = Sentence(sent, start_index=start_index, end_index=end_index) s.detected_languages = self.detected_languages sentence_objects.append(s) return sentence_objects
create_sentence_objects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n sentence_objects = []\n sent_tokenizer = SentenceTokenizer(locale=self.language.code)\n seq = Sequence(self.raw)\n seq = sent_tokenizer.transform(seq)\n for start_index, end_index in zip(seq.idx[:-1], seq.idx[1:]):\n sent = seq.text[start_index:end_index].strip()\n if not sent:\n continue\n s = Sentence(sent, start_index=start_index, end_index=end_index)\n s.detected_languages = self.detected_languages\n sentence_objects.append(s)\n return sentence_objects\n", "role": "user" }, { "content": "create_sentence_objects", "role": "assistant" } ]
def x(self, text): t = text.encode('utf-8') reliable, index, top_3_choices = cld2.detect(t, bestEffort=False) if not reliable: self.reliable = False reliable, index, top_3_choices = cld2.detect(t, bestEffort=True) if not self.quiet: if not reliable: raise UnknownLanguage('Try passing a longer snippet of text') else: logger.warning( 'Detector is not able to detect the language reliably.') self.languages = [Language(x) for x in top_3_choices] self.language = self.languages[0] return self.language
detect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n t = text.encode('utf-8')\n reliable, index, top_3_choices = cld2.detect(t, bestEffort=False)\n if not reliable:\n self.reliable = False\n reliable, index, top_3_choices = cld2.detect(t, bestEffort=True)\n if not self.quiet:\n if not reliable:\n raise UnknownLanguage('Try passing a longer snippet of text')\n else:\n logger.warning(\n 'Detector is not able to detect the language reliably.')\n self.languages = [Language(x) for x in top_3_choices]\n self.language = self.languages[0]\n return self.language\n", "role": "user" }, { "content": "detect", "role": "assistant" } ]
def x(name, lang, filter=None): task_dir = resource_dir.get(name, name) package_id = u'{}.{}'.format(task_dir, lang) p = path.join(polyglot_path, task_dir, lang) if not path.isdir(p): if downloader.status(package_id) != downloader.INSTALLED: raise ValueError( """This resource is available in the index but not downloaded, yet. Try to run polyglot download {}""" .format(package_id)) return path.join(p, os.listdir(p)[0])
locate_resource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, lang, filter=None):\n task_dir = resource_dir.get(name, name)\n package_id = u'{}.{}'.format(task_dir, lang)\n p = path.join(polyglot_path, task_dir, lang)\n if not path.isdir(p):\n if downloader.status(package_id) != downloader.INSTALLED:\n raise ValueError(\n \"\"\"This resource is available in the index but not downloaded, yet. Try to run\n\npolyglot download {}\"\"\"\n .format(package_id))\n return path.join(p, os.listdir(p)[0])\n", "role": "user" }, { "content": "locate_resource", "role": "assistant" } ]
def x(lang='en', task='embeddings', type='cw', normalize=False): src_dir = '_'.join((type, task)) if type else task p = locate_resource(src_dir, lang) e = Embedding.load(p) if type == 'cw': e.apply_expansion(CaseExpander) e.apply_expansion(DigitExpander) if type == 'sgns': e.apply_expansion(CaseExpander) if type == 'ue': e.apply_expansion(CaseExpander) if normalize: e.normalize_words(inplace=True) return e
load_embeddings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lang='en', task='embeddings', type='cw', normalize=False):\n src_dir = '_'.join((type, task)) if type else task\n p = locate_resource(src_dir, lang)\n e = Embedding.load(p)\n if type == 'cw':\n e.apply_expansion(CaseExpander)\n e.apply_expansion(DigitExpander)\n if type == 'sgns':\n e.apply_expansion(CaseExpander)\n if type == 'ue':\n e.apply_expansion(CaseExpander)\n if normalize:\n e.normalize_words(inplace=True)\n return e\n", "role": "user" }, { "content": "load_embeddings", "role": "assistant" } ]
def x(lang='en', type='wiki'): src_dir = '{}_vocab'.format(type) p = locate_resource(src_dir, lang) return CountedVocabulary.from_vocabfile(p)
load_vocabulary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lang='en', type='wiki'):\n src_dir = '{}_vocab'.format(type)\n p = locate_resource(src_dir, lang)\n return CountedVocabulary.from_vocabfile(p)\n", "role": "user" }, { "content": "load_vocabulary", "role": "assistant" } ]
def x(lang='en', version='2'): src_dir = 'ner{}'.format(version) p = locate_resource(src_dir, lang) fh = _open(p) try: return pickle.load(fh) except UnicodeDecodeError: fh.seek(0) return pickle.load(fh, encoding='latin1')
load_ner_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lang='en', version='2'):\n src_dir = 'ner{}'.format(version)\n p = locate_resource(src_dir, lang)\n fh = _open(p)\n try:\n return pickle.load(fh)\n except UnicodeDecodeError:\n fh.seek(0)\n return pickle.load(fh, encoding='latin1')\n", "role": "user" }, { "content": "load_ner_model", "role": "assistant" } ]
def x(lang='en', version='2'): src_dir = 'pos{}'.format(version) p = locate_resource(src_dir, lang) fh = _open(p) return dict(np.load(fh))
load_pos_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lang='en', version='2'):\n src_dir = 'pos{}'.format(version)\n p = locate_resource(src_dir, lang)\n fh = _open(p)\n return dict(np.load(fh))\n", "role": "user" }, { "content": "load_pos_model", "role": "assistant" } ]
def x(lang='en', version='2'): src_dir = 'morph{}'.format(version) p = locate_resource(src_dir, lang) file_handler = _open(p) tmp_file_ = NamedTemporaryFile(delete=False) tmp_file_.write(file_handler.read()) tmp_file_.close() io = morfessor.MorfessorIO() model = io.read_any_model(tmp_file_.name) os.remove(tmp_file_.name) return model
load_morfessor_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lang='en', version='2'):\n src_dir = 'morph{}'.format(version)\n p = locate_resource(src_dir, lang)\n file_handler = _open(p)\n tmp_file_ = NamedTemporaryFile(delete=False)\n tmp_file_.write(file_handler.read())\n tmp_file_.close()\n io = morfessor.MorfessorIO()\n model = io.read_any_model(tmp_file_.name)\n os.remove(tmp_file_.name)\n return model\n", "role": "user" }, { "content": "load_morfessor_model", "role": "assistant" } ]
def x(lang='en', version='2'): src_dir = 'transliteration{}'.format(version) p = locate_resource(src_dir, lang) file_handler = _open(p) return pickle.load(file_handler)
load_transliteration_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lang='en', version='2'):\n src_dir = 'transliteration{}'.format(version)\n p = locate_resource(src_dir, lang)\n file_handler = _open(p)\n return pickle.load(file_handler)\n", "role": "user" }, { "content": "load_transliteration_table", "role": "assistant" } ]
def x(args): if isinstance(args.input, TextFiles): v = CountedVocabulary.from_textfiles(args.input, workers=args.workers) else: v = CountedVocabulary.from_textfile(args.input, workers=args.workers) if args.min_count > 1: v = v.min_count(args.min_count) if args.most_freq > 0: v = v.most_frequent(args.most_freq) print(v)
vocab_counter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n if isinstance(args.input, TextFiles):\n v = CountedVocabulary.from_textfiles(args.input, workers=args.workers)\n else:\n v = CountedVocabulary.from_textfile(args.input, workers=args.workers)\n if args.min_count > 1:\n v = v.min_count(args.min_count)\n if args.most_freq > 0:\n v = v.most_frequent(args.most_freq)\n print(v)\n", "role": "user" }, { "content": "vocab_counter", "role": "assistant" } ]
def x(args): for l in args.input: if l.strip(): _print('{:<20}{}'.format(Detector(l).language.name, l.strip()))
detect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n for l in args.input:\n if l.strip():\n _print('{:<20}{}'.format(Detector(l).language.name, l.strip()))\n", "role": "user" }, { "content": "detect", "role": "assistant" } ]
def x(tagger, args): for l in args.input: words = l.strip().split() line_annotations = [u'{:<16}{:<5}'.format(w, p) for w, p in tagger. annotate(words)] _print(u'\n'.join(line_annotations)) _print(u'')
tag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tagger, args):\n for l in args.input:\n words = l.strip().split()\n line_annotations = [u'{:<16}{:<5}'.format(w, p) for w, p in tagger.\n annotate(words)]\n _print(u'\\n'.join(line_annotations))\n _print(u'')\n", "role": "user" }, { "content": "tag", "role": "assistant" } ]
def x(args): t = Transliterator(source_lang=args.lang, target_lang=args.target) for l in args.input: words = l.strip().split() line_annotations = [u'{:<16}{:<16}'.format(w, t.transliterate(w)) for w in words] _print(u'\n'.join(line_annotations)) _print(u'')
transliterate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n t = Transliterator(source_lang=args.lang, target_lang=args.target)\n for l in args.input:\n words = l.strip().split()\n line_annotations = [u'{:<16}{:<16}'.format(w, t.transliterate(w)) for\n w in words]\n _print(u'\\n'.join(line_annotations))\n _print(u'')\n", "role": "user" }, { "content": "transliterate", "role": "assistant" } ]
def x(args): morfessor = load_morfessor_model(lang=args.lang) for l in args.input: words = l.strip().split() morphemes = [(w, u'_'.join(morfessor.viterbi_segment(w)[0])) for w in words] line_annotations = [u'{:<16}{:<5}'.format(w, p) for w, p in morphemes] _print(u'\n'.join(line_annotations)) _print(u'')
morphemes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n morfessor = load_morfessor_model(lang=args.lang)\n for l in args.input:\n words = l.strip().split()\n morphemes = [(w, u'_'.join(morfessor.viterbi_segment(w)[0])) for w in\n words]\n line_annotations = [u'{:<16}{:<5}'.format(w, p) for w, p in morphemes]\n _print(u'\\n'.join(line_annotations))\n _print(u'')\n", "role": "user" }, { "content": "morphemes", "role": "assistant" } ]
def x(args): chunker = NEChunker(lang=args.lang) tag(chunker, args)
ner_chunk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n chunker = NEChunker(lang=args.lang)\n tag(chunker, args)\n", "role": "user" }, { "content": "ner_chunk", "role": "assistant" } ]
def x(args): tagger = POSTagger(lang=args.lang) tag(tagger, args)
pos_tag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n tagger = POSTagger(lang=args.lang)\n tag(tagger, args)\n", "role": "user" }, { "content": "pos_tag", "role": "assistant" } ]
def x(args): downloader = Downloader(server_index_url=args.server_index_url) if args.packages: for pkg_id in args.packages: rv = downloader.download(info_or_id=unicode(pkg_id), download_dir=args.dir, quiet=args.quiet, force=args.force, halt_on_error=args.halt_on_error) if rv == False and args.halt_on_error: break else: downloader.download(download_dir=args.dir, quiet=args.quiet, force= args.force, halt_on_error=args.halt_on_error)
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n downloader = Downloader(server_index_url=args.server_index_url)\n if args.packages:\n for pkg_id in args.packages:\n rv = downloader.download(info_or_id=unicode(pkg_id),\n download_dir=args.dir, quiet=args.quiet, force=args.force,\n halt_on_error=args.halt_on_error)\n if rv == False and args.halt_on_error:\n break\n else:\n downloader.download(download_dir=args.dir, quiet=args.quiet, force=\n args.force, halt_on_error=args.halt_on_error)\n", "role": "user" }, { "content": "download", "role": "assistant" } ]
def x(file_, mode='r'): if isinstance(file_, string_types): _, ext = path.splitext(file_) if ext in {'.bz2', '.gz'}: s = tarfile.open(file_) return s.extractfile(s.next()) else: return open(file_, mode) return file_
open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_, mode='r'):\n if isinstance(file_, string_types):\n _, ext = path.splitext(file_)\n if ext in {'.bz2', '.gz'}:\n s = tarfile.open(file_)\n return s.extractfile(s.next())\n else:\n return open(file_, mode)\n return file_\n", "role": "user" }, { "content": "open", "role": "assistant" } ]
def x(func_name, obj, cls): if obj is None: return cls.__dict__[func_name].__get__(obj, cls) for cls in cls.__mro__: try: func = cls.__dict__[func_name] except KeyError: pass else: break return func.__get__(obj, cls)
unpickle_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func_name, obj, cls):\n if obj is None:\n return cls.__dict__[func_name].__get__(obj, cls)\n for cls in cls.__mro__:\n try:\n func = cls.__dict__[func_name]\n except KeyError:\n pass\n else:\n break\n return func.__get__(obj, cls)\n", "role": "user" }, { "content": "unpickle_method", "role": "assistant" } ]
def x(domain, info, package, url_fmt, revision): if revision is None: return if domain not in ('py', 'pyx'): return if not info.get('module') or not info.get('fullname'): return class_name = info['fullname'].split('.')[0] if type(class_name) != str: class_name = class_name.encode('utf-8') module = __import__(info['module'], fromlist=[class_name]) try: obj = attrgetter(info['fullname'])(module) except AttributeError: return try: fn = inspect.getsourcefile(obj) except Exception: fn = None if not fn: try: fn = inspect.getsourcefile(sys.modules[obj.__module__]) except Exception: fn = None if not fn: return fn = os.path.relpath(fn, start=os.path.dirname(__import__(package). __file__)) try: lineno = inspect.getsourcelines(obj)[1] except Exception: lineno = '' return url_fmt.format(revision=revision, package=package, path=fn, lineno=lineno)
linkcode_resolve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(domain, info, package, url_fmt, revision):\n if revision is None:\n return\n if domain not in ('py', 'pyx'):\n return\n if not info.get('module') or not info.get('fullname'):\n return\n class_name = info['fullname'].split('.')[0]\n if type(class_name) != str:\n class_name = class_name.encode('utf-8')\n module = __import__(info['module'], fromlist=[class_name])\n try:\n obj = attrgetter(info['fullname'])(module)\n except AttributeError:\n return\n try:\n fn = inspect.getsourcefile(obj)\n except Exception:\n fn = None\n if not fn:\n try:\n fn = inspect.getsourcefile(sys.modules[obj.__module__])\n except Exception:\n fn = None\n if not fn:\n return\n fn = os.path.relpath(fn, start=os.path.dirname(__import__(package).\n __file__))\n try:\n lineno = inspect.getsourcelines(obj)[1]\n except Exception:\n lineno = ''\n return url_fmt.format(revision=revision, package=package, path=fn,\n lineno=lineno)\n", "role": "user" }, { "content": "linkcode_resolve", "role": "assistant" } ]
def x(package, url_fmt): revision = _get_git_revision() return partial(_linkcode_resolve, revision=revision, package=package, url_fmt=url_fmt)
make_linkcode_resolve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(package, url_fmt):\n revision = _get_git_revision()\n return partial(_linkcode_resolve, revision=revision, package=package,\n url_fmt=url_fmt)\n", "role": "user" }, { "content": "make_linkcode_resolve", "role": "assistant" } ]
def x(lines): words = [w for l in lines for w in l.strip().split()] return Counter(words)
count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lines):\n words = [w for l in lines for w in l.strip().split()]\n return Counter(words)\n", "role": "user" }, { "content": "count", "role": "assistant" } ]
def x(self, words): _words = [] for w in words: if isinstance(w, string_types) and not isinstance(w, unicode): _words.append(unicode(w, encoding='utf-8')) else: _words.append(w) return _words
sanitize_words
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, words):\n _words = []\n for w in words:\n if isinstance(w, string_types) and not isinstance(w, unicode):\n _words.append(unicode(w, encoding='utf-8'))\n else:\n _words.append(w)\n return _words\n", "role": "user" }, { "content": "sanitize_words", "role": "assistant" } ]
def x(cls, filename): words = [x.strip() for x in _open(filename, 'r').read().splitlines()] return cls(words=words)
from_vocabfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, filename):\n words = [x.strip() for x in _open(filename, 'r').read().splitlines()]\n return cls(words=words)\n", "role": "user" }, { "content": "from_vocabfile", "role": "assistant" } ]
def x(cls, textfile, workers=1, job_size=1000): c = Counter() if isinstance(textfile, string_types): textfile = TextFile(textfile) for result in textfile.apply(count, workers, job_size): c.update(result) return CountedVocabulary(word_count=c)
from_textfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, textfile, workers=1, job_size=1000):\n c = Counter()\n if isinstance(textfile, string_types):\n textfile = TextFile(textfile)\n for result in textfile.apply(count, workers, job_size):\n c.update(result)\n return CountedVocabulary(word_count=c)\n", "role": "user" }, { "content": "from_textfile", "role": "assistant" } ]
def x(self, k): word_count = {w: self.word_count[w] for w in self.words[:k]} return CountedVocabulary(word_count=word_count)
most_frequent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, k):\n word_count = {w: self.word_count[w] for w in self.words[:k]}\n return CountedVocabulary(word_count=word_count)\n", "role": "user" }, { "content": "most_frequent", "role": "assistant" } ]
def x(self, n=1): word_count = {w: c for w, c in iteritems(self.word_count) if c >= n} return CountedVocabulary(word_count=word_count)
min_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, n=1):\n word_count = {w: c for w, c in iteritems(self.word_count) if c >= n}\n return CountedVocabulary(word_count=word_count)\n", "role": "user" }, { "content": "min_count", "role": "assistant" } ]
def x(filename): word_count = [x.strip().split() for x in _open(filename, 'r').read(). splitlines()] word_count = {w: int(c) for w, c in word_count} return CountedVocabulary(word_count=word_count)
from_vocabfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n word_count = [x.strip().split() for x in _open(filename, 'r').read().\n splitlines()]\n word_count = {w: int(c) for w, c in word_count}\n return CountedVocabulary(word_count=word_count)\n", "role": "user" }, { "content": "from_vocabfile", "role": "assistant" } ]
def x(self, sequence): major_idx = sequence.idx idx2 = 0 for start, end in zip(major_idx[:-1], major_idx[1:]): idx1 = self.idx.index(start, idx2) idx2 = self.idx.index(end, idx2) seq = Sequence(self.text[start:end]) seq.idx = [(x - start) for x in self.idx[idx1:idx2]] yield seq
split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sequence):\n major_idx = sequence.idx\n idx2 = 0\n for start, end in zip(major_idx[:-1], major_idx[1:]):\n idx1 = self.idx.index(start, idx2)\n idx2 = self.idx.index(end, idx2)\n seq = Sequence(self.text[start:end])\n seq.idx = [(x - start) for x in self.idx[idx1:idx2]]\n yield seq\n", "role": "user" }, { "content": "split", "role": "assistant" } ]
def x(self, byte_size=8192): partial = u'' while True: read_chars = self.read(byte_size) if not read_chars: break partial += read_chars lines = partial.split(self.delimiter) partial = lines.pop() for line in lines: yield line + self.delimiter if partial: yield partial
iter_delimiter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, byte_size=8192):\n partial = u''\n while True:\n read_chars = self.read(byte_size)\n if not read_chars:\n break\n partial += read_chars\n lines = partial.split(self.delimiter)\n partial = lines.pop()\n for line in lines:\n yield line + self.delimiter\n if partial:\n yield partial\n", "role": "user" }, { "content": "iter_delimiter", "role": "assistant" } ]
def x(self, size=None): if size is None: return self.buf.read() + self.open_file.read() contents = self.buf.read(size) if len(contents) < size: contents += self.open_file.read(size - len(contents)) return contents
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size=None):\n if size is None:\n return self.buf.read() + self.open_file.read()\n contents = self.buf.read(size)\n if len(contents) < size:\n contents += self.open_file.read(size - len(contents))\n return contents\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(self, func, workers=1, job_size=10000): if workers == 1: for lines in self.iter_chunks(job_size): yield func(lines) else: with ProcessPoolExecutor(max_workers=workers) as executor: for result in executor.map(func, self.iter_chunks(job_size)): yield result
apply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, func, workers=1, job_size=10000):\n if workers == 1:\n for lines in self.iter_chunks(job_size):\n yield func(lines)\n else:\n with ProcessPoolExecutor(max_workers=workers) as executor:\n for result in executor.map(func, self.iter_chunks(job_size)):\n yield result\n", "role": "user" }, { "content": "apply", "role": "assistant" } ]
def x(self, sent): preds = [] words = [] for word, fv in self.sent2examples(sent): probs = self.predictor(fv) tags = probs.argsort() tag = self.ID_TAG[tags[-1]] words.append(word) preds.append(tag) annotations = zip(words, preds) return annotations
annotate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sent):\n preds = []\n words = []\n for word, fv in self.sent2examples(sent):\n probs = self.predictor(fv)\n tags = probs.argsort()\n tag = self.ID_TAG[tags[-1]]\n words.append(word)\n preds.append(tag)\n annotations = zip(words, preds)\n return annotations\n", "role": "user" }, { "content": "annotate", "role": "assistant" } ]
def x(self, sent): words = [(w if w in self.embeddings else TaggerBase.UNK) for w in sent] ngrams = TaggerBase.ngrams(words, self.context, self.transfer) fvs = [] for word, ngram in zip(sent, ngrams): fv = np.array([self.embeddings.get(w, self.embeddings.zero_vector() ) for w in ngram]).flatten() if self.add_bias: fv = np.hstack((fv, np.array(1))) yield word, fv
sent2examples
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sent):\n words = [(w if w in self.embeddings else TaggerBase.UNK) for w in sent]\n ngrams = TaggerBase.ngrams(words, self.context, self.transfer)\n fvs = []\n for word, ngram in zip(sent, ngrams):\n fv = np.array([self.embeddings.get(w, self.embeddings.zero_vector()\n ) for w in ngram]).flatten()\n if self.add_bias:\n fv = np.hstack((fv, np.array(1)))\n yield word, fv\n", "role": "user" }, { "content": "sent2examples", "role": "assistant" } ]
def x(self): self.embeddings = load_embeddings(self.lang, type='cw', normalize=True) self.model = load_ner_model(lang=self.lang, version=2) first_layer, second_layer = self.model def x(input_): hidden = np.tanh(np.dot(first_layer, input_)) hidden = np.hstack((hidden, np.ones((hidden.shape[0], 1)))) output = (second_layer * hidden).sum(axis=1) output_ = 1.0 / (1.0 + np.exp(-output)) probs = output_ / output_.sum() return probs return predict_proba
load_network
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.embeddings = load_embeddings(self.lang, type='cw', normalize=True)\n self.model = load_ner_model(lang=self.lang, version=2)\n first_layer, second_layer = self.model\n\n def x(input_):\n hidden = np.tanh(np.dot(first_layer, input_))\n hidden = np.hstack((hidden, np.ones((hidden.shape[0], 1))))\n output = (second_layer * hidden).sum(axis=1)\n output_ = 1.0 / (1.0 + np.exp(-output))\n probs = output_ / output_.sum()\n return probs\n return predict_proba\n", "role": "user" }, { "content": "load_network", "role": "assistant" } ]
def x(self): self.embeddings = load_embeddings(self.lang, type='cw') self.model = load_pos_model(lang=self.lang, version=2) def x(input_): hidden = np.tanh(np.dot(input_, self.model['W1']) + self.model['b1']) output = np.dot(hidden, self.model['W2']) + self.model['b2'] scores = np.exp(output) probs = scores / scores.sum() return probs return predict_proba
load_network
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.embeddings = load_embeddings(self.lang, type='cw')\n self.model = load_pos_model(lang=self.lang, version=2)\n\n def x(input_):\n hidden = np.tanh(np.dot(input_, self.model['W1']) + self.model['b1'])\n output = np.dot(hidden, self.model['W2']) + self.model['b2']\n scores = np.exp(output)\n probs = scores / scores.sum()\n return probs\n return predict_proba\n", "role": "user" }, { "content": "load_network", "role": "assistant" } ]
def x(self, base_api, params): params['key'] = self.api_key return super(OpenMapQuest, self)._construct_url(base_api, params)
construct_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, base_api, params):\n params['key'] = self.api_key\n return super(OpenMapQuest, self)._construct_url(base_api, params)\n", "role": "user" }, { "content": "construct_url", "role": "assistant" } ]
def x(self, query, limit=None, exactly_one=True, timeout=DEFAULT_SENTINEL): params = {'q': self.format_string % query} if limit is not None: params['limit'] = limit url = '?'.join((self.geocode_api, urlencode(params))) logger.debug('%s.geocode: %s', self.__class__.__name__, url) return self._parse_json(self._call_geocoder(url, timeout=timeout), exactly_one)
geocode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query, limit=None, exactly_one=True, timeout=DEFAULT_SENTINEL):\n params = {'q': self.format_string % query}\n if limit is not None:\n params['limit'] = limit\n url = '?'.join((self.geocode_api, urlencode(params)))\n logger.debug('%s.geocode: %s', self.__class__.__name__, url)\n return self._parse_json(self._call_geocoder(url, timeout=timeout),\n exactly_one)\n", "role": "user" }, { "content": "geocode", "role": "assistant" } ]
def x(self, url, timeout=DEFAULT_SENTINEL): if self.token is None or int(time()) > self.token_expiry: self._refresh_authentication_token() request = Request('&'.join((url, urlencode({'token': self.token}))), headers={'Referer': self.referer}) return self._base_call_geocoder(request, timeout=timeout)
authenticated_call_geocoder
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, timeout=DEFAULT_SENTINEL):\n if self.token is None or int(time()) > self.token_expiry:\n self._refresh_authentication_token()\n request = Request('&'.join((url, urlencode({'token': self.token}))),\n headers={'Referer': self.referer})\n return self._base_call_geocoder(request, timeout=timeout)\n", "role": "user" }, { "content": "authenticated_call_geocoder", "role": "assistant" } ]
def x(self, query, exactly_one=True, timeout=DEFAULT_SENTINEL, out_fields=None ): params = {'singleLine': self.format_string % query, 'f': 'json'} if exactly_one: params['maxLocations'] = 1 if out_fields is not None: if isinstance(out_fields, string_compare): params['outFields'] = out_fields else: params['outFields'] = ','.join(out_fields) url = '?'.join((self.api, urlencode(params))) logger.debug('%s.geocode: %s', self.__class__.__name__, url) response = self._call_geocoder(url, timeout=timeout) if 'error' in response: if response['error']['code'] == self._TOKEN_EXPIRED: self.retry += 1 self._refresh_authentication_token() return self.geocode(query, exactly_one=exactly_one, timeout=timeout ) raise GeocoderServiceError(str(response['error'])) if not len(response['candidates']): return None geocoded = [] for resource in response['candidates']: geometry = resource['location'] geocoded.append(Location(resource['address'], (geometry['y'], geometry['x']), resource)) if exactly_one: return geocoded[0] return geocoded
geocode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query, exactly_one=True, timeout=DEFAULT_SENTINEL, out_fields=None\n ):\n params = {'singleLine': self.format_string % query, 'f': 'json'}\n if exactly_one:\n params['maxLocations'] = 1\n if out_fields is not None:\n if isinstance(out_fields, string_compare):\n params['outFields'] = out_fields\n else:\n params['outFields'] = ','.join(out_fields)\n url = '?'.join((self.api, urlencode(params)))\n logger.debug('%s.geocode: %s', self.__class__.__name__, url)\n response = self._call_geocoder(url, timeout=timeout)\n if 'error' in response:\n if response['error']['code'] == self._TOKEN_EXPIRED:\n self.retry += 1\n self._refresh_authentication_token()\n return self.geocode(query, exactly_one=exactly_one, timeout=timeout\n )\n raise GeocoderServiceError(str(response['error']))\n if not len(response['candidates']):\n return None\n geocoded = []\n for resource in response['candidates']:\n geometry = resource['location']\n geocoded.append(Location(resource['address'], (geometry['y'],\n geometry['x']), resource))\n if exactly_one:\n return geocoded[0]\n return geocoded\n", "role": "user" }, { "content": "geocode", "role": "assistant" } ]
def x(self, query, exactly_one=True, timeout=DEFAULT_SENTINEL, distance= None, wkid=DEFAULT_WKID): location = self._coerce_point_to_string(query, '%(lon)s,%(lat)s') if wkid != DEFAULT_WKID: warnings.warn( "%s.reverse: custom wkid value has been ignored. It wasn't working before because it was specified incorrectly in the request parameters, and won't work even if we fix the request, because geopy.Point normalizes the coordinates according to WKID %s. Please open an issue in the geopy issue tracker if you believe that custom wkid values should be supported." % (type(self).__name__, DEFAULT_WKID), DeprecationWarning, stacklevel=2) wkid = DEFAULT_WKID params = {'location': location, 'f': 'json', 'outSR': wkid} if distance is not None: params['distance'] = distance url = '?'.join((self.reverse_api, urlencode(params))) logger.debug('%s.reverse: %s', self.__class__.__name__, url) response = self._call_geocoder(url, timeout=timeout) if not len(response): return None if 'error' in response: if response['error']['code'] == self._TOKEN_EXPIRED: self.retry += 1 self._refresh_authentication_token() return self.reverse(query, exactly_one=exactly_one, timeout= timeout, distance=distance, wkid=wkid) if response['error']['code'] == 400: try: if 'Unable to find' in response['error']['details'][0]: return None except (KeyError, IndexError): pass raise GeocoderServiceError(str(response['error'])) address = ( '%(Address)s, %(City)s, %(Region)s %(Postal)s, %(CountryCode)s' % response['address']) location = Location(address, (response['location']['y'], response[ 'location']['x']), response['address']) if exactly_one: return location else: return [location]
reverse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query, exactly_one=True, timeout=DEFAULT_SENTINEL, distance=\n None, wkid=DEFAULT_WKID):\n location = self._coerce_point_to_string(query, '%(lon)s,%(lat)s')\n if wkid != DEFAULT_WKID:\n warnings.warn(\n \"%s.reverse: custom wkid value has been ignored. It wasn't working before because it was specified incorrectly in the request parameters, and won't work even if we fix the request, because geopy.Point normalizes the coordinates according to WKID %s. Please open an issue in the geopy issue tracker if you believe that custom wkid values should be supported.\"\n % (type(self).__name__, DEFAULT_WKID), DeprecationWarning,\n stacklevel=2)\n wkid = DEFAULT_WKID\n params = {'location': location, 'f': 'json', 'outSR': wkid}\n if distance is not None:\n params['distance'] = distance\n url = '?'.join((self.reverse_api, urlencode(params)))\n logger.debug('%s.reverse: %s', self.__class__.__name__, url)\n response = self._call_geocoder(url, timeout=timeout)\n if not len(response):\n return None\n if 'error' in response:\n if response['error']['code'] == self._TOKEN_EXPIRED:\n self.retry += 1\n self._refresh_authentication_token()\n return self.reverse(query, exactly_one=exactly_one, timeout=\n timeout, distance=distance, wkid=wkid)\n if response['error']['code'] == 400:\n try:\n if 'Unable to find' in response['error']['details'][0]:\n return None\n except (KeyError, IndexError):\n pass\n raise GeocoderServiceError(str(response['error']))\n address = (\n '%(Address)s, %(City)s, %(Region)s %(Postal)s, %(CountryCode)s' %\n response['address'])\n location = Location(address, (response['location']['y'], response[\n 'location']['x']), response['address'])\n if exactly_one:\n return location\n else:\n return [location]\n", "role": "user" }, { "content": "reverse", "role": "assistant" } ]
def x(self): if self.retry == self._MAX_RETRIES: raise GeocoderAuthenticationFailure('Too many retries for auth: %s' % self.retry) token_request_arguments = {'username': self.username, 'password': self. password, 'referer': self.referer, 'expiration': self. token_lifetime, 'f': 'json'} url = '?'.join((self.auth_api, urlencode(token_request_arguments))) logger.debug('%s._refresh_authentication_token: %s', self.__class__. __name__, url) self.token_expiry = int(time()) + self.token_lifetime response = self._base_call_geocoder(url) if 'token' not in response: raise GeocoderAuthenticationFailure( 'Missing token in auth request.Request URL: %s; response JSON: %s' % (url, json.dumps(response))) self.retry = 0 self.token = response['token']
refresh_authentication_token
[ { "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.retry == self._MAX_RETRIES:\n raise GeocoderAuthenticationFailure('Too many retries for auth: %s' %\n self.retry)\n token_request_arguments = {'username': self.username, 'password': self.\n password, 'referer': self.referer, 'expiration': self.\n token_lifetime, 'f': 'json'}\n url = '?'.join((self.auth_api, urlencode(token_request_arguments)))\n logger.debug('%s._refresh_authentication_token: %s', self.__class__.\n __name__, url)\n self.token_expiry = int(time()) + self.token_lifetime\n response = self._base_call_geocoder(url)\n if 'token' not in response:\n raise GeocoderAuthenticationFailure(\n 'Missing token in auth request.Request URL: %s; response JSON: %s'\n % (url, json.dumps(response)))\n self.retry = 0\n self.token = response['token']\n", "role": "user" }, { "content": "refresh_authentication_token", "role": "assistant" } ]
def x(seq): for i in range(0, len(seq) - 1): yield seq[i], seq[i + 1]
pairwise
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq):\n for i in range(0, len(seq) - 1):\n yield seq[i], seq[i + 1]\n", "role": "user" }, { "content": "pairwise", "role": "assistant" } ]
def x(sep, seq, pred=bool): return sep.join([text_type(i) for i in seq if pred(i)])
join_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sep, seq, pred=bool):\n return sep.join([text_type(i) for i in seq if pred(i)])\n", "role": "user" }, { "content": "join_filter", "role": "assistant" } ]
def x(page): if hasattr(page, 'read'): if py3k: encoding = page.headers.get_param('charset') or 'utf-8' else: encoding = page.headers.getparam('charset') or 'utf-8' return text_type(page.read(), encoding=encoding) else: encoding = page.headers.get('charset') or 'utf-8' return text_type(page.content, encoding=encoding)
decode_page
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(page):\n if hasattr(page, 'read'):\n if py3k:\n encoding = page.headers.get_param('charset') or 'utf-8'\n else:\n encoding = page.headers.getparam('charset') or 'utf-8'\n return text_type(page.read(), encoding=encoding)\n else:\n encoding = page.headers.get('charset') or 'utf-8'\n return text_type(page.content, encoding=encoding)\n", "role": "user" }, { "content": "decode_page", "role": "assistant" } ]
def x(self, point, bearing, distance=None): point = Point(point) lat1 = units.radians(degrees=point.latitude) lng1 = units.radians(degrees=point.longitude) bearing = units.radians(degrees=bearing) if distance is None: distance = self if isinstance(distance, Distance): distance = distance.kilometers d_div_r = float(distance) / self.RADIUS lat2 = asin(sin(lat1) * cos(d_div_r) + cos(lat1) * sin(d_div_r) * cos( bearing)) lng2 = lng1 + atan2(sin(bearing) * sin(d_div_r) * cos(lat1), cos( d_div_r) - sin(lat1) * sin(lat2)) return Point(units.degrees(radians=lat2), units.degrees(radians=lng2))
destination
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, point, bearing, distance=None):\n point = Point(point)\n lat1 = units.radians(degrees=point.latitude)\n lng1 = units.radians(degrees=point.longitude)\n bearing = units.radians(degrees=bearing)\n if distance is None:\n distance = self\n if isinstance(distance, Distance):\n distance = distance.kilometers\n d_div_r = float(distance) / self.RADIUS\n lat2 = asin(sin(lat1) * cos(d_div_r) + cos(lat1) * sin(d_div_r) * cos(\n bearing))\n lng2 = lng1 + atan2(sin(bearing) * sin(d_div_r) * cos(lat1), cos(\n d_div_r) - sin(lat1) * sin(lat2))\n return Point(units.degrees(radians=lat2), units.degrees(radians=lng2))\n", "role": "user" }, { "content": "destination", "role": "assistant" } ]
def x(self, point, bearing, distance=None): point = Point(point) lat1 = point.latitude lon1 = point.longitude azi1 = bearing if distance is None: distance = self if isinstance(distance, Distance): distance = distance.kilometers if not (isinstance(self.geod, Geodesic) and self.geod.a == self. ELLIPSOID[0] and self.geod.f == self.ELLIPSOID[2]): self.geod = Geodesic(self.ELLIPSOID[0], self.ELLIPSOID[2]) r = self.geod.Direct(lat1, lon1, azi1, distance, Geodesic.LATITUDE | Geodesic.LONGITUDE) return Point(r['lat2'], r['lon2'])
destination
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, point, bearing, distance=None):\n point = Point(point)\n lat1 = point.latitude\n lon1 = point.longitude\n azi1 = bearing\n if distance is None:\n distance = self\n if isinstance(distance, Distance):\n distance = distance.kilometers\n if not (isinstance(self.geod, Geodesic) and self.geod.a == self.\n ELLIPSOID[0] and self.geod.f == self.ELLIPSOID[2]):\n self.geod = Geodesic(self.ELLIPSOID[0], self.ELLIPSOID[2])\n r = self.geod.Direct(lat1, lon1, azi1, distance, Geodesic.LATITUDE |\n Geodesic.LONGITUDE)\n return Point(r['lat2'], r['lon2'])\n", "role": "user" }, { "content": "destination", "role": "assistant" } ]
def x(self, ellipsoid): if not isinstance(ellipsoid, (list, tuple)): try: self.ELLIPSOID = ELLIPSOIDS[ellipsoid] self.ellipsoid_key = ellipsoid except KeyError: raise Exception('Invalid ellipsoid. See geopy.distance.ELIPSOIDS') else: self.ELLIPSOID = ellipsoid self.ellipsoid_key = None return
set_ellipsoid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ellipsoid):\n if not isinstance(ellipsoid, (list, tuple)):\n try:\n self.ELLIPSOID = ELLIPSOIDS[ellipsoid]\n self.ellipsoid_key = ellipsoid\n except KeyError:\n raise Exception('Invalid ellipsoid. See geopy.distance.ELIPSOIDS')\n else:\n self.ELLIPSOID = ellipsoid\n self.ellipsoid_key = None\n return\n", "role": "user" }, { "content": "set_ellipsoid", "role": "assistant" } ]
def x(self, point, bearing, distance=None): point = Point(point) lat1 = units.radians(degrees=point.latitude) lng1 = units.radians(degrees=point.longitude) bearing = units.radians(degrees=bearing) if distance is None: distance = self if isinstance(distance, Distance): distance = distance.kilometers ellipsoid = self.ELLIPSOID if isinstance(ellipsoid, string_compare): ellipsoid = ELLIPSOIDS[ellipsoid] major, minor, f = ellipsoid tan_reduced1 = (1 - f) * tan(lat1) cos_reduced1 = 1 / sqrt(1 + tan_reduced1 ** 2) sin_reduced1 = tan_reduced1 * cos_reduced1 sin_bearing, cos_bearing = sin(bearing), cos(bearing) sigma1 = atan2(tan_reduced1, cos_bearing) sin_alpha = cos_reduced1 * sin_bearing cos_sq_alpha = 1 - sin_alpha ** 2 u_sq = cos_sq_alpha * (major ** 2 - minor ** 2) / minor ** 2 A = 1 + u_sq / 16384.0 * (4096 + u_sq * (-768 + u_sq * (320 - 175 * u_sq))) B = u_sq / 1024.0 * (256 + u_sq * (-128 + u_sq * (74 - 47 * u_sq))) sigma = distance / (minor * A) sigma_prime = 2 * pi while abs(sigma - sigma_prime) > 1e-11: cos2_sigma_m = cos(2 * sigma1 + sigma) sin_sigma, cos_sigma = sin(sigma), cos(sigma) delta_sigma = B * sin_sigma * (cos2_sigma_m + B / 4.0 * (cos_sigma * (-1 + 2 * cos2_sigma_m ** 2) - B / 6.0 * cos2_sigma_m * (-3 + 4 * sin_sigma ** 2) * (-3 + 4 * cos2_sigma_m ** 2))) sigma_prime = sigma sigma = distance / (minor * A) + delta_sigma sin_sigma, cos_sigma = sin(sigma), cos(sigma) lat2 = atan2(sin_reduced1 * cos_sigma + cos_reduced1 * sin_sigma * cos_bearing, (1 - f) * sqrt(sin_alpha ** 2 + (sin_reduced1 * sin_sigma - cos_reduced1 * cos_sigma * cos_bearing) ** 2)) lambda_lng = atan2(sin_sigma * sin_bearing, cos_reduced1 * cos_sigma - sin_reduced1 * sin_sigma * cos_bearing) C = f / 16.0 * cos_sq_alpha * (4 + f * (4 - 3 * cos_sq_alpha)) delta_lng = lambda_lng - (1 - C) * f * sin_alpha * (sigma + C * sin_sigma * (cos2_sigma_m + C * cos_sigma * (-1 + 2 * cos2_sigma_m ** 2))) lng2 = lng1 + delta_lng return Point(units.degrees(radians=lat2), units.degrees(radians=lng2))
destination
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, point, bearing, distance=None):\n point = Point(point)\n lat1 = units.radians(degrees=point.latitude)\n lng1 = units.radians(degrees=point.longitude)\n bearing = units.radians(degrees=bearing)\n if distance is None:\n distance = self\n if isinstance(distance, Distance):\n distance = distance.kilometers\n ellipsoid = self.ELLIPSOID\n if isinstance(ellipsoid, string_compare):\n ellipsoid = ELLIPSOIDS[ellipsoid]\n major, minor, f = ellipsoid\n tan_reduced1 = (1 - f) * tan(lat1)\n cos_reduced1 = 1 / sqrt(1 + tan_reduced1 ** 2)\n sin_reduced1 = tan_reduced1 * cos_reduced1\n sin_bearing, cos_bearing = sin(bearing), cos(bearing)\n sigma1 = atan2(tan_reduced1, cos_bearing)\n sin_alpha = cos_reduced1 * sin_bearing\n cos_sq_alpha = 1 - sin_alpha ** 2\n u_sq = cos_sq_alpha * (major ** 2 - minor ** 2) / minor ** 2\n A = 1 + u_sq / 16384.0 * (4096 + u_sq * (-768 + u_sq * (320 - 175 * u_sq)))\n B = u_sq / 1024.0 * (256 + u_sq * (-128 + u_sq * (74 - 47 * u_sq)))\n sigma = distance / (minor * A)\n sigma_prime = 2 * pi\n while abs(sigma - sigma_prime) > 1e-11:\n cos2_sigma_m = cos(2 * sigma1 + sigma)\n sin_sigma, cos_sigma = sin(sigma), cos(sigma)\n delta_sigma = B * sin_sigma * (cos2_sigma_m + B / 4.0 * (cos_sigma *\n (-1 + 2 * cos2_sigma_m ** 2) - B / 6.0 * cos2_sigma_m * (-3 + 4 *\n sin_sigma ** 2) * (-3 + 4 * cos2_sigma_m ** 2)))\n sigma_prime = sigma\n sigma = distance / (minor * A) + delta_sigma\n sin_sigma, cos_sigma = sin(sigma), cos(sigma)\n lat2 = atan2(sin_reduced1 * cos_sigma + cos_reduced1 * sin_sigma *\n cos_bearing, (1 - f) * sqrt(sin_alpha ** 2 + (sin_reduced1 *\n sin_sigma - cos_reduced1 * cos_sigma * cos_bearing) ** 2))\n lambda_lng = atan2(sin_sigma * sin_bearing, cos_reduced1 * cos_sigma - \n sin_reduced1 * sin_sigma * cos_bearing)\n C = f / 16.0 * cos_sq_alpha * (4 + f * (4 - 3 * cos_sq_alpha))\n delta_lng = lambda_lng - (1 - C) * f * sin_alpha * (sigma + C *\n sin_sigma * (cos2_sigma_m + C * cos_sigma * (-1 + 2 * cos2_sigma_m **\n 2)))\n lng2 = lng1 + delta_lng\n return Point(units.degrees(radians=lat2), units.degrees(radians=lng2))\n", "role": "user" }, { "content": "destination", "role": "assistant" } ]
def x(x, limit): double_limit = limit * 2.0 modulo = fmod(x, double_limit) or 0.0 if modulo < -limit: return modulo + double_limit if modulo >= limit: return modulo - double_limit return modulo
normalize_angle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, limit):\n double_limit = limit * 2.0\n modulo = fmod(x, double_limit) or 0.0\n if modulo < -limit:\n return modulo + double_limit\n if modulo >= limit:\n return modulo - double_limit\n return modulo\n", "role": "user" }, { "content": "normalize_angle", "role": "assistant" } ]
def x(self, altitude=None, deg_char='', min_char='m', sec_char='s'): latitude = '%s %s' % (format_degrees(abs(self.latitude), symbols={'deg': deg_char, 'arcmin': min_char, 'arcsec': sec_char}), self.latitude >= 0 and 'N' or 'S') longitude = '%s %s' % (format_degrees(abs(self.longitude), symbols={ 'deg': deg_char, 'arcmin': min_char, 'arcsec': sec_char}), self. longitude >= 0 and 'E' or 'W') coordinates = [latitude, longitude] if altitude is None: altitude = bool(self.altitude) if altitude: if not isinstance(altitude, string_compare): altitude = 'km' coordinates.append(self.format_altitude(altitude)) return ', '.join(coordinates)
format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, altitude=None, deg_char='', min_char='m', sec_char='s'):\n latitude = '%s %s' % (format_degrees(abs(self.latitude), symbols={'deg':\n deg_char, 'arcmin': min_char, 'arcsec': sec_char}), self.latitude >=\n 0 and 'N' or 'S')\n longitude = '%s %s' % (format_degrees(abs(self.longitude), symbols={\n 'deg': deg_char, 'arcmin': min_char, 'arcsec': sec_char}), self.\n longitude >= 0 and 'E' or 'W')\n coordinates = [latitude, longitude]\n if altitude is None:\n altitude = bool(self.altitude)\n if altitude:\n if not isinstance(altitude, string_compare):\n altitude = 'km'\n coordinates.append(self.format_altitude(altitude))\n return ', '.join(coordinates)\n", "role": "user" }, { "content": "format", "role": "assistant" } ]
def x(self, altitude=None): coordinates = [str(self.latitude), str(self.longitude)] if altitude is None: altitude = bool(self.altitude) if altitude: if not isinstance(altitude, string_compare): altitude = 'km' coordinates.append(self.format_altitude(altitude)) return ', '.join(coordinates)
format_decimal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, altitude=None):\n coordinates = [str(self.latitude), str(self.longitude)]\n if altitude is None:\n altitude = bool(self.altitude)\n if altitude:\n if not isinstance(altitude, string_compare):\n altitude = 'km'\n coordinates.append(self.format_altitude(altitude))\n return ', '.join(coordinates)\n", "role": "user" }, { "content": "format_decimal", "role": "assistant" } ]
def x(cls, degrees, arcminutes, arcseconds, direction=None): degrees = float(degrees) negative = degrees < 0 arcminutes = float(arcminutes) arcseconds = float(arcseconds) if arcminutes or arcseconds: more = units.degrees(arcminutes=arcminutes, arcseconds=arcseconds) if negative: degrees -= more else: degrees += more if direction in [None, 'N', 'E']: return degrees elif direction in ['S', 'W']: return -degrees else: raise ValueError('Invalid direction! Should be one of [NSEW].')
parse_degrees
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, degrees, arcminutes, arcseconds, direction=None):\n degrees = float(degrees)\n negative = degrees < 0\n arcminutes = float(arcminutes)\n arcseconds = float(arcseconds)\n if arcminutes or arcseconds:\n more = units.degrees(arcminutes=arcminutes, arcseconds=arcseconds)\n if negative:\n degrees -= more\n else:\n degrees += more\n if direction in [None, 'N', 'E']:\n return degrees\n elif direction in ['S', 'W']:\n return -degrees\n else:\n raise ValueError('Invalid direction! Should be one of [NSEW].')\n", "role": "user" }, { "content": "parse_degrees", "role": "assistant" } ]