source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self): result = [None, None] element = self._first('NN') if element: if re.search('(de|het/?de|het);', element, re.U): result[0] = re.findall('(de|het/?de|het);', element, re.U)[0 ].split('/') if re.search('meervoud: (\\w+)', element, re.U): result[1] = ['de'] else: result[1] = [''] return result
articles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n result = [None, None]\n element = self._first('NN')\n if element:\n if re.search('(de|het/?de|het);', element, re.U):\n result[0] = re.findall('(de|het/?de|het);', element, re.U)[0\n ].split('/')\n if re.search('meervoud: (\\\\w+)', element, re.U):\n result[1] = ['de']\n else:\n result[1] = ['']\n return result\n", "role": "user" }, { "content": "articles", "role": "assistant" } ]
def x(self): element = self._first('NN') if element: if re.search("meervoud: ([\\w|\\s|'|\\-|,]+)", element, re.U): results = re.search("meervoud: ([\\w|\\s|'|\\-|,]+)", element, re.U ).groups()[0].split(', ') results = [x.replace('ook ', '').strip() for x in results] return results else: return [''] return [None]
plural
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n element = self._first('NN')\n if element:\n if re.search(\"meervoud: ([\\\\w|\\\\s|'|\\\\-|,]+)\", element, re.U):\n results = re.search(\"meervoud: ([\\\\w|\\\\s|'|\\\\-|,]+)\", element, re.U\n ).groups()[0].split(', ')\n results = [x.replace('ook ', '').strip() for x in results]\n return results\n else:\n return ['']\n return [None]\n", "role": "user" }, { "content": "plural", "role": "assistant" } ]
def x(self): element = self._first('NN') if element: if re.search('verkleinwoord: (\\w+)', element, re.U): return re.findall('verkleinwoord: (\\w+)', element, re.U) else: return [''] return [None]
miniaturize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n element = self._first('NN')\n if element:\n if re.search('verkleinwoord: (\\\\w+)', element, re.U):\n return re.findall('verkleinwoord: (\\\\w+)', element, re.U)\n else:\n return ['']\n return [None]\n", "role": "user" }, { "content": "miniaturize", "role": "assistant" } ]
def x(self, string): string = super(VerbixDe, self)._normalize(string) string = string.replace('sie; Sie', 'sie') string = string.strip() return string
normalize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string):\n string = super(VerbixDe, self)._normalize(string)\n string = string.replace('sie; Sie', 'sie')\n string = string.strip()\n return string\n", "role": "user" }, { "content": "normalize", "role": "assistant" } ]
def x(self): tags = [] if self.tree.xpath('//div[@class="grad733100"]/h2[@class="inline"]//text()' ): info = self.tree.xpath('//div[@class="grad733100"]/h2[@class="inline"]' )[0].text_content() info = info.strip('I ') if info.startswith(('de', 'het')): tags.append('NN') if not info.startswith(('de', 'het')) and info.endswith('en'): tags.append('VB') if not info.startswith(('de', 'het')) and not info.endswith('en'): tags.append('JJ') return tags
pos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n tags = []\n if self.tree.xpath('//div[@class=\"grad733100\"]/h2[@class=\"inline\"]//text()'\n ):\n info = self.tree.xpath('//div[@class=\"grad733100\"]/h2[@class=\"inline\"]'\n )[0].text_content()\n info = info.strip('I ')\n if info.startswith(('de', 'het')):\n tags.append('NN')\n if not info.startswith(('de', 'het')) and info.endswith('en'):\n tags.append('VB')\n if not info.startswith(('de', 'het')) and not info.endswith('en'):\n tags.append('JJ')\n return tags\n", "role": "user" }, { "content": "pos", "role": "assistant" } ]
def x(self, string): string = super(VerbixFr, self)._normalize(string) string = string.replace('il; elle', 'il/elle') string = string.replace('ils; elles', 'ils/elles') string = string.strip() return string
normalize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string):\n string = super(VerbixFr, self)._normalize(string)\n string = string.replace('il; elle', 'il/elle')\n string = string.replace('ils; elles', 'ils/elles')\n string = string.strip()\n return string\n", "role": "user" }, { "content": "normalize", "role": "assistant" } ]
def x(self, element=None): tags = [] if element: if re.search('[\\w|\\s]+ [m|f]\\.', element, re.U): tags.append('NN') if '[VERB]' in element: tags.append('VB') if 'adj.' in element and re.search('([\\w|\\s]+, [\\w|\\s]+)', element, re.U): tags.append('JJ') else: for element in self.elements: if element.startswith(self.word): tags += self.pos(element) return list(set(tags))
pos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, element=None):\n tags = []\n if element:\n if re.search('[\\\\w|\\\\s]+ [m|f]\\\\.', element, re.U):\n tags.append('NN')\n if '[VERB]' in element:\n tags.append('VB')\n if 'adj.' in element and re.search('([\\\\w|\\\\s]+, [\\\\w|\\\\s]+)',\n element, re.U):\n tags.append('JJ')\n else:\n for element in self.elements:\n if element.startswith(self.word):\n tags += self.pos(element)\n return list(set(tags))\n", "role": "user" }, { "content": "pos", "role": "assistant" } ]
def x(self): element = self._first('NN') if element: if re.search('([m|f|n)])\\.', element, re.U): genus = re.findall('([m|f|n)])\\.', element, re.U)[0] return genus
gender
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n element = self._first('NN')\n if element:\n if re.search('([m|f|n)])\\\\.', element, re.U):\n genus = re.findall('([m|f|n)])\\\\.', element, re.U)[0]\n return genus\n", "role": "user" }, { "content": "gender", "role": "assistant" } ]
def x(result): if isinstance(result, list): for element in result: if isinstance(element, list): if not isempty(element): return False elif element is not None: return False elif result is not None: return False return True
isempty
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(result):\n if isinstance(result, list):\n for element in result:\n if isinstance(element, list):\n if not isempty(element):\n return False\n elif element is not None:\n return False\n elif result is not None:\n return False\n return True\n", "role": "user" }, { "content": "isempty", "role": "assistant" } ]
def x(method): if method in ('articles', 'plural', 'miniaturize', 'gender'): pos = ['NN'] elif method in ('conjugate',): pos = ['VB'] elif method in 'comparative, superlative': pos = ['JJ'] else: pos = ['*'] return pos
method2pos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method):\n if method in ('articles', 'plural', 'miniaturize', 'gender'):\n pos = ['NN']\n elif method in ('conjugate',):\n pos = ['VB']\n elif method in 'comparative, superlative':\n pos = ['JJ']\n else:\n pos = ['*']\n return pos\n", "role": "user" }, { "content": "method2pos", "role": "assistant" } ]
def x(scraper): global scrapers language = scraper('').language if not language: raise Exception('No language specified for your scraper.') if scrapers.has_key(language): scrapers[language].append(scraper) else: scrapers[language] = [scraper]
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(scraper):\n global scrapers\n language = scraper('').language\n if not language:\n raise Exception('No language specified for your scraper.')\n if scrapers.has_key(language):\n scrapers[language].append(scraper)\n else:\n scrapers[language] = [scraper]\n", "role": "user" }, { "content": "register", "role": "assistant" } ]
def x(language): debug("Discovering scrapers for '%s'..." % (language,)) global scrapers, discovered for language in scrapers.iterkeys(): discovered[language] = {} for scraper in scrapers[language]: blacklist = ['download', 'isdownloaded', 'getelements'] methods = [method for method in dir(scraper) if method not in blacklist and not method.startswith('_') and callable( getattr(scraper, method))] for method in methods: if discovered[language].has_key(method): discovered[language][method].append(scraper) else: discovered[language][method] = [scraper] debug("%d scrapers with %d methods (overall) registered for '%s'." % ( len(scrapers[language]), len(discovered[language].keys()), language))
discover
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(language):\n debug(\"Discovering scrapers for '%s'...\" % (language,))\n global scrapers, discovered\n for language in scrapers.iterkeys():\n discovered[language] = {}\n for scraper in scrapers[language]:\n blacklist = ['download', 'isdownloaded', 'getelements']\n methods = [method for method in dir(scraper) if method not in\n blacklist and not method.startswith('_') and callable(\n getattr(scraper, method))]\n for method in methods:\n if discovered[language].has_key(method):\n discovered[language][method].append(scraper)\n else:\n discovered[language][method] = [scraper]\n debug(\"%d scrapers with %d methods (overall) registered for '%s'.\" % (\n len(scrapers[language]), len(discovered[language].keys()), language))\n", "role": "user" }, { "content": "discover", "role": "assistant" } ]
def x(language, method, word, *args, **kwargs): scraper = Scrape(language, word) if hasattr(scraper, method): function = getattr(scraper, method) if callable(function): return function(*args, **kwargs) else: raise NotImplementedError('The method ' + method + '() is not implemented so far.')
scrape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(language, method, word, *args, **kwargs):\n scraper = Scrape(language, word)\n if hasattr(scraper, method):\n function = getattr(scraper, method)\n if callable(function):\n return function(*args, **kwargs)\n else:\n raise NotImplementedError('The method ' + method +\n '() is not implemented so far.')\n", "role": "user" }, { "content": "scrape", "role": "assistant" } ]
def x(self, method, mode=None): global discovered if discovered.has_key(self.language) and discovered[self.language].has_key( method): for Scraper in discovered[self.language][method]: yield Scraper
iterscrapers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, mode=None):\n global discovered\n if discovered.has_key(self.language) and discovered[self.language].has_key(\n method):\n for Scraper in discovered[self.language][method]:\n yield Scraper\n", "role": "user" }, { "content": "iterscrapers", "role": "assistant" } ]
def x(self, elements): from collections import Counter from lltk.utils import list2tuple, tuple2list merged = tuple2list([value for value, count in Counter(list2tuple(list( elements))).most_common()]) return merged
merge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, elements):\n from collections import Counter\n from lltk.utils import list2tuple, tuple2list\n merged = tuple2list([value for value, count in Counter(list2tuple(list(\n elements))).most_common()])\n return merged\n", "role": "user" }, { "content": "merge", "role": "assistant" } ]
def x(self, elements): cleanelements = [] for i in xrange(len(elements)): if isempty(elements[i]): return [] next = elements[i] if isinstance(elements[i], (list, tuple)): next = self.clean(elements[i]) if next: cleanelements.append(elements[i]) return cleanelements
clean
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, elements):\n cleanelements = []\n for i in xrange(len(elements)):\n if isempty(elements[i]):\n return []\n next = elements[i]\n if isinstance(elements[i], (list, tuple)):\n next = self.clean(elements[i])\n if next:\n cleanelements.append(elements[i])\n return cleanelements\n", "role": "user" }, { "content": "clean", "role": "assistant" } ]
def x(self, f): @wraps(f) def x(self, *args, **kwargs): if not self.isdownloaded(): self.download() return f(self, *args, **kwargs) return wrapper
needs_download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, f):\n\n @wraps(f)\n def x(self, *args, **kwargs):\n if not self.isdownloaded():\n self.download()\n return f(self, *args, **kwargs)\n return wrapper\n", "role": "user" }, { "content": "needs_download", "role": "assistant" } ]
def x(self): self.page = requests.get(self.url) self.tree = html.fromstring(self.page.text)
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.page = requests.get(self.url)\n self.tree = html.fromstring(self.page.text)\n", "role": "user" }, { "content": "download", "role": "assistant" } ]
def x(self, f): @wraps(f) def x(self, *args, **kwargs): if self.elements == None: self.getelements() return f(self, *args, **kwargs) return wrapper
needs_elements
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, f):\n\n @wraps(f)\n def x(self, *args, **kwargs):\n if self.elements == None:\n self.getelements()\n return f(self, *args, **kwargs)\n return wrapper\n", "role": "user" }, { "content": "needs_elements", "role": "assistant" } ]
def x(self, tag): self.getelements() for element in self.elements: if tag in self.pos(element): return element return None
first
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag):\n self.getelements()\n for element in self.elements:\n if tag in self.pos(element):\n return element\n return None\n", "role": "user" }, { "content": "first", "role": "assistant" } ]
def x(self, string): string = string.replace(u'·', '') string = string.replace(u'̱', '') string = string.replace(u'̣', '') string = string.strip(' \n\rI.') return string
normalize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string):\n string = string.replace(u'·', '')\n string = string.replace(u'̱', '')\n string = string.replace(u'̣', '')\n string = string.strip(' \\n\\rI.')\n return string\n", "role": "user" }, { "content": "normalize", "role": "assistant" } ]
def x(self, element=None): tags = [] if element: if element.startswith(('der', 'die', 'das')): tags.append('NN') if ' VERB' in element: tags.append('VB') if ' ADJ' in element: tags.append('JJ') else: for element in self.elements: if self.word in unicode(element): return self.pos(element) return tags
pos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, element=None):\n tags = []\n if element:\n if element.startswith(('der', 'die', 'das')):\n tags.append('NN')\n if ' VERB' in element:\n tags.append('VB')\n if ' ADJ' in element:\n tags.append('JJ')\n else:\n for element in self.elements:\n if self.word in unicode(element):\n return self.pos(element)\n return tags\n", "role": "user" }, { "content": "pos", "role": "assistant" } ]
def x(self): result = [None, None] element = self._first('NN') if element: result[0] = [element.split(' ')[0].replace('(die)', '').strip()] if 'kein Plur' in element: result[1] = [''] else: result[1] = ['die'] return result
articles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n result = [None, None]\n element = self._first('NN')\n if element:\n result[0] = [element.split(' ')[0].replace('(die)', '').strip()]\n if 'kein Plur' in element:\n result[1] = ['']\n else:\n result[1] = ['die']\n return result\n", "role": "user" }, { "content": "articles", "role": "assistant" } ]
def x(self): element = self._first('NN') if element: if 'kein Plur' in element: return [''] if re.search(', ([\\w|\\s|/]+)>', element, re.U): return re.findall(', ([\\w|\\s|/]+)>', element, re.U)[0].split('/') if re.search(', -(\\w+)>', element, re.U): suffix = re.findall(', -(\\w+)>', element, re.U)[0] return [self.word + suffix] if element.endswith('->'): return [self.word] return [None]
plural
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n element = self._first('NN')\n if element:\n if 'kein Plur' in element:\n return ['']\n if re.search(', ([\\\\w|\\\\s|/]+)>', element, re.U):\n return re.findall(', ([\\\\w|\\\\s|/]+)>', element, re.U)[0].split('/')\n if re.search(', -(\\\\w+)>', element, re.U):\n suffix = re.findall(', -(\\\\w+)>', element, re.U)[0]\n return [self.word + suffix]\n if element.endswith('->'):\n return [self.word]\n return [None]\n", "role": "user" }, { "content": "plural", "role": "assistant" } ]
def x(language, word): sg, pl, art = word, '/'.join(plural(language, word) or ['-']), [[''], ['']] art[0], art[1] = articles(language, word) or (['-'], ['-']) result = ['%s %s' % ('/'.join(art[0]), sg), '%s %s' % ('/'.join(art[1]), pl)] result = [(None if x == '- -' else x) for x in result] return result
reference
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(language, word):\n sg, pl, art = word, '/'.join(plural(language, word) or ['-']), [[''], ['']]\n art[0], art[1] = articles(language, word) or (['-'], ['-'])\n result = ['%s %s' % ('/'.join(art[0]), sg), '%s %s' % ('/'.join(art[1]),\n pl)]\n result = [(None if x == '- -' else x) for x in result]\n return result\n", "role": "user" }, { "content": "reference", "role": "assistant" } ]
def x(src, dest, word): results = [] try: from textblob import TextBlob results.append(TextBlob(word).translate(from_lang=src, to=dest).string) except ImportError: pass if not results: return [None] return results
translate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(src, dest, word):\n results = []\n try:\n from textblob import TextBlob\n results.append(TextBlob(word).translate(from_lang=src, to=dest).string)\n except ImportError:\n pass\n if not results:\n return [None]\n return results\n", "role": "user" }, { "content": "translate", "role": "assistant" } ]
def x(language, word, key=''): from lltk.audiosamples import forvo, google urls = [] urls += forvo(language, word, key) urls += google(language, word) return urls
audiosamples
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(language, word, key=''):\n from lltk.audiosamples import forvo, google\n urls = []\n urls += forvo(language, word, key)\n urls += google(language, word)\n return urls\n", "role": "user" }, { "content": "audiosamples", "role": "assistant" } ]
def x(language, word, n=20, *args, **kwargs): from lltk.images import google return google(language, word, n, *args, **kwargs)
images
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(language, word, n=20, *args, **kwargs):\n from lltk.images import google\n return google(language, word, n, *args, **kwargs)\n", "role": "user" }, { "content": "images", "role": "assistant" } ]
def x(word): from pattern.it import article result = [[None], [None]] genus = gender(word) or 'f' result[0] = [article(word, function='definite', gender=genus)] result[1] = [article(plural(word)[0], function='definite', gender=( genus, 'p'))] return result
articles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word):\n from pattern.it import article\n result = [[None], [None]]\n genus = gender(word) or 'f'\n result[0] = [article(word, function='definite', gender=genus)]\n result[1] = [article(plural(word)[0], function='definite', gender=(\n genus, 'p'))]\n return result\n", "role": "user" }, { "content": "articles", "role": "assistant" } ]
def x(language, word, n=8, *args, **kwargs): if not kwargs.has_key('start'): kwargs['start'] = 0 if not kwargs.has_key('itype'): kwargs['itype'] = 'photo|clipart|lineart' if not kwargs.has_key('isize'): kwargs['isize'] = 'small|medium|large|xlarge' if not kwargs.has_key('filetype'): kwargs['filetype'] = 'jpg' info = {'q': word, 'hl': language, 'start': str(kwargs['start']), 'as_filetype': kwargs['filetype'], 'imgsz': kwargs['isize'], 'imgtype': kwargs['itype'], 'rsz': '8', 'safe': 'active'} query = '&'.join([(x[0] + '=' + x[1]) for x in info.items()]) url = ('https://ajax.googleapis.com/ajax/services/search/images?v=1.0&' + query) debug('Loading ' + unicode(url) + '...') page = requests.get(url) data = json.loads(page.text) images = [] if data and data.has_key('responseData') and data['responseData']: items = data['responseData']['results'] if items: images += [item['url'] for item in items] if len(images) < int(n): kwargs['start'] += 8 images += google(language, word, n, *args, **kwargs) return images[:int(n)]
google
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(language, word, n=8, *args, **kwargs):\n if not kwargs.has_key('start'):\n kwargs['start'] = 0\n if not kwargs.has_key('itype'):\n kwargs['itype'] = 'photo|clipart|lineart'\n if not kwargs.has_key('isize'):\n kwargs['isize'] = 'small|medium|large|xlarge'\n if not kwargs.has_key('filetype'):\n kwargs['filetype'] = 'jpg'\n info = {'q': word, 'hl': language, 'start': str(kwargs['start']),\n 'as_filetype': kwargs['filetype'], 'imgsz': kwargs['isize'],\n 'imgtype': kwargs['itype'], 'rsz': '8', 'safe': 'active'}\n query = '&'.join([(x[0] + '=' + x[1]) for x in info.items()])\n url = ('https://ajax.googleapis.com/ajax/services/search/images?v=1.0&' +\n query)\n debug('Loading ' + unicode(url) + '...')\n page = requests.get(url)\n data = json.loads(page.text)\n images = []\n if data and data.has_key('responseData') and data['responseData']:\n items = data['responseData']['results']\n if items:\n images += [item['url'] for item in items]\n if len(images) < int(n):\n kwargs['start'] += 8\n images += google(language, word, n, *args, **kwargs)\n return images[:int(n)]\n", "role": "user" }, { "content": "google", "role": "assistant" } ]
def x(self, string): string = string.replace(u'\xa0', '') string = string.strip() return string
normalize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string):\n string = string.replace(u'\\xa0', '')\n string = string.strip()\n return string\n", "role": "user" }, { "content": "normalize", "role": "assistant" } ]
def x(self, identifier): conjugation = [] if self.tree.xpath('//p/b[normalize-space(text()) = "' + identifier. decode('utf-8') + '"]'): p = self.tree.xpath('//p/b[normalize-space(text()) = "' + identifier.decode('utf-8') + '"]')[0].getparent() for font in p.iterfind('font'): text = self._normalize(font.text_content()) next = font.getnext() text += ' ' + self._normalize(next.text_content()) while True: next = next.getnext() if next.tag != 'span': break text += '/' + self._normalize(next.text_content()) conjugation.append(text) return conjugation
extract
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, identifier):\n conjugation = []\n if self.tree.xpath('//p/b[normalize-space(text()) = \"' + identifier.\n decode('utf-8') + '\"]'):\n p = self.tree.xpath('//p/b[normalize-space(text()) = \"' +\n identifier.decode('utf-8') + '\"]')[0].getparent()\n for font in p.iterfind('font'):\n text = self._normalize(font.text_content())\n next = font.getnext()\n text += ' ' + self._normalize(next.text_content())\n while True:\n next = next.getnext()\n if next.tag != 'span':\n break\n text += '/' + self._normalize(next.text_content())\n conjugation.append(text)\n return conjugation\n", "role": "user" }, { "content": "extract", "role": "assistant" } ]
def x(self, tense='present'): if self.tenses.has_key(tense): return self._extract(self.tenses[tense]) elif self.tenses.has_key(tense.title()): return self._extract(self.tenses[tense.title()]) return [None]
conjugate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tense='present'):\n if self.tenses.has_key(tense):\n return self._extract(self.tenses[tense])\n elif self.tenses.has_key(tense.title()):\n return self._extract(self.tenses[tense.title()])\n return [None]\n", "role": "user" }, { "content": "conjugate", "role": "assistant" } ]
def x(self, filename, replace=False): import os, json, re if os.path.exists(filename): f = open(filename, 'r') content = f.read() content = re.sub('[\t ]*?[#].*?\n', '', content) try: settings = json.loads(content) except ValueError: from lltk.exceptions import ConfigurationError raise ConfigurationError("'" + filename + "' is not a valid JSON document.") f.close() if replace: self.settings = settings else: self.settings.update(settings) else: lltkfilename = self.settings['module-path'] + '/' + self.settings[ 'lltk-config-path'] + filename if os.path.exists(lltkfilename): return self.load(lltkfilename) from lltk.exceptions import ConfigurationError raise ConfigurationError("'" + filename + "' seems to be non-existent." )
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, replace=False):\n import os, json, re\n if os.path.exists(filename):\n f = open(filename, 'r')\n content = f.read()\n content = re.sub('[\\t ]*?[#].*?\\n', '', content)\n try:\n settings = json.loads(content)\n except ValueError:\n from lltk.exceptions import ConfigurationError\n raise ConfigurationError(\"'\" + filename +\n \"' is not a valid JSON document.\")\n f.close()\n if replace:\n self.settings = settings\n else:\n self.settings.update(settings)\n else:\n lltkfilename = self.settings['module-path'] + '/' + self.settings[\n 'lltk-config-path'] + filename\n if os.path.exists(lltkfilename):\n return self.load(lltkfilename)\n from lltk.exceptions import ConfigurationError\n raise ConfigurationError(\"'\" + filename + \"' seems to be non-existent.\"\n )\n", "role": "user" }, { "content": "load", "role": "assistant" } ]
def x(self, filename): import json f = open(filename, 'w') json.dump(self.settings, f, indent=4) f.close()
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n import json\n f = open(filename, 'w')\n json.dump(self.settings, f, indent=4)\n f.close()\n", "role": "user" }, { "content": "save", "role": "assistant" } ]
def x(language, word, key): from requests import get url = ( 'http://apifree.forvo.com/action/word-pronunciations/format/json/word/%s/language/%s/key/%s/' % (word, language, key)) urls = [] page = get(url) if page.status_code == 200: if 'incorrect' in page.text: from lltk.exceptions import IncorrectForvoAPIKey raise IncorrectForvoAPIKey( 'Your Forvi API key seems to be wrong. Please check on http://api.forvo.com.' ) data = page.json() if data == ['Limit/day reached.']: from lltk.exceptions import DailyForvoLimitExceeded raise DailyForvoLimitExceeded( 'You have exceeded your daily Forvo API limit.') if data.has_key('items') and len(data['items']): items = sorted(data['items'], key=lambda x: int(x['num_votes']), reverse=True) for item in items: urls.append(item['pathmp3']) return urls
forvo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(language, word, key):\n from requests import get\n url = (\n 'http://apifree.forvo.com/action/word-pronunciations/format/json/word/%s/language/%s/key/%s/'\n % (word, language, key))\n urls = []\n page = get(url)\n if page.status_code == 200:\n if 'incorrect' in page.text:\n from lltk.exceptions import IncorrectForvoAPIKey\n raise IncorrectForvoAPIKey(\n 'Your Forvi API key seems to be wrong. Please check on http://api.forvo.com.'\n )\n data = page.json()\n if data == ['Limit/day reached.']:\n from lltk.exceptions import DailyForvoLimitExceeded\n raise DailyForvoLimitExceeded(\n 'You have exceeded your daily Forvo API limit.')\n if data.has_key('items') and len(data['items']):\n items = sorted(data['items'], key=lambda x: int(x['num_votes']),\n reverse=True)\n for item in items:\n urls.append(item['pathmp3'])\n return urls\n", "role": "user" }, { "content": "forvo", "role": "assistant" } ]
def x(self, string): string = string.replace(u'·', '') string = string.replace(u'\xa0', ' ') string = string.replace('selten: ', '') string = string.replace('Alte Rechtschreibung', '') string = string.strip() return string
normalize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string):\n string = string.replace(u'·', '')\n string = string.replace(u'\\xa0', ' ')\n string = string.replace('selten: ', '')\n string = string.replace('Alte Rechtschreibung', '')\n string = string.strip()\n return string\n", "role": "user" }, { "content": "normalize", "role": "assistant" } ]
def x(self): tags = [] if self.tree.xpath( '//div[@id="mw-content-text"]//a[@title="Hilfe:Wortart"]/text()'): info = self.tree.xpath( '//div[@id="mw-content-text"]//a[@title="Hilfe:Wortart"]/text()')[0 ] if info == 'Substantiv': tags.append('NN') if info == 'Verb': tags.append('VB') if info == 'Adjektiv': tags.append('JJ') return tags
pos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n tags = []\n if self.tree.xpath(\n '//div[@id=\"mw-content-text\"]//a[@title=\"Hilfe:Wortart\"]/text()'):\n info = self.tree.xpath(\n '//div[@id=\"mw-content-text\"]//a[@title=\"Hilfe:Wortart\"]/text()')[0\n ]\n if info == 'Substantiv':\n tags.append('NN')\n if info == 'Verb':\n tags.append('VB')\n if info == 'Adjektiv':\n tags.append('JJ')\n return tags\n", "role": "user" }, { "content": "pos", "role": "assistant" } ]
def x(cache): global caches name = cache().name if not caches.has_key(name): caches[name] = cache
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cache):\n global caches\n name = cache().name\n if not caches.has_key(name):\n caches[name] = cache\n", "role": "user" }, { "content": "register", "role": "assistant" } ]
def x(identifier=None, *args, **kwargs): global cache if not identifier: for item in (config['default-caches'] + ['NoCache']): if caches.has_key(item): debug('Enabling default cache %s...' % (item,)) cache = caches[item](*args, **kwargs) if not cache.status(): warning( '%s could not be loaded. Is the backend running (%s:%d)?' % (item, cache.server, cache.port)) continue break else: debug( 'Cache backend %s is not registered. Are all requirements satisfied?' % (item,)) elif caches.has_key(identifier): debug('Enabling cache %s...' % (identifier,)) previouscache = cache cache = caches[identifier](*args, **kwargs) if not cache.status(): warning( '%s could not be loaded. Is the backend running (%s:%d)?' % (identifier, cache.server, cache.port)) cache = previouscache else: debug( 'Cache backend %s is not registered. Are all requirements satisfied?' % (identifier,))
enable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(identifier=None, *args, **kwargs):\n global cache\n if not identifier:\n for item in (config['default-caches'] + ['NoCache']):\n if caches.has_key(item):\n debug('Enabling default cache %s...' % (item,))\n cache = caches[item](*args, **kwargs)\n if not cache.status():\n warning(\n '%s could not be loaded. Is the backend running (%s:%d)?'\n % (item, cache.server, cache.port))\n continue\n break\n else:\n debug(\n 'Cache backend %s is not registered. Are all requirements satisfied?'\n % (item,))\n elif caches.has_key(identifier):\n debug('Enabling cache %s...' % (identifier,))\n previouscache = cache\n cache = caches[identifier](*args, **kwargs)\n if not cache.status():\n warning(\n '%s could not be loaded. Is the backend running (%s:%d)?' %\n (identifier, cache.server, cache.port))\n cache = previouscache\n else:\n debug(\n 'Cache backend %s is not registered. Are all requirements satisfied?'\n % (identifier,))\n", "role": "user" }, { "content": "enable", "role": "assistant" } ]
def x(key=None, extradata={}): def x(f): @wraps(f) def x(*args, **kwargs): uid = key if not uid: from hashlib import md5 arguments = list(args) + [(a, kwargs[a]) for a in sorted( kwargs.keys())] uid = md5(str(arguments)).hexdigest() if exists(uid): debug("Item '%s' is cached (%s)." % (uid, cache)) return get(uid) else: debug("Item '%s' is not cached (%s)." % (uid, cache)) result = f(*args, **kwargs) debug("Caching result '%s' as '%s' (%s)..." % (result, uid, cache)) debug('Extra data: ' + (str(extradata) or 'None')) put(uid, result, extradata) return result return wrapper return decorator
cached
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key=None, extradata={}):\n\n def x(f):\n\n @wraps(f)\n def x(*args, **kwargs):\n uid = key\n if not uid:\n from hashlib import md5\n arguments = list(args) + [(a, kwargs[a]) for a in sorted(\n kwargs.keys())]\n uid = md5(str(arguments)).hexdigest()\n if exists(uid):\n debug(\"Item '%s' is cached (%s).\" % (uid, cache))\n return get(uid)\n else:\n debug(\"Item '%s' is not cached (%s).\" % (uid, cache))\n result = f(*args, **kwargs)\n debug(\"Caching result '%s' as '%s' (%s)...\" % (result, uid,\n cache))\n debug('Extra data: ' + (str(extradata) or 'None'))\n put(uid, result, extradata)\n return result\n return wrapper\n return decorator\n", "role": "user" }, { "content": "cached", "role": "assistant" } ]
def x(self, f): @wraps(f) def x(self, *args, **kwargs): if not self.connection: self.connect() return f(self, *args, **kwargs) return wrapper
needsconnection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, f):\n\n @wraps(f)\n def x(self, *args, **kwargs):\n if not self.connection:\n self.connect()\n return f(self, *args, **kwargs)\n return wrapper\n", "role": "user" }, { "content": "needsconnection", "role": "assistant" } ]
def x(l): def x(f): @wraps(f) def x(*args, **kwargs): return f(l, *args, **kwargs) return wrapper return decorator
language
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(l):\n\n def x(f):\n\n @wraps(f)\n def x(*args, **kwargs):\n return f(l, *args, **kwargs)\n return wrapper\n return decorator\n", "role": "user" }, { "content": "language", "role": "assistant" } ]
def x(f): @wraps(f) def x(language, word, *args, **kwargs): method = f.func_name try: if isinstance(language, (list, tuple)): _lltk = __import__('lltk.' + language[0], globals(), locals (), [method], -1) else: _lltk = __import__('lltk.' + language, globals(), locals(), [method], -1) except ImportError: from lltk.exceptions import LanguageNotSupported raise LanguageNotSupported('The language ' + language + ' is not supported so far.') if hasattr(_lltk, method): function = getattr(_lltk, method) if callable(function): return function(word, *args, **kwargs) raise NotImplementedError('Method lltk.' + language + '.' + method + '() not implemented, yet.') return loader
load_language_or_die
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n\n @wraps(f)\n def x(language, word, *args, **kwargs):\n method = f.func_name\n try:\n if isinstance(language, (list, tuple)):\n _lltk = __import__('lltk.' + language[0], globals(), locals\n (), [method], -1)\n else:\n _lltk = __import__('lltk.' + language, globals(), locals(),\n [method], -1)\n except ImportError:\n from lltk.exceptions import LanguageNotSupported\n raise LanguageNotSupported('The language ' + language +\n ' is not supported so far.')\n if hasattr(_lltk, method):\n function = getattr(_lltk, method)\n if callable(function):\n return function(word, *args, **kwargs)\n raise NotImplementedError('Method lltk.' + language + '.' + method +\n '() not implemented, yet.')\n return loader\n", "role": "user" }, { "content": "load_language_or_die", "role": "assistant" } ]
def x(language, word, minlength=10, maxlength=100): word, sentences = unicode(word), [] page = requests.get( 'http://tatoeba.org/deu/sentences/search?query=%s&from=%s&to=und' % (word, lltk.locale.iso639_1to3(language))) tree = html.fromstring(page.text) for sentence in tree.xpath( '//div[contains(concat(" ", normalize-space(@class), " "), " mainSentence ")]/div/a/text()' ): sentence = sentence.strip(u' "„“').replace(u'“ „', u' – ').replace( '" "', u' – ') if word in sentence and len(sentence) < maxlength and len(sentence ) > minlength: sentences.append(sentence) return sentences
tatoeba
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(language, word, minlength=10, maxlength=100):\n word, sentences = unicode(word), []\n page = requests.get(\n 'http://tatoeba.org/deu/sentences/search?query=%s&from=%s&to=und' %\n (word, lltk.locale.iso639_1to3(language)))\n tree = html.fromstring(page.text)\n for sentence in tree.xpath(\n '//div[contains(concat(\" \", normalize-space(@class), \" \"), \" mainSentence \")]/div/a/text()'\n ):\n sentence = sentence.strip(u' \"„“').replace(u'“ „', u' – ').replace(\n '\" \"', u' – ')\n if word in sentence and len(sentence) < maxlength and len(sentence\n ) > minlength:\n sentences.append(sentence)\n return sentences\n", "role": "user" }, { "content": "tatoeba", "role": "assistant" } ]
def x(self): elements = self.tree.xpath('//table[@class="WRD"]') if len(elements): elements = self.tree.xpath('//table[@class="WRD"]')[0] if len(elements): if '/iten/' in self.page.url: elements = elements.xpath( '//td[@class="FrWrd"]/em[@class="POS2"]/text()') elif '/enit/' in self.page.url: elements = elements.xpath( '//td[@class="ToWrd"]/em[@class="POS2"]/text()') else: return [None] element = [element[1:] for element in elements if element in [ 'nm', 'nf']] counter = Counter(element) if len(counter.most_common(1)): result = counter.most_common(1)[0][0] return [result] return [None]
gender
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n elements = self.tree.xpath('//table[@class=\"WRD\"]')\n if len(elements):\n elements = self.tree.xpath('//table[@class=\"WRD\"]')[0]\n if len(elements):\n if '/iten/' in self.page.url:\n elements = elements.xpath(\n '//td[@class=\"FrWrd\"]/em[@class=\"POS2\"]/text()')\n elif '/enit/' in self.page.url:\n elements = elements.xpath(\n '//td[@class=\"ToWrd\"]/em[@class=\"POS2\"]/text()')\n else:\n return [None]\n element = [element[1:] for element in elements if element in [\n 'nm', 'nf']]\n counter = Counter(element)\n if len(counter.most_common(1)):\n result = counter.most_common(1)[0][0]\n return [result]\n return [None]\n", "role": "user" }, { "content": "gender", "role": "assistant" } ]
def x(iso639): for i, element in enumerate(LANGUAGES): if element[1] == iso639 or element[2] == iso639: return element[0] return None
humanize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(iso639):\n for i, element in enumerate(LANGUAGES):\n if element[1] == iso639 or element[2] == iso639:\n return element[0]\n return None\n", "role": "user" }, { "content": "humanize", "role": "assistant" } ]
def x(self, host_id=None, host='localhost', port=6379, unix_socket_path= None, db=0, password=None, ssl=False, ssl_options=None): if host_id is None: raise RuntimeError('Host ID is required') elif not isinstance(host_id, (int, long)): raise ValueError('The host ID has to be an integer') host_id = int(host_id) with self._lock: if host_id in self.hosts: raise TypeError('Two hosts share the same host id (%r)' % ( host_id,)) self.hosts[host_id] = HostInfo(host_id=host_id, host=host, port= port, db=db, unix_socket_path=unix_socket_path, password= password, ssl=ssl, ssl_options=ssl_options) self._hosts_age += 1
add_host
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, host_id=None, host='localhost', port=6379, unix_socket_path=\n None, db=0, password=None, ssl=False, ssl_options=None):\n if host_id is None:\n raise RuntimeError('Host ID is required')\n elif not isinstance(host_id, (int, long)):\n raise ValueError('The host ID has to be an integer')\n host_id = int(host_id)\n with self._lock:\n if host_id in self.hosts:\n raise TypeError('Two hosts share the same host id (%r)' % (\n host_id,))\n self.hosts[host_id] = HostInfo(host_id=host_id, host=host, port=\n port, db=db, unix_socket_path=unix_socket_path, password=\n password, ssl=ssl, ssl_options=ssl_options)\n self._hosts_age += 1\n", "role": "user" }, { "content": "add_host", "role": "assistant" } ]
def x(self, host_id): with self._lock: rv = self._hosts.pop(host_id, None) is not None pool = self._pools.pop(host_id, None) if pool is not None: pool.disconnect() self._hosts_age += 1 return rv
remove_host
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, host_id):\n with self._lock:\n rv = self._hosts.pop(host_id, None) is not None\n pool = self._pools.pop(host_id, None)\n if pool is not None:\n pool.disconnect()\n self._hosts_age += 1\n return rv\n", "role": "user" }, { "content": "remove_host", "role": "assistant" } ]
def x(self): with self._lock: for pool in self._pools.itervalues(): pool.disconnect() self._pools.clear()
disconnect_pools
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._lock:\n for pool in self._pools.itervalues():\n pool.disconnect()\n self._pools.clear()\n", "role": "user" }, { "content": "disconnect_pools", "role": "assistant" } ]
def x(self): cached_router = self._router ref_age = self._hosts_age if cached_router is not None: router, router_age = cached_router if router_age == ref_age: return router with self._lock: router = self.router_cls(self, **self.router_options or {}) self._router = router, ref_age return router
get_router
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cached_router = self._router\n ref_age = self._hosts_age\n if cached_router is not None:\n router, router_age = cached_router\n if router_age == ref_age:\n return router\n with self._lock:\n router = self.router_cls(self, **self.router_options or {})\n self._router = router, ref_age\n return router\n", "role": "user" }, { "content": "get_router", "role": "assistant" } ]
def x(self, host_id): if isinstance(host_id, HostInfo): host_info = host_id host_id = host_info.host_id else: host_info = self.hosts.get(host_id) if host_info is None: raise LookupError('Host %r does not exist' % (host_id,)) rv = self._pools.get(host_id) if rv is not None: return rv with self._lock: rv = self._pools.get(host_id) if rv is None: opts = dict(self.pool_options or ()) opts['db'] = host_info.db opts['password'] = host_info.password if host_info.unix_socket_path is not None: opts['path'] = host_info.unix_socket_path opts['connection_class'] = UnixDomainSocketConnection if host_info.ssl: raise TypeError( 'SSL is not supported for unix domain sockets.') else: opts['host'] = host_info.host opts['port'] = host_info.port if host_info.ssl: if SSLConnection is None: raise TypeError( 'This version of py-redis does not support SSL connections.' ) opts['connection_class'] = SSLConnection opts.update(('ssl_' + k, v) for k, v in (host_info. ssl_options or {}).iteritems()) rv = self.pool_cls(**opts) self._pools[host_id] = rv return rv
get_pool_for_host
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, host_id):\n if isinstance(host_id, HostInfo):\n host_info = host_id\n host_id = host_info.host_id\n else:\n host_info = self.hosts.get(host_id)\n if host_info is None:\n raise LookupError('Host %r does not exist' % (host_id,))\n rv = self._pools.get(host_id)\n if rv is not None:\n return rv\n with self._lock:\n rv = self._pools.get(host_id)\n if rv is None:\n opts = dict(self.pool_options or ())\n opts['db'] = host_info.db\n opts['password'] = host_info.password\n if host_info.unix_socket_path is not None:\n opts['path'] = host_info.unix_socket_path\n opts['connection_class'] = UnixDomainSocketConnection\n if host_info.ssl:\n raise TypeError(\n 'SSL is not supported for unix domain sockets.')\n else:\n opts['host'] = host_info.host\n opts['port'] = host_info.port\n if host_info.ssl:\n if SSLConnection is None:\n raise TypeError(\n 'This version of py-redis does not support SSL connections.'\n )\n opts['connection_class'] = SSLConnection\n opts.update(('ssl_' + k, v) for k, v in (host_info.\n ssl_options or {}).iteritems())\n rv = self.pool_cls(**opts)\n self._pools[host_id] = rv\n return rv\n", "role": "user" }, { "content": "get_pool_for_host", "role": "assistant" } ]
def x(self, timeout=None, max_concurrency=64, auto_batch=True): return self.get_routing_client(auto_batch).map(timeout=timeout, max_concurrency=max_concurrency)
map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=None, max_concurrency=64, auto_batch=True):\n return self.get_routing_client(auto_batch).map(timeout=timeout,\n max_concurrency=max_concurrency)\n", "role": "user" }, { "content": "map", "role": "assistant" } ]
def x(self, hosts=None, timeout=None, max_concurrency=64, auto_batch=True): return self.get_routing_client(auto_batch).fanout(hosts=hosts, timeout= timeout, max_concurrency=max_concurrency)
fanout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, hosts=None, timeout=None, max_concurrency=64, auto_batch=True):\n return self.get_routing_client(auto_batch).fanout(hosts=hosts, timeout=\n timeout, max_concurrency=max_concurrency)\n", "role": "user" }, { "content": "fanout", "role": "assistant" } ]
def x(self, timeout=None, max_concurrency=64, auto_batch=True): return self.fanout('all', timeout=timeout, max_concurrency= max_concurrency, auto_batch=auto_batch)
all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=None, max_concurrency=64, auto_batch=True):\n return self.fanout('all', timeout=timeout, max_concurrency=\n max_concurrency, auto_batch=auto_batch)\n", "role": "user" }, { "content": "all", "role": "assistant" } ]
def x(self, mapping, *args, **kwargs): def x(command): return isinstance(command[0], Script) def x(script, result): if script.sha != result: raise AssertionError( 'Hash mismatch loading {!r}: expected {!r}, got {!r}'. format(script, script.sha, result)) exists = {} with self.fanout(*args, **kwargs) as client: for key, commands in mapping.items(): targeted = client.target_key(key) for command in filter(is_script_command, commands): script = command[0] if not script.sha: script.sha = sha1(script.script).hexdigest() for host in targeted._target_hosts: if script not in exists.setdefault(host, {}): exists[host][script] = targeted.execute_command( 'SCRIPT EXISTS', script.sha) results = {} with self.fanout(*args, **kwargs) as client: for key, commands in mapping.items(): results[key] = [] targeted = client.target_key(key) for command in commands: if is_script_command(command): script = command[0] for host in targeted._target_hosts: if script in exists[host]: result = exists[host].pop(script) if not result.value[0]: targeted.execute_command('SCRIPT LOAD', script.script).done(on_success= functools.partial( check_script_load_result, script)) keys, arguments = command[1:] parameters = list(keys) + list(arguments) results[key].append(targeted.execute_command('EVALSHA', script.sha, len(keys), *parameters)) else: results[key].append(targeted.execute_command(*command)) return results
execute_commands
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mapping, *args, **kwargs):\n\n def x(command):\n return isinstance(command[0], Script)\n\n def x(script, result):\n if script.sha != result:\n raise AssertionError(\n 'Hash mismatch loading {!r}: expected {!r}, got {!r}'.\n format(script, script.sha, result))\n exists = {}\n with self.fanout(*args, **kwargs) as client:\n for key, commands in mapping.items():\n targeted = client.target_key(key)\n for command in filter(is_script_command, commands):\n script = command[0]\n if not script.sha:\n script.sha = sha1(script.script).hexdigest()\n for host in targeted._target_hosts:\n if script not in exists.setdefault(host, {}):\n exists[host][script] = targeted.execute_command(\n 'SCRIPT EXISTS', script.sha)\n results = {}\n with self.fanout(*args, **kwargs) as client:\n for key, commands in mapping.items():\n results[key] = []\n targeted = client.target_key(key)\n for command in commands:\n if is_script_command(command):\n script = command[0]\n for host in targeted._target_hosts:\n if script in exists[host]:\n result = exists[host].pop(script)\n if not result.value[0]:\n targeted.execute_command('SCRIPT LOAD',\n script.script).done(on_success=\n functools.partial(\n check_script_load_result, script))\n keys, arguments = command[1:]\n parameters = list(keys) + list(arguments)\n results[key].append(targeted.execute_command('EVALSHA',\n script.sha, len(keys), *parameters))\n else:\n results[key].append(targeted.execute_command(*command))\n return results\n", "role": "user" }, { "content": "execute_commands", "role": "assistant" } ]
def x(commands): pending_batch = None for command_name, args, options, promise in commands: if command_name not in AUTO_BATCH_COMMANDS: if pending_batch: yield merge_batch(*pending_batch) pending_batch = None yield command_name, args, options, promise continue assert not options, 'batch commands cannot merge options' if pending_batch and pending_batch[0] == command_name: pending_batch[1].append((args, promise)) else: if pending_batch: yield merge_batch(*pending_batch) pending_batch = command_name, [(args, promise)] if pending_batch: yield merge_batch(*pending_batch)
auto_batch_commands
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(commands):\n pending_batch = None\n for command_name, args, options, promise in commands:\n if command_name not in AUTO_BATCH_COMMANDS:\n if pending_batch:\n yield merge_batch(*pending_batch)\n pending_batch = None\n yield command_name, args, options, promise\n continue\n assert not options, 'batch commands cannot merge options'\n if pending_batch and pending_batch[0] == command_name:\n pending_batch[1].append((args, promise))\n else:\n if pending_batch:\n yield merge_batch(*pending_batch)\n pending_batch = command_name, [(args, promise)]\n if pending_batch:\n yield merge_batch(*pending_batch)\n", "role": "user" }, { "content": "auto_batch_commands", "role": "assistant" } ]
def x(self, command_name, args, options): assert_open(self) promise = Promise() self.commands.append((command_name, args, options, promise)) return promise
enqueue_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command_name, args, options):\n assert_open(self)\n promise = Promise()\n self.commands.append((command_name, args, options, promise))\n return promise\n", "role": "user" }, { "content": "enqueue_command", "role": "assistant" } ]
def x(self): buf = self._send_buf sock = self.connection._sock try: timeout = sock.gettimeout() sock.setblocking(False) try: for idx, item in enumerate(buf): sent = 0 while 1: try: sent = sock.send(item) except IOError as e: if e.errno == errno.EAGAIN: continue elif e.errno == errno.EWOULDBLOCK: break raise self.sent_something = True break if sent < len(item): buf[:idx + 1] = [item[sent:]] break else: del buf[:] finally: sock.settimeout(timeout) except IOError as e: self.connection.disconnect() if isinstance(e, socket.timeout): raise TimeoutError('Timeout writing to socket (host %s)' % self .host_id) raise ConnectionError('Error while writing to socket (host %s): %s' % (self.host_id, e))
send_buffer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n buf = self._send_buf\n sock = self.connection._sock\n try:\n timeout = sock.gettimeout()\n sock.setblocking(False)\n try:\n for idx, item in enumerate(buf):\n sent = 0\n while 1:\n try:\n sent = sock.send(item)\n except IOError as e:\n if e.errno == errno.EAGAIN:\n continue\n elif e.errno == errno.EWOULDBLOCK:\n break\n raise\n self.sent_something = True\n break\n if sent < len(item):\n buf[:idx + 1] = [item[sent:]]\n break\n else:\n del buf[:]\n finally:\n sock.settimeout(timeout)\n except IOError as e:\n self.connection.disconnect()\n if isinstance(e, socket.timeout):\n raise TimeoutError('Timeout writing to socket (host %s)' % self\n .host_id)\n raise ConnectionError('Error while writing to socket (host %s): %s' %\n (self.host_id, e))\n", "role": "user" }, { "content": "send_buffer", "role": "assistant" } ]
def x(self): assert_open(self) unsent_commands = self.commands if unsent_commands: self.commands = [] if self.auto_batch: unsent_commands = auto_batch_commands(unsent_commands) buf = [] for command_name, args, options, promise in unsent_commands: buf.append((command_name,) + tuple(args)) self.pending_responses.append((command_name, options, promise)) cmds = self.connection.pack_commands(buf) self._send_buf.extend(cmds) if not self._send_buf: return True self.send_buffer() return not self._send_buf
send_pending_requests
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n assert_open(self)\n unsent_commands = self.commands\n if unsent_commands:\n self.commands = []\n if self.auto_batch:\n unsent_commands = auto_batch_commands(unsent_commands)\n buf = []\n for command_name, args, options, promise in unsent_commands:\n buf.append((command_name,) + tuple(args))\n self.pending_responses.append((command_name, options, promise))\n cmds = self.connection.pack_commands(buf)\n self._send_buf.extend(cmds)\n if not self._send_buf:\n return True\n self.send_buffer()\n return not self._send_buf\n", "role": "user" }, { "content": "send_pending_requests", "role": "assistant" } ]
def x(self, client): assert_open(self) if self.has_pending_requests: raise RuntimeError( 'Cannot wait for responses if there are pending requests outstanding. You need to wait for pending requests to be sent first.' ) pending = self.pending_responses self.pending_responses = [] for command_name, options, promise in pending: value = client.parse_response(self.connection, command_name, **options) promise.resolve(value)
wait_for_responses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client):\n assert_open(self)\n if self.has_pending_requests:\n raise RuntimeError(\n 'Cannot wait for responses if there are pending requests outstanding. You need to wait for pending requests to be sent first.'\n )\n pending = self.pending_responses\n self.pending_responses = []\n for command_name, options, promise in pending:\n value = client.parse_response(self.connection, command_name, **options)\n promise.resolve(value)\n", "role": "user" }, { "content": "wait_for_responses", "role": "assistant" } ]
def x(self, host_id, command_name): buf = self._cb_poll.get(host_id) if buf is not None: return buf if self._max_concurrency is not None: while len(self._cb_poll) >= self._max_concurrency: self.join(timeout=1.0) def x(): return self.connection_pool.get_connection(command_name, shard_hint =host_id) buf = CommandBuffer(host_id, connect, self.auto_batch) self._cb_poll.register(host_id, buf) return buf
get_command_buffer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, host_id, command_name):\n buf = self._cb_poll.get(host_id)\n if buf is not None:\n return buf\n if self._max_concurrency is not None:\n while len(self._cb_poll) >= self._max_concurrency:\n self.join(timeout=1.0)\n\n def x():\n return self.connection_pool.get_connection(command_name, shard_hint\n =host_id)\n buf = CommandBuffer(host_id, connect, self.auto_batch)\n self._cb_poll.register(host_id, buf)\n return buf\n", "role": "user" }, { "content": "get_command_buffer", "role": "assistant" } ]
def x(self, command_buffer): if command_buffer.closed: return self._cb_poll.unregister(command_buffer.host_id) self.connection_pool.release(command_buffer.connection) command_buffer.connection = None
release_command_buffer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command_buffer):\n if command_buffer.closed:\n return\n self._cb_poll.unregister(command_buffer.host_id)\n self.connection_pool.release(command_buffer.connection)\n command_buffer.connection = None\n", "role": "user" }, { "content": "release_command_buffer", "role": "assistant" } ]
def x(self, timeout=None): remaining = timeout while self._cb_poll and (remaining is None or remaining > 0): now = time.time() rv = self._cb_poll.poll(remaining) if remaining is not None: remaining -= time.time() - now for command_buffer, event in rv: if command_buffer.has_pending_requests: if event == 'close': self._try_reconnect(command_buffer) elif event == 'write': self._send_or_reconnect(command_buffer) elif event in ('read', 'close'): try: command_buffer.wait_for_responses(self) finally: self._release_command_buffer(command_buffer) if self._cb_poll and timeout is not None: raise TimeoutError('Did not receive all data in time.')
join
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=None):\n remaining = timeout\n while self._cb_poll and (remaining is None or remaining > 0):\n now = time.time()\n rv = self._cb_poll.poll(remaining)\n if remaining is not None:\n remaining -= time.time() - now\n for command_buffer, event in rv:\n if command_buffer.has_pending_requests:\n if event == 'close':\n self._try_reconnect(command_buffer)\n elif event == 'write':\n self._send_or_reconnect(command_buffer)\n elif event in ('read', 'close'):\n try:\n command_buffer.wait_for_responses(self)\n finally:\n self._release_command_buffer(command_buffer)\n if self._cb_poll and timeout is not None:\n raise TimeoutError('Did not receive all data in time.')\n", "role": "user" }, { "content": "join", "role": "assistant" } ]
def x(self, hosts): if self.__is_retargeted: raise TypeError('Cannot use target more than once.') rv = FanoutClient(hosts, connection_pool=self.connection_pool, max_concurrency=self._max_concurrency) rv._cb_poll = self._cb_poll rv.__is_retargeted = True return rv
target
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, hosts):\n if self.__is_retargeted:\n raise TypeError('Cannot use target more than once.')\n rv = FanoutClient(hosts, connection_pool=self.connection_pool,\n max_concurrency=self._max_concurrency)\n rv._cb_poll = self._cb_poll\n rv.__is_retargeted = True\n return rv\n", "role": "user" }, { "content": "target", "role": "assistant" } ]
def x(self, key): router = self.connection_pool.cluster.get_router() host_id = router.get_host_for_key(key) rv = self.target([host_id]) rv.__resolve_singular_result = True return rv
target_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n router = self.connection_pool.cluster.get_router()\n host_id = router.get_host_for_key(key)\n rv = self.target([host_id])\n rv.__resolve_singular_result = True\n return rv\n", "role": "user" }, { "content": "target_key", "role": "assistant" } ]
def x(self, max_concurrency=64, auto_batch=None): if auto_batch is None: auto_batch = self.auto_batch return MappingClient(connection_pool=self.connection_pool, max_concurrency=max_concurrency, auto_batch=auto_batch)
get_mapping_client
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, max_concurrency=64, auto_batch=None):\n if auto_batch is None:\n auto_batch = self.auto_batch\n return MappingClient(connection_pool=self.connection_pool,\n max_concurrency=max_concurrency, auto_batch=auto_batch)\n", "role": "user" }, { "content": "get_mapping_client", "role": "assistant" } ]
def x(self, hosts, max_concurrency=64, auto_batch=None): if auto_batch is None: auto_batch = self.auto_batch return FanoutClient(hosts, connection_pool=self.connection_pool, max_concurrency=max_concurrency, auto_batch=auto_batch)
get_fanout_client
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, hosts, max_concurrency=64, auto_batch=None):\n if auto_batch is None:\n auto_batch = self.auto_batch\n return FanoutClient(hosts, connection_pool=self.connection_pool,\n max_concurrency=max_concurrency, auto_batch=auto_batch)\n", "role": "user" }, { "content": "get_fanout_client", "role": "assistant" } ]
def x(self, timeout=None, max_concurrency=64, auto_batch=None): return MapManager(self.get_mapping_client(max_concurrency, auto_batch), timeout=timeout)
map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=None, max_concurrency=64, auto_batch=None):\n return MapManager(self.get_mapping_client(max_concurrency, auto_batch),\n timeout=timeout)\n", "role": "user" }, { "content": "map", "role": "assistant" } ]
def x(self, hosts=None, timeout=None, max_concurrency=64, auto_batch=None): return MapManager(self.get_fanout_client(hosts, max_concurrency, auto_batch), timeout=timeout)
fanout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, hosts=None, timeout=None, max_concurrency=64, auto_batch=None):\n return MapManager(self.get_fanout_client(hosts, max_concurrency,\n auto_batch), timeout=timeout)\n", "role": "user" }, { "content": "fanout", "role": "assistant" } ]
def x(value): p = Promise() p._state = 'resolved' p.value = value return p
resolved
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n p = Promise()\n p._state = 'resolved'\n p.value = value\n return p\n", "role": "user" }, { "content": "resolved", "role": "assistant" } ]
def x(reason): p = Promise() p._state = 'rejected' p.reason = reason return p
rejected
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(reason):\n p = Promise()\n p._state = 'rejected'\n p.reason = reason\n return p\n", "role": "user" }, { "content": "rejected", "role": "assistant" } ]
def x(self, value): if self is value: raise TypeError('Cannot resolve promise with itself.') if isinstance(value, Promise): value.done(self.resolve, self.reject) return if self._state != 'pending': raise RuntimeError('Promise is no longer pending.') self.value = value self._state = 'resolved' callbacks = self._callbacks self._callbacks = None for callback in callbacks: callback(value)
resolve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if self is value:\n raise TypeError('Cannot resolve promise with itself.')\n if isinstance(value, Promise):\n value.done(self.resolve, self.reject)\n return\n if self._state != 'pending':\n raise RuntimeError('Promise is no longer pending.')\n self.value = value\n self._state = 'resolved'\n callbacks = self._callbacks\n self._callbacks = None\n for callback in callbacks:\n callback(value)\n", "role": "user" }, { "content": "resolve", "role": "assistant" } ]
def x(self, reason): if self._state != 'pending': raise RuntimeError('Promise is no longer pending.') self.reason = reason self._state = 'rejected' errbacks = self._errbacks self._errbacks = None for errback in errbacks: errback(reason)
reject
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, reason):\n if self._state != 'pending':\n raise RuntimeError('Promise is no longer pending.')\n self.reason = reason\n self._state = 'rejected'\n errbacks = self._errbacks\n self._errbacks = None\n for errback in errbacks:\n errback(reason)\n", "role": "user" }, { "content": "reject", "role": "assistant" } ]
def x(self, on_success=None, on_failure=None): if on_success is not None: if self._state == 'pending': self._callbacks.append(on_success) elif self._state == 'resolved': on_success(self.value) if on_failure is not None: if self._state == 'pending': self._errbacks.append(on_failure) elif self._state == 'rejected': on_failure(self.reason) return self
done
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, on_success=None, on_failure=None):\n if on_success is not None:\n if self._state == 'pending':\n self._callbacks.append(on_success)\n elif self._state == 'resolved':\n on_success(self.value)\n if on_failure is not None:\n if self._state == 'pending':\n self._errbacks.append(on_failure)\n elif self._state == 'rejected':\n on_failure(self.reason)\n return self\n", "role": "user" }, { "content": "done", "role": "assistant" } ]
def x(self, success=None, failure=None): rv = Promise() def x(v): try: rv.resolve(success(v)) except Exception as e: rv.reject(e) def x(r): try: rv.resolve(failure(r)) except Exception as e: rv.reject(e) self.done(on_success, on_failure) return rv
then
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, success=None, failure=None):\n rv = Promise()\n\n def x(v):\n try:\n rv.resolve(success(v))\n except Exception as e:\n rv.reject(e)\n\n def x(r):\n try:\n rv.resolve(failure(r))\n except Exception as e:\n rv.reject(e)\n self.done(on_success, on_failure)\n return rv\n", "role": "user" }, { "content": "then", "role": "assistant" } ]
def x(self, command, args): spec = COMMANDS.get(command.upper()) if spec is None: raise UnroutableCommand( 'The command "%r" is unknown to the router and cannot be handled as a result.' % command) if 'movablekeys' in spec['flags']: raise UnroutableCommand( 'The keys for "%r" are movable and as such cannot be routed to a single host.' ) keys = extract_keys(args, spec['key_spec']) if len(keys) == 1: return keys[0] elif not keys: raise UnroutableCommand( 'The command "%r" does not operate on a key which means that no suitable host could be determined. Consider using a fanout instead.' ) raise UnroutableCommand( 'The command "%r" operates on multiple keys (%d passed) which is something that is not supported.' % (command, len(keys)))
get_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command, args):\n spec = COMMANDS.get(command.upper())\n if spec is None:\n raise UnroutableCommand(\n 'The command \"%r\" is unknown to the router and cannot be handled as a result.'\n % command)\n if 'movablekeys' in spec['flags']:\n raise UnroutableCommand(\n 'The keys for \"%r\" are movable and as such cannot be routed to a single host.'\n )\n keys = extract_keys(args, spec['key_spec'])\n if len(keys) == 1:\n return keys[0]\n elif not keys:\n raise UnroutableCommand(\n 'The command \"%r\" does not operate on a key which means that no suitable host could be determined. Consider using a fanout instead.'\n )\n raise UnroutableCommand(\n 'The command \"%r\" operates on multiple keys (%d passed) which is something that is not supported.'\n % (command, len(keys)))\n", "role": "user" }, { "content": "get_key", "role": "assistant" } ]
def x(self, command, args): return self.get_host_for_key(self.get_key(command, args))
get_host_for_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command, args):\n return self.get_host_for_key(self.get_key(command, args))\n", "role": "user" }, { "content": "get_host_for_command", "role": "assistant" } ]
def x(self): self._hashring = {} self._sorted_keys = [] total_weight = 0 for node in self._nodes: total_weight += self._weights.get(node, 1) for node in self._nodes: weight = self._weights.get(node, 1) ks = math.floor(40 * len(self._nodes) * weight / total_weight) for i in xrange(0, int(ks)): k = md5_bytes('%s-%s-salt' % (node, i)) for l in xrange(0, 4): key = k[3 + l * 4] << 24 | k[2 + l * 4] << 16 | k[1 + l * 4 ] << 8 | k[l * 4] self._hashring[key] = node self._sorted_keys.append(key) self._sorted_keys.sort()
rebuild_circle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._hashring = {}\n self._sorted_keys = []\n total_weight = 0\n for node in self._nodes:\n total_weight += self._weights.get(node, 1)\n for node in self._nodes:\n weight = self._weights.get(node, 1)\n ks = math.floor(40 * len(self._nodes) * weight / total_weight)\n for i in xrange(0, int(ks)):\n k = md5_bytes('%s-%s-salt' % (node, i))\n for l in xrange(0, 4):\n key = k[3 + l * 4] << 24 | k[2 + l * 4] << 16 | k[1 + l * 4\n ] << 8 | k[l * 4]\n self._hashring[key] = node\n self._sorted_keys.append(key)\n self._sorted_keys.sort()\n", "role": "user" }, { "content": "rebuild_circle", "role": "assistant" } ]
def x(self, key): if not self._hashring: return k = md5_bytes(key) key = k[3] << 24 | k[2] << 16 | k[1] << 8 | k[0] nodes = self._sorted_keys pos = bisect(nodes, key) if pos == len(nodes): return 0 return pos
get_node_pos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n if not self._hashring:\n return\n k = md5_bytes(key)\n key = k[3] << 24 | k[2] << 16 | k[1] << 8 | k[0]\n nodes = self._sorted_keys\n pos = bisect(nodes, key)\n if pos == len(nodes):\n return 0\n return pos\n", "role": "user" }, { "content": "get_node_pos", "role": "assistant" } ]
def x(self, node): try: self._nodes.remove(node) del self._weights[node] except (KeyError, ValueError): pass self._rebuild_circle()
remove_node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node):\n try:\n self._nodes.remove(node)\n del self._weights[node]\n except (KeyError, ValueError):\n pass\n self._rebuild_circle()\n", "role": "user" }, { "content": "remove_node", "role": "assistant" } ]
def x(self, node, weight=1): self._nodes.add(node) self._weights[node] = weight self._rebuild_circle()
add_node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, weight=1):\n self._nodes.add(node)\n self._weights[node] = weight\n self._rebuild_circle()\n", "role": "user" }, { "content": "add_node", "role": "assistant" } ]
def x(self, key): pos = self._get_node_pos(key) if pos is None: return None return self._hashring[self._sorted_keys[pos]]
get_node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n pos = self._get_node_pos(key)\n if pos is None:\n return None\n return self._hashring[self._sorted_keys[pos]]\n", "role": "user" }, { "content": "get_node", "role": "assistant" } ]
def x(result, func, cargs): if result != 0: msg = 'Error in "%s": %s' % (func.__name__, get_errors(result)) raise RTreeError(msg) return
check_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(result, func, cargs):\n if result != 0:\n msg = 'Error in \"%s\": %s' % (func.__name__, get_errors(result))\n raise RTreeError(msg)\n return\n", "role": "user" }, { "content": "check_error", "role": "assistant" } ]
def x(self, dd): negative = dd < 0 dd = abs(dd) minutes, seconds = divmod(dd * 3600, 60) degrees, minutes = divmod(minutes, 60) if negative: if degrees > 0: degrees = -degrees elif minutes > 0: minutes = -minutes else: seconds = -seconds return degrees, minutes, seconds
ddtodms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dd):\n negative = dd < 0\n dd = abs(dd)\n minutes, seconds = divmod(dd * 3600, 60)\n degrees, minutes = divmod(minutes, 60)\n if negative:\n if degrees > 0:\n degrees = -degrees\n elif minutes > 0:\n minutes = -minutes\n else:\n seconds = -seconds\n return degrees, minutes, seconds\n", "role": "user" }, { "content": "ddtodms", "role": "assistant" } ]
def x(self, dms): size = len(dms) letters = 'WENS' is_annotated = False try: float(dms) except ValueError: for letter in letters: if letter in dms.upper(): is_annotated = True break if not is_annotated: raise core.RTreeError("unable to parse '%s' to decimal degrees" % dms) is_negative = False if is_annotated: dms_upper = dms.upper() if 'W' in dms_upper or 'S' in dms_upper: is_negative = True elif dms < 0: is_negative = True if is_annotated: bletters = letters.encode(encoding='utf-8') bdms = dms.encode(encoding='utf-8') dms = bdms.translate(None, bletters).decode('ascii') pieces = dms.split('.') D = 0.0 M = 0.0 S = 0.0 divisor = 3600.0 if len(pieces) == 1: S = dms[-2:] M = dms[-4:-2] D = dms[:-4] else: S = '{0:s}.{1:s}'.format(pieces[0][-2:], pieces[1]) M = pieces[0][-4:-2] D = pieces[0][:-4] DD = float(D) + float(M) / 60.0 + float(S) / divisor if is_negative: DD = DD * -1.0 return DD
dmstodd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dms):\n size = len(dms)\n letters = 'WENS'\n is_annotated = False\n try:\n float(dms)\n except ValueError:\n for letter in letters:\n if letter in dms.upper():\n is_annotated = True\n break\n if not is_annotated:\n raise core.RTreeError(\"unable to parse '%s' to decimal degrees\" %\n dms)\n is_negative = False\n if is_annotated:\n dms_upper = dms.upper()\n if 'W' in dms_upper or 'S' in dms_upper:\n is_negative = True\n elif dms < 0:\n is_negative = True\n if is_annotated:\n bletters = letters.encode(encoding='utf-8')\n bdms = dms.encode(encoding='utf-8')\n dms = bdms.translate(None, bletters).decode('ascii')\n pieces = dms.split('.')\n D = 0.0\n M = 0.0\n S = 0.0\n divisor = 3600.0\n if len(pieces) == 1:\n S = dms[-2:]\n M = dms[-4:-2]\n D = dms[:-4]\n else:\n S = '{0:s}.{1:s}'.format(pieces[0][-2:], pieces[1])\n M = pieces[0][-4:-2]\n D = pieces[0][:-4]\n DD = float(D) + float(M) / 60.0 + float(S) / divisor\n if is_negative:\n DD = DD * -1.0\n return DD\n", "role": "user" }, { "content": "dmstodd", "role": "assistant" } ]
def x(fname, mode='w+'): if is_string_like(fname): fobj = open(fname, mode) close = True elif hasattr(fname, 'write'): fobj = fname close = False else: fobj = os.fdopen(fname, mode) close = False return fobj, close
get_fobj
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fname, mode='w+'):\n if is_string_like(fname):\n fobj = open(fname, mode)\n close = True\n elif hasattr(fname, 'write'):\n fobj = fname\n close = False\n else:\n fobj = os.fdopen(fname, mode)\n close = False\n return fobj, close\n", "role": "user" }, { "content": "get_fobj", "role": "assistant" } ]
def x(path): fd = open(path, 'rb') data = fd.read() fd.close() return graph_from_dot_data(data)
graph_from_dot_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n fd = open(path, 'rb')\n data = fd.read()\n fd.close()\n return graph_from_dot_data(data)\n", "role": "user" }, { "content": "graph_from_dot_file", "role": "assistant" } ]
def x(edge_list, node_prefix='', directed=False): if edge_list is None: edge_list = [] graph_type = 'digraph' if directed else 'graph' with_prefix = functools.partial('{0}{1}'.format, node_prefix) graph = Dot(graph_type=graph_type) for src, dst in edge_list: src = with_prefix(src) dst = with_prefix(dst) graph.add_edge(Edge(src, dst)) return graph
graph_from_edges
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(edge_list, node_prefix='', directed=False):\n if edge_list is None:\n edge_list = []\n graph_type = 'digraph' if directed else 'graph'\n with_prefix = functools.partial('{0}{1}'.format, node_prefix)\n graph = Dot(graph_type=graph_type)\n for src, dst in edge_list:\n src = with_prefix(src)\n dst = with_prefix(dst)\n graph.add_edge(Edge(src, dst))\n return graph\n", "role": "user" }, { "content": "graph_from_edges", "role": "assistant" } ]
def x(matrix, node_prefix='', directed=False): node_orig = 1 if directed: graph = Dot(graph_type='digraph') else: graph = Dot(graph_type='graph') for row in matrix: if not directed: skip = matrix.index(row) r = row[skip:] else: skip = 0 r = row node_dest = skip + 1 for e in r: if e: graph.add_edge(Edge(node_prefix + node_orig, node_prefix + node_dest)) node_dest += 1 node_orig += 1 return graph
graph_from_adjacency_matrix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(matrix, node_prefix='', directed=False):\n node_orig = 1\n if directed:\n graph = Dot(graph_type='digraph')\n else:\n graph = Dot(graph_type='graph')\n for row in matrix:\n if not directed:\n skip = matrix.index(row)\n r = row[skip:]\n else:\n skip = 0\n r = row\n node_dest = skip + 1\n for e in r:\n if e:\n graph.add_edge(Edge(node_prefix + node_orig, node_prefix +\n node_dest))\n node_dest += 1\n node_orig += 1\n return graph\n", "role": "user" }, { "content": "graph_from_adjacency_matrix", "role": "assistant" } ]
def x(matrix, node_prefix='', directed=False): if directed: graph = Dot(graph_type='digraph') else: graph = Dot(graph_type='graph') for row in matrix: nodes = [] c = 1 for node in row: if node: nodes.append(c * node) c += 1 nodes.sort() if len(nodes) == 2: graph.add_edge(Edge(node_prefix + abs(nodes[0]), node_prefix + nodes[1])) if not directed: graph.set_simplify(True) return graph
graph_from_incidence_matrix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(matrix, node_prefix='', directed=False):\n if directed:\n graph = Dot(graph_type='digraph')\n else:\n graph = Dot(graph_type='graph')\n for row in matrix:\n nodes = []\n c = 1\n for node in row:\n if node:\n nodes.append(c * node)\n c += 1\n nodes.sort()\n if len(nodes) == 2:\n graph.add_edge(Edge(node_prefix + abs(nodes[0]), node_prefix +\n nodes[1]))\n if not directed:\n graph.set_simplify(True)\n return graph\n", "role": "user" }, { "content": "graph_from_incidence_matrix", "role": "assistant" } ]
def x(path): success = False progs = {'dot': '', 'twopi': '', 'neato': '', 'circo': '', 'fdp': '', 'sfdp': ''} was_quoted = False path = path.strip() if path.startswith('"') and path.endswith('"'): path = path[1:-1] was_quoted = True if not os.path.isdir(path): return None for prg in progs: if progs[prg]: continue prg_path = os.path.join(path, prg) prg_exe_path = prg_path + '.exe' if os.path.exists(prg_path): if was_quoted: prg_path = '"{}"'.format(prg_path) progs[prg] = prg_path success = True elif os.path.exists(prg_exe_path): if was_quoted: prg_exe_path = '"{}"'.format(prg_exe_path) progs[prg] = prg_exe_path success = True if success: return progs return None
find_executables
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n success = False\n progs = {'dot': '', 'twopi': '', 'neato': '', 'circo': '', 'fdp': '',\n 'sfdp': ''}\n was_quoted = False\n path = path.strip()\n if path.startswith('\"') and path.endswith('\"'):\n path = path[1:-1]\n was_quoted = True\n if not os.path.isdir(path):\n return None\n for prg in progs:\n if progs[prg]:\n continue\n prg_path = os.path.join(path, prg)\n prg_exe_path = prg_path + '.exe'\n if os.path.exists(prg_path):\n if was_quoted:\n prg_path = '\"{}\"'.format(prg_path)\n progs[prg] = prg_path\n success = True\n elif os.path.exists(prg_exe_path):\n if was_quoted:\n prg_exe_path = '\"{}\"'.format(prg_exe_path)\n progs[prg] = prg_exe_path\n success = True\n if success:\n return progs\n return None\n", "role": "user" }, { "content": "find_executables", "role": "assistant" } ]
def x(): if os.sys.platform == 'win32': HKEY_LOCAL_MACHINE = 2147483650 KEY_QUERY_VALUE = 1 RegOpenKeyEx = None RegQueryValueEx = None RegCloseKey = None try: import win32api RegOpenKeyEx = win32api.RegOpenKeyEx RegQueryValueEx = win32api.RegQueryValueEx RegCloseKey = win32api.RegCloseKey except ImportError: pass try: import ctypes def x(key, subkey, opt, sam): result = ctypes.c_uint(0) ctypes.windll.advapi32.RegOpenKeyExA(key, subkey, opt, sam, ctypes.byref(result)) return result.value def x(hkey, valuename): data_type = ctypes.c_uint(0) data_len = ctypes.c_uint(1024) data = ctypes.create_string_buffer(1024) ctypes.windll.advapi32.RegQueryValueExA(hkey, valuename, 0, ctypes.byref(data_type), data, ctypes.byref(data_len)) return data.value RegCloseKey = ctypes.windll.advapi32.RegCloseKey except ImportError: pass if RegOpenKeyEx is not None: hkey = None potentialKeys = ['SOFTWARE\\ATT\\Graphviz', 'SOFTWARE\\AT&T Research Labs\\Graphviz'] for potentialKey in potentialKeys: try: hkey = RegOpenKeyEx(HKEY_LOCAL_MACHINE, potentialKey, 0, KEY_QUERY_VALUE) if hkey is not None: path = RegQueryValueEx(hkey, 'InstallPath') RegCloseKey(hkey) if not path: continue path = os.path.join(path, 'bin') progs = __find_executables(path) if progs is not None: return progs except Exception: pass else: break if 'PATH' in os.environ: for path in os.environ['PATH'].split(os.pathsep): progs = __find_executables(path) if progs is not None: return progs if os.sys.platform == 'win32': if 'PROGRAMFILES' in os.environ: path = os.path.join(os.environ['PROGRAMFILES'], 'ATT', 'GraphViz', 'bin') else: path = 'C:\\Program Files\\att\\Graphviz\\bin' progs = __find_executables(path) if progs is not None: return progs for path in ('/usr/bin', '/usr/local/bin', '/opt/local/bin', '/opt/bin', '/sw/bin', '/usr/share', '/Applications/Graphviz.app/Contents/MacOS/'): progs = __find_executables(path) if progs is not None: return progs return None
find_graphviz
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if os.sys.platform == 'win32':\n HKEY_LOCAL_MACHINE = 2147483650\n KEY_QUERY_VALUE = 1\n RegOpenKeyEx = None\n RegQueryValueEx = None\n RegCloseKey = None\n try:\n import win32api\n RegOpenKeyEx = win32api.RegOpenKeyEx\n RegQueryValueEx = win32api.RegQueryValueEx\n RegCloseKey = win32api.RegCloseKey\n except ImportError:\n pass\n try:\n import ctypes\n\n def x(key, subkey, opt, sam):\n result = ctypes.c_uint(0)\n ctypes.windll.advapi32.RegOpenKeyExA(key, subkey, opt, sam,\n ctypes.byref(result))\n return result.value\n\n def x(hkey, valuename):\n data_type = ctypes.c_uint(0)\n data_len = ctypes.c_uint(1024)\n data = ctypes.create_string_buffer(1024)\n ctypes.windll.advapi32.RegQueryValueExA(hkey, valuename, 0,\n ctypes.byref(data_type), data, ctypes.byref(data_len))\n return data.value\n RegCloseKey = ctypes.windll.advapi32.RegCloseKey\n except ImportError:\n pass\n if RegOpenKeyEx is not None:\n hkey = None\n potentialKeys = ['SOFTWARE\\\\ATT\\\\Graphviz',\n 'SOFTWARE\\\\AT&T Research Labs\\\\Graphviz']\n for potentialKey in potentialKeys:\n try:\n hkey = RegOpenKeyEx(HKEY_LOCAL_MACHINE, potentialKey, 0,\n KEY_QUERY_VALUE)\n if hkey is not None:\n path = RegQueryValueEx(hkey, 'InstallPath')\n RegCloseKey(hkey)\n if not path:\n continue\n path = os.path.join(path, 'bin')\n progs = __find_executables(path)\n if progs is not None:\n return progs\n except Exception:\n pass\n else:\n break\n if 'PATH' in os.environ:\n for path in os.environ['PATH'].split(os.pathsep):\n progs = __find_executables(path)\n if progs is not None:\n return progs\n if os.sys.platform == 'win32':\n if 'PROGRAMFILES' in os.environ:\n path = os.path.join(os.environ['PROGRAMFILES'], 'ATT',\n 'GraphViz', 'bin')\n else:\n path = 'C:\\\\Program Files\\\\att\\\\Graphviz\\\\bin'\n progs = __find_executables(path)\n if progs is not None:\n return progs\n for path in ('/usr/bin', '/usr/local/bin', '/opt/local/bin', '/opt/bin',\n '/sw/bin', '/usr/share', '/Applications/Graphviz.app/Contents/MacOS/'):\n progs = __find_executables(path)\n if progs is not None:\n return progs\n return None\n", "role": "user" }, { "content": "find_graphviz", "role": "assistant" } ]
def x(self): node_objs = list() for obj_dict_list in self.obj_dict['nodes'].values(): node_objs.extend([Node(obj_dict=obj_d) for obj_d in obj_dict_list]) return node_objs
get_node_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n node_objs = list()\n for obj_dict_list in self.obj_dict['nodes'].values():\n node_objs.extend([Node(obj_dict=obj_d) for obj_d in obj_dict_list])\n return node_objs\n", "role": "user" }, { "content": "get_node_list", "role": "assistant" } ]
def x(self, src_or_list, dst=None, index=None): if isinstance(src_or_list, (list, tuple)): if dst is not None and isinstance(dst, (int, long)): index = dst src, dst = src_or_list else: src, dst = src_or_list, dst if isinstance(src, Node): src = src.get_name() if isinstance(dst, Node): dst = dst.get_name() if (src, dst) in self.obj_dict['edges']: if index is not None and index < len(self.obj_dict['edges'][src, dst]): del self.obj_dict['edges'][src, dst][index] return True else: del self.obj_dict['edges'][src, dst] return True return False
del_edge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, src_or_list, dst=None, index=None):\n if isinstance(src_or_list, (list, tuple)):\n if dst is not None and isinstance(dst, (int, long)):\n index = dst\n src, dst = src_or_list\n else:\n src, dst = src_or_list, dst\n if isinstance(src, Node):\n src = src.get_name()\n if isinstance(dst, Node):\n dst = dst.get_name()\n if (src, dst) in self.obj_dict['edges']:\n if index is not None and index < len(self.obj_dict['edges'][src, dst]):\n del self.obj_dict['edges'][src, dst][index]\n return True\n else:\n del self.obj_dict['edges'][src, dst]\n return True\n return False\n", "role": "user" }, { "content": "del_edge", "role": "assistant" } ]
def x(self): edge_objs = list() for obj_dict_list in self.obj_dict['edges'].values(): edge_objs.extend([Edge(obj_dict=obj_d) for obj_d in obj_dict_list]) return edge_objs
get_edge_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n edge_objs = list()\n for obj_dict_list in self.obj_dict['edges'].values():\n edge_objs.extend([Edge(obj_dict=obj_d) for obj_d in obj_dict_list])\n return edge_objs\n", "role": "user" }, { "content": "get_edge_list", "role": "assistant" } ]
def x(self): graph = list() if self.obj_dict.get('strict', None) is not None: if self == self.get_parent_graph() and self.obj_dict['strict']: graph.append('strict ') if self.obj_dict['name'] == '': if 'show_keyword' in self.obj_dict and self.obj_dict['show_keyword']: graph.append('subgraph {\n') else: graph.append('{\n') else: graph.append('%s %s {\n' % (self.obj_dict['type'], self.obj_dict[ 'name'])) for attr, value in sorted(self.obj_dict['attributes'].items(), key= itemgetter(0)): if value is not None: graph.append('%s=%s' % (attr, quote_if_necessary(value))) else: graph.append(attr) graph.append(';\n') edges_done = set() edge_obj_dicts = list() for e in self.obj_dict['edges'].values(): edge_obj_dicts.extend(e) if edge_obj_dicts: edge_src_set, edge_dst_set = list(zip(*[obj['points'] for obj in edge_obj_dicts])) edge_src_set, edge_dst_set = set(edge_src_set), set(edge_dst_set) else: edge_src_set, edge_dst_set = set(), set() node_obj_dicts = list() for e in self.obj_dict['nodes'].values(): node_obj_dicts.extend(e) sgraph_obj_dicts = list() for sg in self.obj_dict['subgraphs'].values(): sgraph_obj_dicts.extend(sg) obj_list = sorted([(obj['sequence'], obj) for obj in edge_obj_dicts + node_obj_dicts + sgraph_obj_dicts]) for _idx, obj in obj_list: if obj['type'] == 'node': node = Node(obj_dict=obj) if self.obj_dict.get('suppress_disconnected', False): if node.get_name() not in edge_src_set and node.get_name( ) not in edge_dst_set: continue graph.append(node.to_string() + '\n') elif obj['type'] == 'edge': edge = Edge(obj_dict=obj) if self.obj_dict.get('simplify', False) and edge in edges_done: continue graph.append(edge.to_string() + '\n') edges_done.add(edge) else: sgraph = Subgraph(obj_dict=obj) graph.append(sgraph.to_string() + '\n') graph.append('}\n') return ''.join(graph)
to_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n graph = list()\n if self.obj_dict.get('strict', None) is not None:\n if self == self.get_parent_graph() and self.obj_dict['strict']:\n graph.append('strict ')\n if self.obj_dict['name'] == '':\n if 'show_keyword' in self.obj_dict and self.obj_dict['show_keyword']:\n graph.append('subgraph {\\n')\n else:\n graph.append('{\\n')\n else:\n graph.append('%s %s {\\n' % (self.obj_dict['type'], self.obj_dict[\n 'name']))\n for attr, value in sorted(self.obj_dict['attributes'].items(), key=\n itemgetter(0)):\n if value is not None:\n graph.append('%s=%s' % (attr, quote_if_necessary(value)))\n else:\n graph.append(attr)\n graph.append(';\\n')\n edges_done = set()\n edge_obj_dicts = list()\n for e in self.obj_dict['edges'].values():\n edge_obj_dicts.extend(e)\n if edge_obj_dicts:\n edge_src_set, edge_dst_set = list(zip(*[obj['points'] for obj in\n edge_obj_dicts]))\n edge_src_set, edge_dst_set = set(edge_src_set), set(edge_dst_set)\n else:\n edge_src_set, edge_dst_set = set(), set()\n node_obj_dicts = list()\n for e in self.obj_dict['nodes'].values():\n node_obj_dicts.extend(e)\n sgraph_obj_dicts = list()\n for sg in self.obj_dict['subgraphs'].values():\n sgraph_obj_dicts.extend(sg)\n obj_list = sorted([(obj['sequence'], obj) for obj in edge_obj_dicts +\n node_obj_dicts + sgraph_obj_dicts])\n for _idx, obj in obj_list:\n if obj['type'] == 'node':\n node = Node(obj_dict=obj)\n if self.obj_dict.get('suppress_disconnected', False):\n if node.get_name() not in edge_src_set and node.get_name(\n ) not in edge_dst_set:\n continue\n graph.append(node.to_string() + '\\n')\n elif obj['type'] == 'edge':\n edge = Edge(obj_dict=obj)\n if self.obj_dict.get('simplify', False) and edge in edges_done:\n continue\n graph.append(edge.to_string() + '\\n')\n edges_done.add(edge)\n else:\n sgraph = Subgraph(obj_dict=obj)\n graph.append(sgraph.to_string() + '\\n')\n graph.append('}\\n')\n return ''.join(graph)\n", "role": "user" }, { "content": "to_string", "role": "assistant" } ]
def x(self, path, prog=None, format='raw'): if prog is None: prog = self.prog fobj, close = get_fobj(path, 'w+b') try: if format == 'raw': data = self.to_string() if isinstance(data, basestring): if not isinstance(data, unicode): try: data = unicode(data, 'utf-8') except Exception: pass try: charset = self.get_charset() if not PY3 or not charset: charset = 'utf-8' data = data.encode(charset) except Exception: if PY3: data = data.encode('utf-8') pass fobj.write(data) else: fobj.write(self.create(prog, format)) finally: if close: fobj.close() return True
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, prog=None, format='raw'):\n if prog is None:\n prog = self.prog\n fobj, close = get_fobj(path, 'w+b')\n try:\n if format == 'raw':\n data = self.to_string()\n if isinstance(data, basestring):\n if not isinstance(data, unicode):\n try:\n data = unicode(data, 'utf-8')\n except Exception:\n pass\n try:\n charset = self.get_charset()\n if not PY3 or not charset:\n charset = 'utf-8'\n data = data.encode(charset)\n except Exception:\n if PY3:\n data = data.encode('utf-8')\n pass\n fobj.write(data)\n else:\n fobj.write(self.create(prog, format))\n finally:\n if close:\n fobj.close()\n return True\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self): crumbs = [] for cls in reversed(type(self).__mro__[1:]): crumbs.extend(getattr(cls, 'crumbs', ())) crumbs.extend(list(self.crumbs)) return tuple(crumbs)
get_crumbs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n crumbs = []\n for cls in reversed(type(self).__mro__[1:]):\n crumbs.extend(getattr(cls, 'crumbs', ()))\n crumbs.extend(list(self.crumbs))\n return tuple(crumbs)\n", "role": "user" }, { "content": "get_crumbs", "role": "assistant" } ]
def x(self, request, *args, **kwargs): context = self.get_context_data(**kwargs) context.update(self.extra_context) context['crumbs'] = self.get_crumbs() context['title'] = self.title context['suit'] = 'suit' in settings.INSTALLED_APPS if context.get('dashboard_grid', None) is None and self.grid: context['dashboard_grid'] = self.grid return self.render_to_response(context)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, *args, **kwargs):\n context = self.get_context_data(**kwargs)\n context.update(self.extra_context)\n context['crumbs'] = self.get_crumbs()\n context['title'] = self.title\n context['suit'] = 'suit' in settings.INSTALLED_APPS\n if context.get('dashboard_grid', None) is None and self.grid:\n context['dashboard_grid'] = self.grid\n return self.render_to_response(context)\n", "role": "user" }, { "content": "get", "role": "assistant" } ]