source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
self.api.lists.addcontact(contact=self.cleaned_data['email'], id=self.
list_id, method='POST')
| add_contact | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.api.lists.addcontact(contact=self.cleaned_data['email'], id=self.\n list_id, method='POST')\n",
"role": "user"
},
{
"content": "add_contact",
"role": "assistant"
}
] |
def x(self):
api = getattr(self, '_api', None)
if api is None:
self._api = mailjet.Api()
return self._api
| api | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n api = getattr(self, '_api', None)\n if api is None:\n self._api = mailjet.Api()\n return self._api\n",
"role": "user"
},
{
"content": "api",
"role": "assistant"
}
] |
def x(self):
list_id = getattr(self, '_list_id', None)
if list_id is None:
for l in self.api.lists.all()['lists']:
if l['name'] == self.list_name:
self._list_id = l['id']
if not getattr(self, '_list_id', None):
self._list_id = self.api.lists.create(label=self.list_label,
name=self.list_name, method='POST')['list_id']
return self._list_id
| list_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n list_id = getattr(self, '_list_id', None)\n if list_id is None:\n for l in self.api.lists.all()['lists']:\n if l['name'] == self.list_name:\n self._list_id = l['id']\n if not getattr(self, '_list_id', None):\n self._list_id = self.api.lists.create(label=self.list_label,\n name=self.list_name, method='POST')['list_id']\n return self._list_id\n",
"role": "user"
},
{
"content": "list_id",
"role": "assistant"
}
] |
def x(obj):
try:
return inspect.getargspec(obj)
except AttributeError:
pass
argnames = []
varargname, kwargname = None, None
defaults = []
for name, param in inspect.signature(obj):
if param.kind == inspect.Parameter.VAR_POSITIONAL:
varargname = name
elif param.kind == inspect.Parameter.VAR_KEYWORD:
kwargname = name
else:
argnames.append(name)
if param.default is not inspect.Parameter.empty:
defaults.append(param.default)
defaults = defaults or None
return argnames, varargname, kwargname, defaults
| getargspec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n try:\n return inspect.getargspec(obj)\n except AttributeError:\n pass\n argnames = []\n varargname, kwargname = None, None\n defaults = []\n for name, param in inspect.signature(obj):\n if param.kind == inspect.Parameter.VAR_POSITIONAL:\n varargname = name\n elif param.kind == inspect.Parameter.VAR_KEYWORD:\n kwargname = name\n else:\n argnames.append(name)\n if param.default is not inspect.Parameter.empty:\n defaults.append(param.default)\n defaults = defaults or None\n return argnames, varargname, kwargname, defaults\n",
"role": "user"
},
{
"content": "getargspec",
"role": "assistant"
}
] |
def x(filename):
with open(filename) as f:
ast_tree = ast.parse(f.read(), filename)
res = {}
for node in ast.walk(ast_tree):
if type(node) is not ast.Assign:
continue
target = node.targets[0]
if type(target) is not ast.Name:
continue
if not (target.id.startswith('__') and target.id.endswith('__')):
continue
name = target.id[2:-2]
res[name] = ast.literal_eval(node.value)
return res
| read_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n with open(filename) as f:\n ast_tree = ast.parse(f.read(), filename)\n res = {}\n for node in ast.walk(ast_tree):\n if type(node) is not ast.Assign:\n continue\n target = node.targets[0]\n if type(target) is not ast.Name:\n continue\n if not (target.id.startswith('__') and target.id.endswith('__')):\n continue\n name = target.id[2:-2]\n res[name] = ast.literal_eval(node.value)\n return res\n",
"role": "user"
},
{
"content": "read_tags",
"role": "assistant"
}
] |
def x(text):
if isinstance(text, six.text_type):
return unicodedata.normalize('NFKD', text).encode('ascii', 'ignore'
).decode('utf8')
else:
return text
| normalize_unicode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n if isinstance(text, six.text_type):\n return unicodedata.normalize('NFKD', text).encode('ascii', 'ignore'\n ).decode('utf8')\n else:\n return text\n",
"role": "user"
},
{
"content": "normalize_unicode",
"role": "assistant"
}
] |
def x(text, stopwords=_stopwords, ngrams=None, min_length=0, ignore_numeric
=True):
if ngrams is None:
ngrams = 1
text = re.sub(re.compile("'s"), '', text)
text = re.sub(_re_punctuation, '', text)
matched_tokens = re.findall(_re_token, text.lower())
for tokens in get_ngrams(matched_tokens, ngrams):
for i in range(len(tokens)):
tokens[i] = tokens[i].strip(punctuation)
if len(tokens[i]) < min_length or tokens[i] in stopwords:
break
if ignore_numeric and isnumeric(tokens[i]):
break
else:
yield tuple(tokens)
| word_tokenize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, stopwords=_stopwords, ngrams=None, min_length=0, ignore_numeric\n =True):\n if ngrams is None:\n ngrams = 1\n text = re.sub(re.compile(\"'s\"), '', text)\n text = re.sub(_re_punctuation, '', text)\n matched_tokens = re.findall(_re_token, text.lower())\n for tokens in get_ngrams(matched_tokens, ngrams):\n for i in range(len(tokens)):\n tokens[i] = tokens[i].strip(punctuation)\n if len(tokens[i]) < min_length or tokens[i] in stopwords:\n break\n if ignore_numeric and isnumeric(tokens[i]):\n break\n else:\n yield tuple(tokens)\n",
"role": "user"
},
{
"content": "word_tokenize",
"role": "assistant"
}
] |
def x():
cmake_exe = shutil.which('cmake')
if not cmake_exe:
raise FileNotFoundError('CMake not available')
wopts = ['-G', 'MinGW Makefiles', '-DCMAKE_SH="CMAKE_SH-NOTFOUND'
] if os.name == 'nt' else []
subprocess.check_call([cmake_exe] + wopts + [str(SRCDIR)], cwd=BINDIR)
ret = subprocess.run([cmake_exe, '--build', str(BINDIR)], stderr=
subprocess.PIPE, universal_newlines=True)
result(ret)
| cmake_setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n cmake_exe = shutil.which('cmake')\n if not cmake_exe:\n raise FileNotFoundError('CMake not available')\n wopts = ['-G', 'MinGW Makefiles', '-DCMAKE_SH=\"CMAKE_SH-NOTFOUND'\n ] if os.name == 'nt' else []\n subprocess.check_call([cmake_exe] + wopts + [str(SRCDIR)], cwd=BINDIR)\n ret = subprocess.run([cmake_exe, '--build', str(BINDIR)], stderr=\n subprocess.PIPE, universal_newlines=True)\n result(ret)\n",
"role": "user"
},
{
"content": "cmake_setup",
"role": "assistant"
}
] |
def x():
meson_exe = shutil.which('meson')
ninja_exe = shutil.which('ninja')
if not meson_exe or not ninja_exe:
raise FileNotFoundError('Meson or Ninja not available')
if not (BINDIR / 'build.ninja').is_file():
subprocess.check_call([meson_exe, str(SRCDIR)], cwd=BINDIR)
ret = subprocess.run(ninja_exe, cwd=BINDIR, stderr=subprocess.PIPE,
universal_newlines=True)
result(ret)
| meson_setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n meson_exe = shutil.which('meson')\n ninja_exe = shutil.which('ninja')\n if not meson_exe or not ninja_exe:\n raise FileNotFoundError('Meson or Ninja not available')\n if not (BINDIR / 'build.ninja').is_file():\n subprocess.check_call([meson_exe, str(SRCDIR)], cwd=BINDIR)\n ret = subprocess.run(ninja_exe, cwd=BINDIR, stderr=subprocess.PIPE,\n universal_newlines=True)\n result(ret)\n",
"role": "user"
},
{
"content": "meson_setup",
"role": "assistant"
}
] |
def x(self, term, document):
if document not in self._documents:
self._documents[document] = 0
if term not in self._terms:
if self._freeze:
return
else:
self._terms[term] = collections.Counter()
if document not in self._terms[term]:
self._terms[term][document] = 0
self._documents[document] += 1
self._terms[term][document] += 1
| add_term_occurrence | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, term, document):\n if document not in self._documents:\n self._documents[document] = 0\n if term not in self._terms:\n if self._freeze:\n return\n else:\n self._terms[term] = collections.Counter()\n if document not in self._terms[term]:\n self._terms[term][document] = 0\n self._documents[document] += 1\n self._terms[term][document] += 1\n",
"role": "user"
},
{
"content": "add_term_occurrence",
"role": "assistant"
}
] |
def x(self, term):
if term not in self._terms:
raise IndexError(TERM_DOES_NOT_EXIST)
return sum(self._terms[term].values())
| get_total_term_frequency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, term):\n if term not in self._terms:\n raise IndexError(TERM_DOES_NOT_EXIST)\n return sum(self._terms[term].values())\n",
"role": "user"
},
{
"content": "get_total_term_frequency",
"role": "assistant"
}
] |
def x(self, term, document, normalized=False):
if document not in self._documents:
raise IndexError(DOCUMENT_DOES_NOT_EXIST)
if term not in self._terms:
raise IndexError(TERM_DOES_NOT_EXIST)
result = self._terms[term].get(document, 0)
if normalized:
result /= self.get_document_length(document)
return float(result)
| get_term_frequency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, term, document, normalized=False):\n if document not in self._documents:\n raise IndexError(DOCUMENT_DOES_NOT_EXIST)\n if term not in self._terms:\n raise IndexError(TERM_DOES_NOT_EXIST)\n result = self._terms[term].get(document, 0)\n if normalized:\n result /= self.get_document_length(document)\n return float(result)\n",
"role": "user"
},
{
"content": "get_term_frequency",
"role": "assistant"
}
] |
def x(self, term):
if term not in self._terms:
raise IndexError(TERM_DOES_NOT_EXIST)
else:
return len(self._terms[term])
| get_document_frequency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, term):\n if term not in self._terms:\n raise IndexError(TERM_DOES_NOT_EXIST)\n else:\n return len(self._terms[term])\n",
"role": "user"
},
{
"content": "get_document_frequency",
"role": "assistant"
}
] |
def x(self, document):
if document in self._documents:
return self._documents[document]
else:
raise IndexError(DOCUMENT_DOES_NOT_EXIST)
| get_document_length | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, document):\n if document in self._documents:\n return self._documents[document]\n else:\n raise IndexError(DOCUMENT_DOES_NOT_EXIST)\n",
"role": "user"
},
{
"content": "get_document_length",
"role": "assistant"
}
] |
def x(self, term):
if term not in self._terms:
raise IndexError(TERM_DOES_NOT_EXIST)
else:
return self._terms[term]
| get_documents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, term):\n if term not in self._terms:\n raise IndexError(TERM_DOES_NOT_EXIST)\n else:\n return self._terms[term]\n",
"role": "user"
},
{
"content": "get_documents",
"role": "assistant"
}
] |
def x(self, term, document, normalized=False):
tf = self.get_term_frequency(term, document)
if tf != 0.0:
df = 1 + self.get_document_frequency(term)
n = 2 + len(self._documents)
if normalized:
tf /= self.get_document_length(document)
return tf * math.log10(n / df)
else:
return 0.0
| get_tfidf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, term, document, normalized=False):\n tf = self.get_term_frequency(term, document)\n if tf != 0.0:\n df = 1 + self.get_document_frequency(term)\n n = 2 + len(self._documents)\n if normalized:\n tf /= self.get_document_length(document)\n return tf * math.log10(n / df)\n else:\n return 0.0\n",
"role": "user"
},
{
"content": "get_tfidf",
"role": "assistant"
}
] |
def x(self, doc, mode='tfidf'):
if mode == 'tfidf':
selected_function = HashedIndex.get_tfidf
elif mode == 'ntfidf':
selected_function = functools.partial(HashedIndex.get_tfidf,
normalized=True)
elif mode == 'tf':
selected_function = HashedIndex.get_term_frequency
elif mode == 'ntf':
selected_function = functools.partial(HashedIndex.
get_term_frequency, normalized=True)
elif hasattr(mode, '__call__'):
selected_function = mode
else:
raise ValueError('Unexpected mode: %s', mode)
result = []
for term in self._terms:
result.append(selected_function(self, term, doc))
return result
| generate_document_vector | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, doc, mode='tfidf'):\n if mode == 'tfidf':\n selected_function = HashedIndex.get_tfidf\n elif mode == 'ntfidf':\n selected_function = functools.partial(HashedIndex.get_tfidf,\n normalized=True)\n elif mode == 'tf':\n selected_function = HashedIndex.get_term_frequency\n elif mode == 'ntf':\n selected_function = functools.partial(HashedIndex.\n get_term_frequency, normalized=True)\n elif hasattr(mode, '__call__'):\n selected_function = mode\n else:\n raise ValueError('Unexpected mode: %s', mode)\n result = []\n for term in self._terms:\n result.append(selected_function(self, term, doc))\n return result\n",
"role": "user"
},
{
"content": "generate_document_vector",
"role": "assistant"
}
] |
def x(self, mode='tfidf'):
result = []
for doc in self._documents:
result.append(self.generate_document_vector(doc, mode))
return result
| generate_feature_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode='tfidf'):\n result = []\n for doc in self._documents:\n result.append(self.generate_document_vector(doc, mode))\n return result\n",
"role": "user"
},
{
"content": "generate_feature_matrix",
"role": "assistant"
}
] |
def x(klass, lst):
filtered = list(filter(lambda x: x.__class__ == klass, lst))
if filtered:
return filtered[0]
return None
| find_class_in_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(klass, lst):\n filtered = list(filter(lambda x: x.__class__ == klass, lst))\n if filtered:\n return filtered[0]\n return None\n",
"role": "user"
},
{
"content": "find_class_in_list",
"role": "assistant"
}
] |
def x(klasses, lst):
if not isinstance(klasses, list):
klasses = [klasses]
return tuple(map(lambda klass: find_class_in_list(klass, lst), klasses))
| find_classes_in_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(klasses, lst):\n if not isinstance(klasses, list):\n klasses = [klasses]\n return tuple(map(lambda klass: find_class_in_list(klass, lst), klasses))\n",
"role": "user"
},
{
"content": "find_classes_in_list",
"role": "assistant"
}
] |
def x(self, parameters):
args = []
for key, value in parameters.items():
if not value is None:
try:
classinfo = unicode
except NameError:
classinfo = str
if isinstance(value, classinfo):
key = '%s[%d]' % (key.upper(), len(value.encode('utf-8')))
else:
key = '%s[%d]' % (key.upper(), len(str(value)))
args.append('%s=%s' % (key, value))
args.sort()
parmlist = '&'.join(args)
return parmlist
| build_parmlist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parameters):\n args = []\n for key, value in parameters.items():\n if not value is None:\n try:\n classinfo = unicode\n except NameError:\n classinfo = str\n if isinstance(value, classinfo):\n key = '%s[%d]' % (key.upper(), len(value.encode('utf-8')))\n else:\n key = '%s[%d]' % (key.upper(), len(str(value)))\n args.append('%s=%s' % (key, value))\n args.sort()\n parmlist = '&'.join(args)\n return parmlist\n",
"role": "user"
},
{
"content": "build_parmlist",
"role": "assistant"
}
] |
def x(self, parmlist):
parmlist = '&' + parmlist
name_re = re.compile('\\&([A-Z0-9_]+)(\\[\\d+\\])?=')
results = {}
offset = 0
match = name_re.search(parmlist, offset)
while match:
name, len_suffix = match.groups()
offset = match.end()
if len_suffix:
val_len = int(len_suffix[1:-1])
else:
next_match = name_re.search(parmlist, offset)
if next_match:
val_len = next_match.start() - match.end()
else:
val_len = len(parmlist) - match.end()
value = parmlist[match.end():match.end() + val_len]
results[name.lower()] = value
match = name_re.search(parmlist, offset)
return results
| parse_parmlist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parmlist):\n parmlist = '&' + parmlist\n name_re = re.compile('\\\\&([A-Z0-9_]+)(\\\\[\\\\d+\\\\])?=')\n results = {}\n offset = 0\n match = name_re.search(parmlist, offset)\n while match:\n name, len_suffix = match.groups()\n offset = match.end()\n if len_suffix:\n val_len = int(len_suffix[1:-1])\n else:\n next_match = name_re.search(parmlist, offset)\n if next_match:\n val_len = next_match.start() - match.end()\n else:\n val_len = len(parmlist) - match.end()\n value = parmlist[match.end():match.end() + val_len]\n results[name.lower()] = value\n match = name_re.search(parmlist, offset)\n return results\n",
"role": "user"
},
{
"content": "parse_parmlist",
"role": "assistant"
}
] |
def x(self, url):
self.logger.debug('url:\n' + url)
try:
response = urlopen(url)
return json.loads(response.read().decode('utf-8'))
except URLError:
self.logger.info('Server connection problem')
except Exception:
self.logger.info('Server format problem')
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n self.logger.debug('url:\\n' + url)\n try:\n response = urlopen(url)\n return json.loads(response.read().decode('utf-8'))\n except URLError:\n self.logger.info('Server connection problem')\n except Exception:\n self.logger.info('Server format problem')\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(self, address, acceptlanguage=None, limit=20, countrycodes=None):
url = self.url + '&q=' + quote_plus(address)
if acceptlanguage:
url += '&accept-language=' + acceptlanguage
if limit:
url += '&limit=' + str(limit)
if countrycodes:
url += '&countrycodes=' + ','.join(countrycodes)
return self.request(url)
| query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address, acceptlanguage=None, limit=20, countrycodes=None):\n url = self.url + '&q=' + quote_plus(address)\n if acceptlanguage:\n url += '&accept-language=' + acceptlanguage\n if limit:\n url += '&limit=' + str(limit)\n if countrycodes:\n url += '&countrycodes=' + ','.join(countrycodes)\n return self.request(url)\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
def x(self, lat=None, lon=None, osm_id=None, osm_type=None, acceptlanguage=
'', zoom=18):
url = self.url
if osm_id is not None and osm_type not in ('N', 'W', 'R'):
raise NominatimException('invalid osm_type')
if osm_id is not None and osm_type is not None:
url += '&osm_id=' + osm_id + '&osm_type=' + osm_type
elif lat is not None and lon is not None:
url += '&lat=' + str(lat) + '&lon=' + str(lon)
else:
return None
if acceptlanguage:
url += '&accept-language=' + acceptlanguage
if zoom in zoom_aliases:
zoom = zoom_aliases[zoom]
if not isinstance(zoom, int) or zoom < 0 or zoom > 18:
raise NominatimException('zoom must effectively be betwen 0 and 18')
url += '&zoom=' + str(zoom)
return self.request(url)
| query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lat=None, lon=None, osm_id=None, osm_type=None, acceptlanguage=\n '', zoom=18):\n url = self.url\n if osm_id is not None and osm_type not in ('N', 'W', 'R'):\n raise NominatimException('invalid osm_type')\n if osm_id is not None and osm_type is not None:\n url += '&osm_id=' + osm_id + '&osm_type=' + osm_type\n elif lat is not None and lon is not None:\n url += '&lat=' + str(lat) + '&lon=' + str(lon)\n else:\n return None\n if acceptlanguage:\n url += '&accept-language=' + acceptlanguage\n if zoom in zoom_aliases:\n zoom = zoom_aliases[zoom]\n if not isinstance(zoom, int) or zoom < 0 or zoom > 18:\n raise NominatimException('zoom must effectively be betwen 0 and 18')\n url += '&zoom=' + str(zoom)\n return self.request(url)\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
def x(cls, model_name, **kwargs):
settings = _get_model_info(model_name)
model = settings.pop('model_name')
for k, v in list(kwargs.items()):
if k in ('resolution', 'Psurf'):
settings[k] = v
return cls(model, **settings)
| from_model | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, model_name, **kwargs):\n settings = _get_model_info(model_name)\n model = settings.pop('model_name')\n for k, v in list(kwargs.items()):\n if k in ('resolution', 'Psurf'):\n settings[k] = v\n return cls(model, **settings)\n",
"role": "user"
},
{
"content": "from_model",
"role": "assistant"
}
] |
def x(cls, model_name, reference, **kwargs):
if isinstance(reference, cls):
settings = reference.__dict__.copy()
settings.pop('model')
else:
settings = _get_model_info(reference)
settings.pop('model_name')
settings.update(kwargs)
settings['reference'] = reference
return cls(model_name, **settings)
| copy_from_model | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, model_name, reference, **kwargs):\n if isinstance(reference, cls):\n settings = reference.__dict__.copy()\n settings.pop('model')\n else:\n settings = _get_model_info(reference)\n settings.pop('model_name')\n settings.update(kwargs)\n settings['reference'] = reference\n return cls(model_name, **settings)\n",
"role": "user"
},
{
"content": "copy_from_model",
"role": "assistant"
}
] |
def x(self, Psurf=1013.25, Ptop=0.01, **kwargs):
Psurf = np.asarray(Psurf)
output_ndims = Psurf.ndim + 1
if output_ndims > 3:
raise ValueError(
'`Psurf` argument must be a float or an array with <= 2 dimensions (or None)'
)
SIGe = None
SIGc = None
ETAe = None
ETAc = None
if self.hybrid:
try:
Ap = broadcast_1d_array(self.Ap, output_ndims)
Bp = broadcast_1d_array(self.Bp, output_ndims)
except KeyError:
raise ValueError(
'Impossible to compute vertical levels, data is missing (Ap, Bp)'
)
Cp = 0.0
else:
try:
Bp = SIGe = broadcast_1d_array(self.esig, output_ndims)
SIGc = broadcast_1d_array(self.csig, output_ndims)
except KeyError:
raise ValueError(
'Impossible to compute vertical levels, data is missing (esig, csig)'
)
Ap = Cp = Ptop
Pe = Ap + Bp * (Psurf - Cp)
Pc = 0.5 * (Pe[0:-1] + Pe[1:])
if self.hybrid:
ETAe = (Pe - Ptop) / (Psurf - Ptop)
ETAc = (Pc - Ptop) / (Psurf - Ptop)
else:
SIGe = SIGe * np.ones_like(Psurf)
SIGc = SIGc * np.ones_like(Psurf)
Ze = prof_altitude(Pe, **kwargs)
Zc = prof_altitude(Pc, **kwargs)
all_vars = {'eta_edges': ETAe, 'eta_centers': ETAc, 'sigma_edges': SIGe,
'sigma_centers': SIGc, 'pressure_edges': Pe, 'pressure_centers': Pc,
'altitude_edges': Ze, 'altitude_centers': Zc}
return all_vars
| get_layers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, Psurf=1013.25, Ptop=0.01, **kwargs):\n Psurf = np.asarray(Psurf)\n output_ndims = Psurf.ndim + 1\n if output_ndims > 3:\n raise ValueError(\n '`Psurf` argument must be a float or an array with <= 2 dimensions (or None)'\n )\n SIGe = None\n SIGc = None\n ETAe = None\n ETAc = None\n if self.hybrid:\n try:\n Ap = broadcast_1d_array(self.Ap, output_ndims)\n Bp = broadcast_1d_array(self.Bp, output_ndims)\n except KeyError:\n raise ValueError(\n 'Impossible to compute vertical levels, data is missing (Ap, Bp)'\n )\n Cp = 0.0\n else:\n try:\n Bp = SIGe = broadcast_1d_array(self.esig, output_ndims)\n SIGc = broadcast_1d_array(self.csig, output_ndims)\n except KeyError:\n raise ValueError(\n 'Impossible to compute vertical levels, data is missing (esig, csig)'\n )\n Ap = Cp = Ptop\n Pe = Ap + Bp * (Psurf - Cp)\n Pc = 0.5 * (Pe[0:-1] + Pe[1:])\n if self.hybrid:\n ETAe = (Pe - Ptop) / (Psurf - Ptop)\n ETAc = (Pc - Ptop) / (Psurf - Ptop)\n else:\n SIGe = SIGe * np.ones_like(Psurf)\n SIGc = SIGc * np.ones_like(Psurf)\n Ze = prof_altitude(Pe, **kwargs)\n Zc = prof_altitude(Pc, **kwargs)\n all_vars = {'eta_edges': ETAe, 'eta_centers': ETAc, 'sigma_edges': SIGe,\n 'sigma_centers': SIGc, 'pressure_edges': Pe, 'pressure_centers': Pc,\n 'altitude_edges': Ze, 'altitude_centers': Zc}\n return all_vars\n",
"role": "user"
},
{
"content": "get_layers",
"role": "assistant"
}
] |
def x(self):
rlon, rlat = self.resolution
Nlon = int(360.0 / rlon)
Nlat = int(180.0 / rlat) + self.halfpolar
elon = np.arange(Nlon + 1) * rlon - np.array(180.0)
elon -= rlon / 2.0 * self.center180
elat = np.arange(Nlat + 1) * rlat - np.array(90.0)
elat -= rlat / 2.0 * self.halfpolar
elat[0] = -90.0
elat[-1] = 90.0
clon = (elon - rlon / 2.0)[1:]
clat = np.arange(Nlat) * rlat - np.array(90.0)
if self.halfpolar:
clat[0] = (elat[0] + elat[1]) / 2.0
clat[-1] = -clat[0]
else:
clat += (elat[1] - elat[0]) / 2.0
return {'lon_centers': clon, 'lat_centers': clat, 'lon_edges': elon,
'lat_edges': elat}
| get_lonlat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rlon, rlat = self.resolution\n Nlon = int(360.0 / rlon)\n Nlat = int(180.0 / rlat) + self.halfpolar\n elon = np.arange(Nlon + 1) * rlon - np.array(180.0)\n elon -= rlon / 2.0 * self.center180\n elat = np.arange(Nlat + 1) * rlat - np.array(90.0)\n elat -= rlat / 2.0 * self.halfpolar\n elat[0] = -90.0\n elat[-1] = 90.0\n clon = (elon - rlon / 2.0)[1:]\n clat = np.arange(Nlat) * rlat - np.array(90.0)\n if self.halfpolar:\n clat[0] = (elat[0] + elat[1]) / 2.0\n clat[-1] = -clat[0]\n else:\n clat += (elat[1] - elat[0]) / 2.0\n return {'lon_centers': clon, 'lat_centers': clat, 'lon_edges': elon,\n 'lat_edges': elat}\n",
"role": "user"
},
{
"content": "get_lonlat",
"role": "assistant"
}
] |
def x():
return filter(lambda x: os.path.exists(x), [os.path.join(os.path.
expanduser('~'), '.py2pack', 'templates'), os.path.join('/', 'usr',
'share', 'py2pack', 'templates'), os.path.join(os.path.dirname(os.
path.abspath(__file__)), 'templates')])
| get_template_dirs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n return filter(lambda x: os.path.exists(x), [os.path.join(os.path.\n expanduser('~'), '.py2pack', 'templates'), os.path.join('/', 'usr',\n 'share', 'py2pack', 'templates'), os.path.join(os.path.dirname(os.\n path.abspath(__file__)), 'templates')])\n",
"role": "user"
},
{
"content": "get_template_dirs",
"role": "assistant"
}
] |
def x(data):
classifiers = data.get('classifiers', [])
found_license = None
for c in classifiers:
if c.startswith('License :: OSI Approved :: '):
found_license = c.replace('License :: OSI Approved :: ', '')
return found_license
| license_from_classifiers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n classifiers = data.get('classifiers', [])\n found_license = None\n for c in classifiers:\n if c.startswith('License :: OSI Approved :: '):\n found_license = c.replace('License :: OSI Approved :: ', '')\n return found_license\n",
"role": "user"
},
{
"content": "license_from_classifiers",
"role": "assistant"
}
] |
def x(data):
license = data.get('license', None)
if not license:
license = _license_from_classifiers(data)
if license:
if license in SDPX_LICENSES.keys():
data['license'] = SDPX_LICENSES[license]
else:
data['license'] = '%s (FIXME:No SPDX)' % license
else:
data['license'] = ''
| normalize_license | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n license = data.get('license', None)\n if not license:\n license = _license_from_classifiers(data)\n if license:\n if license in SDPX_LICENSES.keys():\n data['license'] = SDPX_LICENSES[license]\n else:\n data['license'] = '%s (FIXME:No SPDX)' % license\n else:\n data['license'] = ''\n",
"role": "user"
},
{
"content": "normalize_license",
"role": "assistant"
}
] |
def x(Klass):
try:
from prompt_toolkit.token import ZeroWidthEscape
except ImportError:
return Klass
class ITerm2IPythonPrompt(Klass):
def x(self, cli=None):
return [(ZeroWidthEscape, last_status(self.shell) + BEFORE_PROMPT)
] + super(ITerm2IPythonPrompt, self).in_prompt_tokens(cli) + [(
ZeroWidthEscape, AFTER_PROMPT)]
return ITerm2IPythonPrompt
| wrap_prompts_class | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Klass):\n try:\n from prompt_toolkit.token import ZeroWidthEscape\n except ImportError:\n return Klass\n\n\n class ITerm2IPythonPrompt(Klass):\n\n def x(self, cli=None):\n return [(ZeroWidthEscape, last_status(self.shell) + BEFORE_PROMPT)\n ] + super(ITerm2IPythonPrompt, self).in_prompt_tokens(cli) + [(\n ZeroWidthEscape, AFTER_PROMPT)]\n return ITerm2IPythonPrompt\n",
"role": "user"
},
{
"content": "wrap_prompts_class",
"role": "assistant"
}
] |
def x(self, start=None):
s = self.stream
if not start:
start = HEADER_SIZE + self.block_size * self.root_block
s.seek(start)
block_type = s.read(2)
if block_type == LEAF:
reader = LeafReader(self)
num_keys = struct.unpack('>i', reader.read(4))[0]
for _ in range(num_keys):
cur_key = reader.read(self.key_size)
cur_pos = s.tell()
yield cur_key
s.seek(cur_pos)
length = sbon.read_varint(reader)
reader.seek(length, 1)
elif block_type == INDEX:
_, num_keys, first_child = struct.unpack('>Bii', s.read(9))
children = [first_child]
for _ in range(num_keys):
_ = s.read(self.key_size)
next_child = struct.unpack('>i', s.read(4))[0]
children.append(next_child)
for child_loc in children:
for key in self.get_all_keys(HEADER_SIZE + self.block_size *
child_loc):
yield key
elif block_type == FREE:
pass
else:
raise Exception('Unhandled block type: {}'.format(block_type))
| get_all_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start=None):\n s = self.stream\n if not start:\n start = HEADER_SIZE + self.block_size * self.root_block\n s.seek(start)\n block_type = s.read(2)\n if block_type == LEAF:\n reader = LeafReader(self)\n num_keys = struct.unpack('>i', reader.read(4))[0]\n for _ in range(num_keys):\n cur_key = reader.read(self.key_size)\n cur_pos = s.tell()\n yield cur_key\n s.seek(cur_pos)\n length = sbon.read_varint(reader)\n reader.seek(length, 1)\n elif block_type == INDEX:\n _, num_keys, first_child = struct.unpack('>Bii', s.read(9))\n children = [first_child]\n for _ in range(num_keys):\n _ = s.read(self.key_size)\n next_child = struct.unpack('>i', s.read(4))[0]\n children.append(next_child)\n for child_loc in children:\n for key in self.get_all_keys(HEADER_SIZE + self.block_size *\n child_loc):\n yield key\n elif block_type == FREE:\n pass\n else:\n raise Exception('Unhandled block type: {}'.format(block_type))\n",
"role": "user"
},
{
"content": "get_all_keys",
"role": "assistant"
}
] |
def x(fmt, size):
n_stars = fmt.count('*')
if n_stars > 1:
raise ValueError('More than one `*` in format (%s).' % fmt)
if n_stars:
i = fmt.find('*')
s = struct.calcsize(fmt.replace(fmt[i:i + 2], ''))
n = old_div(size - s, struct.calcsize(fmt[i + 1]))
fmt = fmt.replace('*', str(n))
return fmt
| replace_star | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fmt, size):\n n_stars = fmt.count('*')\n if n_stars > 1:\n raise ValueError('More than one `*` in format (%s).' % fmt)\n if n_stars:\n i = fmt.find('*')\n s = struct.calcsize(fmt.replace(fmt[i:i + 2], ''))\n n = old_div(size - s, struct.calcsize(fmt[i + 1]))\n fmt = fmt.replace('*', str(n))\n return fmt\n",
"role": "user"
},
{
"content": "replace_star",
"role": "assistant"
}
] |
def x(self, fmt='i'):
fmt = self.endian + fmt
fix = self.read(struct.calcsize(fmt))
if fix:
return struct.unpack(fmt, fix)[0]
else:
raise EOFError
| fix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fmt='i'):\n fmt = self.endian + fmt\n fix = self.read(struct.calcsize(fmt))\n if fix:\n return struct.unpack(fmt, fix)[0]\n else:\n raise EOFError\n",
"role": "user"
},
{
"content": "fix",
"role": "assistant"
}
] |
def x(self, fmt=None):
prefix_size = self._fix()
if fmt is None:
content = self.read(prefix_size)
else:
fmt = self.endian + fmt
fmt = _replace_star(fmt, prefix_size)
content = struct.unpack(fmt, self.read(prefix_size))
try:
suffix_size = self._fix()
except EOFError:
suffix_size = -1
if prefix_size != suffix_size:
raise IOError(_FIX_ERROR)
return content
| readline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fmt=None):\n prefix_size = self._fix()\n if fmt is None:\n content = self.read(prefix_size)\n else:\n fmt = self.endian + fmt\n fmt = _replace_star(fmt, prefix_size)\n content = struct.unpack(fmt, self.read(prefix_size))\n try:\n suffix_size = self._fix()\n except EOFError:\n suffix_size = -1\n if prefix_size != suffix_size:\n raise IOError(_FIX_ERROR)\n return content\n",
"role": "user"
},
{
"content": "readline",
"role": "assistant"
}
] |
def x(self):
position = self.tell()
prefix = self._fix()
self.seek(prefix, 1)
suffix = self._fix()
if prefix != suffix:
raise IOError(_FIX_ERROR)
return position, prefix
| skipline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n position = self.tell()\n prefix = self._fix()\n self.seek(prefix, 1)\n suffix = self._fix()\n if prefix != suffix:\n raise IOError(_FIX_ERROR)\n return position, prefix\n",
"role": "user"
},
{
"content": "skipline",
"role": "assistant"
}
] |
def x(self, fmt, *args):
fmt = self.endian + fmt
size = struct.calcsize(fmt)
fix = struct.pack(self.endian + 'i', size)
line = struct.pack(fmt, *args)
self.write(fix)
self.write(line)
self.write(fix)
| writeline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fmt, *args):\n fmt = self.endian + fmt\n size = struct.calcsize(fmt)\n fix = struct.pack(self.endian + 'i', size)\n line = struct.pack(fmt, *args)\n self.write(fix)\n self.write(line)\n self.write(fix)\n",
"role": "user"
},
{
"content": "writeline",
"role": "assistant"
}
] |
def x(self, lines, fmt):
if isinstance(fmt, basestring):
fmt = [fmt] * len(lines)
for f, line in zip(fmt, lines):
self.writeline(f, line, self.endian)
| writelines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lines, fmt):\n if isinstance(fmt, basestring):\n fmt = [fmt] * len(lines)\n for f, line in zip(fmt, lines):\n self.writeline(f, line, self.endian)\n",
"role": "user"
},
{
"content": "writelines",
"role": "assistant"
}
] |
def x(stream):
value = 0
while True:
byte = ord(stream.read(1))
if not byte & 128:
return value << 7 | byte
value = value << 7 | byte & 127
| read_varint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream):\n value = 0\n while True:\n byte = ord(stream.read(1))\n if not byte & 128:\n return value << 7 | byte\n value = value << 7 | byte & 127\n",
"role": "user"
},
{
"content": "read_varint",
"role": "assistant"
}
] |
def x(filename, fields=[], categories=[], tracerinfo_file='tracerinfo.dat',
diaginfo_file='diaginfo.dat', endian='>', decode_cf=True, memmap=True,
dask=True, return_store=False):
store = BPCHDataStore(filename, fields=fields, categories=categories,
tracerinfo_file=tracerinfo_file, diaginfo_file=diaginfo_file,
endian=endian, use_mmap=memmap, dask_delayed=dask)
ds = xr.Dataset.load_store(store)
ds._file_obj = store._bpch
if decode_cf:
decoded_vars = OrderedDict()
rename_dict = {}
for v in ds.variables:
cf_name = cf.get_valid_varname(v)
rename_dict[v] = cf_name
new_var = cf.enforce_cf_variable(ds[v])
decoded_vars[cf_name] = new_var
ds = xr.Dataset(decoded_vars, attrs=ds.attrs.copy())
ts = get_timestamp()
ds.attrs.update(dict(Conventions='CF1.6', source=filename, tracerinfo=
tracerinfo_file, diaginfo=diaginfo_file, filetype=store._bpch.
filetype, filetitle=store._bpch.filetitle, history=
'{}: Processed/loaded by xbpch-{} from {}'.format(ts, ver, filename)))
if return_store:
return ds, store
else:
return ds
| open_bpchdataset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, fields=[], categories=[], tracerinfo_file='tracerinfo.dat',\n diaginfo_file='diaginfo.dat', endian='>', decode_cf=True, memmap=True,\n dask=True, return_store=False):\n store = BPCHDataStore(filename, fields=fields, categories=categories,\n tracerinfo_file=tracerinfo_file, diaginfo_file=diaginfo_file,\n endian=endian, use_mmap=memmap, dask_delayed=dask)\n ds = xr.Dataset.load_store(store)\n ds._file_obj = store._bpch\n if decode_cf:\n decoded_vars = OrderedDict()\n rename_dict = {}\n for v in ds.variables:\n cf_name = cf.get_valid_varname(v)\n rename_dict[v] = cf_name\n new_var = cf.enforce_cf_variable(ds[v])\n decoded_vars[cf_name] = new_var\n ds = xr.Dataset(decoded_vars, attrs=ds.attrs.copy())\n ts = get_timestamp()\n ds.attrs.update(dict(Conventions='CF1.6', source=filename, tracerinfo=\n tracerinfo_file, diaginfo=diaginfo_file, filetype=store._bpch.\n filetype, filetitle=store._bpch.filetitle, history=\n '{}: Processed/loaded by xbpch-{} from {}'.format(ts, ver, filename)))\n if return_store:\n return ds, store\n else:\n return ds\n",
"role": "user"
},
{
"content": "open_bpchdataset",
"role": "assistant"
}
] |
def x(paths, concat_dim='time', compat='no_conflicts', preprocess=None,
lock=None, **kwargs):
from xarray.backends.api import _MultiFileCloser
dask = kwargs.pop('dask', False)
if not dask:
raise ValueError('Reading multiple files without dask is not supported'
)
kwargs['dask'] = True
if isinstance(paths, basestring):
paths = sorted(glob(paths))
if not paths:
raise IOError('No paths to files were passed into open_mfbpchdataset')
datasets = [open_bpchdataset(filename, **kwargs) for filename in paths]
bpch_objs = [ds._file_obj for ds in datasets]
if preprocess is not None:
datasets = [preprocess(ds) for ds in datasets]
combined = xr.auto_combine(datasets, compat=compat, concat_dim=concat_dim)
combined._file_obj = _MultiFileCloser(bpch_objs)
combined.attrs = datasets[0].attrs
ts = get_timestamp()
fns_str = ' '.join(paths)
combined.attrs['history'
] = '{}: Processed/loaded by xbpch-{} from {}'.format(ts, ver, fns_str)
return combined
| open_mfbpchdataset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(paths, concat_dim='time', compat='no_conflicts', preprocess=None,\n lock=None, **kwargs):\n from xarray.backends.api import _MultiFileCloser\n dask = kwargs.pop('dask', False)\n if not dask:\n raise ValueError('Reading multiple files without dask is not supported'\n )\n kwargs['dask'] = True\n if isinstance(paths, basestring):\n paths = sorted(glob(paths))\n if not paths:\n raise IOError('No paths to files were passed into open_mfbpchdataset')\n datasets = [open_bpchdataset(filename, **kwargs) for filename in paths]\n bpch_objs = [ds._file_obj for ds in datasets]\n if preprocess is not None:\n datasets = [preprocess(ds) for ds in datasets]\n combined = xr.auto_combine(datasets, compat=compat, concat_dim=concat_dim)\n combined._file_obj = _MultiFileCloser(bpch_objs)\n combined.attrs = datasets[0].attrs\n ts = get_timestamp()\n fns_str = ' '.join(paths)\n combined.attrs['history'\n ] = '{}: Processed/loaded by xbpch-{} from {}'.format(ts, ver, fns_str)\n return combined\n",
"role": "user"
},
{
"content": "open_mfbpchdataset",
"role": "assistant"
}
] |
def x(self, orm):
for entry in orm['multilingual_news.NewsEntry'].objects.all():
self.migrate_placeholder(orm, entry, 'excerpt',
'multilingual_news_excerpt', 'excerpt')
self.migrate_placeholder(orm, entry, 'content',
'multilingual_news_content', 'content')
| forwards | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, orm):\n for entry in orm['multilingual_news.NewsEntry'].objects.all():\n self.migrate_placeholder(orm, entry, 'excerpt',\n 'multilingual_news_excerpt', 'excerpt')\n self.migrate_placeholder(orm, entry, 'content',\n 'multilingual_news_content', 'content')\n",
"role": "user"
},
{
"content": "forwards",
"role": "assistant"
}
] |
def x(b, filename=None, inline=1, width='auto', height='auto',
preserve_aspect_ratio=None):
if preserve_aspect_ratio is None:
if width != 'auto' and height != 'auto':
preserve_aspect_ratio = False
else:
preserve_aspect_ratio = True
data = {'name': base64.b64encode((filename or 'Unnamed file').encode(
'utf-8')).decode('ascii'), 'inline': inline, 'size': len(b),
'base64_img': base64.b64encode(b).decode('ascii'), 'width': width,
'height': height, 'preserve_aspect_ratio': int(preserve_aspect_ratio)}
return IMAGE_CODE.format(**data).encode('ascii')
| image_bytes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(b, filename=None, inline=1, width='auto', height='auto',\n preserve_aspect_ratio=None):\n if preserve_aspect_ratio is None:\n if width != 'auto' and height != 'auto':\n preserve_aspect_ratio = False\n else:\n preserve_aspect_ratio = True\n data = {'name': base64.b64encode((filename or 'Unnamed file').encode(\n 'utf-8')).decode('ascii'), 'inline': inline, 'size': len(b),\n 'base64_img': base64.b64encode(b).decode('ascii'), 'width': width,\n 'height': height, 'preserve_aspect_ratio': int(preserve_aspect_ratio)}\n return IMAGE_CODE.format(**data).encode('ascii')\n",
"role": "user"
},
{
"content": "image_bytes",
"role": "assistant"
}
] |
def x(b, filename=None, inline=1, width='auto', height='auto',
preserve_aspect_ratio=None):
sys.stdout.buffer.write(image_bytes(b, filename=filename, inline=inline,
width=width, height=height, preserve_aspect_ratio=
preserve_aspect_ratio))
sys.stdout.write('\n')
| display_image_bytes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(b, filename=None, inline=1, width='auto', height='auto',\n preserve_aspect_ratio=None):\n sys.stdout.buffer.write(image_bytes(b, filename=filename, inline=inline,\n width=width, height=height, preserve_aspect_ratio=\n preserve_aspect_ratio))\n sys.stdout.write('\\n')\n",
"role": "user"
},
{
"content": "display_image_bytes",
"role": "assistant"
}
] |
def x(fn, width='auto', height='auto', preserve_aspect_ratio=None):
with open(os.path.realpath(os.path.expanduser(fn)), 'rb') as f:
sys.stdout.buffer.write(image_bytes(f.read(), filename=fn, width=
width, height=height, preserve_aspect_ratio=preserve_aspect_ratio))
| display_image_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn, width='auto', height='auto', preserve_aspect_ratio=None):\n with open(os.path.realpath(os.path.expanduser(fn)), 'rb') as f:\n sys.stdout.buffer.write(image_bytes(f.read(), filename=fn, width=\n width, height=height, preserve_aspect_ratio=preserve_aspect_ratio))\n",
"role": "user"
},
{
"content": "display_image_file",
"role": "assistant"
}
] |
def x(*args):
requirements = set()
contents = get_contents(*args)
for line in contents.splitlines():
line = re.sub('^#.*|\\s#.*', '', line)
if line and not line.isspace():
requirements.add(re.sub('\\s+', '', line))
return sorted(requirements)
| get_requirements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n requirements = set()\n contents = get_contents(*args)\n for line in contents.splitlines():\n line = re.sub('^#.*|\\\\s#.*', '', line)\n if line and not line.isspace():\n requirements.add(re.sub('\\\\s+', '', line))\n return sorted(requirements)\n",
"role": "user"
},
{
"content": "get_requirements",
"role": "assistant"
}
] |
def x(self, division=None, year=None):
if division:
holidays = self.data[division]
else:
holidays = self.data[self.ENGLAND_AND_WALES]
dates_in_common = six.moves.reduce(set.intersection, (set(map(lambda
holiday: holiday['date'], division_holidays)) for division,
division_holidays in six.iteritems(self.data)))
holidays = filter(lambda holiday: holiday['date'] in
dates_in_common, holidays)
if year:
holidays = filter(lambda holiday: holiday['date'].year == year,
holidays)
return list(holidays)
| get_holidays | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, division=None, year=None):\n if division:\n holidays = self.data[division]\n else:\n holidays = self.data[self.ENGLAND_AND_WALES]\n dates_in_common = six.moves.reduce(set.intersection, (set(map(lambda\n holiday: holiday['date'], division_holidays)) for division,\n division_holidays in six.iteritems(self.data)))\n holidays = filter(lambda holiday: holiday['date'] in\n dates_in_common, holidays)\n if year:\n holidays = filter(lambda holiday: holiday['date'].year == year,\n holidays)\n return list(holidays)\n",
"role": "user"
},
{
"content": "get_holidays",
"role": "assistant"
}
] |
def x(self, division=None, date=None):
date = date or datetime.date.today()
for holiday in self.get_holidays(division=division):
if holiday['date'] > date:
return holiday
| get_next_holiday | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, division=None, date=None):\n date = date or datetime.date.today()\n for holiday in self.get_holidays(division=division):\n if holiday['date'] > date:\n return holiday\n",
"role": "user"
},
{
"content": "get_next_holiday",
"role": "assistant"
}
] |
def x(self, date, division=None):
return date in (holiday['date'] for holiday in self.get_holidays(
division=division))
| is_holiday | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, date, division=None):\n return date in (holiday['date'] for holiday in self.get_holidays(\n division=division))\n",
"role": "user"
},
{
"content": "is_holiday",
"role": "assistant"
}
] |
def x(self, division=None, date=None):
date = date or datetime.date.today()
one_day = datetime.timedelta(days=1)
holidays = set(holiday['date'] for holiday in self.get_holidays(
division=division))
while True:
date += one_day
if date.weekday() not in self.weekend and date not in holidays:
return date
| get_next_work_day | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, division=None, date=None):\n date = date or datetime.date.today()\n one_day = datetime.timedelta(days=1)\n holidays = set(holiday['date'] for holiday in self.get_holidays(\n division=division))\n while True:\n date += one_day\n if date.weekday() not in self.weekend and date not in holidays:\n return date\n",
"role": "user"
},
{
"content": "get_next_work_day",
"role": "assistant"
}
] |
def x(self, date, division=None):
return date.weekday() not in self.weekend and date not in (holiday[
'date'] for holiday in self.get_holidays(division=division))
| is_work_day | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, date, division=None):\n return date.weekday() not in self.weekend and date not in (holiday[\n 'date'] for holiday in self.get_holidays(division=division))\n",
"role": "user"
},
{
"content": "is_work_day",
"role": "assistant"
}
] |
def x(self):
for key in self.get_all_keys():
layer, rx, ry = struct.unpack('>BHH', key)
if layer == 1:
yield rx, ry
| get_all_regions_with_tiles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for key in self.get_all_keys():\n layer, rx, ry = struct.unpack('>BHH', key)\n if layer == 1:\n yield rx, ry\n",
"role": "user"
},
{
"content": "get_all_regions_with_tiles",
"role": "assistant"
}
] |
def x(self, uuid):
if uuid in self._entity_to_region_map:
coords = self._entity_to_region_map[uuid]
entities = self.get_entities(*coords)
for entity in entities:
if 'uniqueId' in entity.data and entity.data['uniqueId'] == uuid:
return tuple(entity.data['tilePosition'])
return None
| get_entity_uuid_coords | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uuid):\n if uuid in self._entity_to_region_map:\n coords = self._entity_to_region_map[uuid]\n entities = self.get_entities(*coords)\n for entity in entities:\n if 'uniqueId' in entity.data and entity.data['uniqueId'] == uuid:\n return tuple(entity.data['tilePosition'])\n return None\n",
"role": "user"
},
{
"content": "get_entity_uuid_coords",
"role": "assistant"
}
] |
def x(self):
entity_to_region = {}
for key in self.get_all_keys():
layer, rx, ry = struct.unpack('>BHH', key)
if layer != 4:
continue
stream = io.BytesIO(self.get(layer, rx, ry))
num_entities = sbon.read_varint(stream)
for _ in range(num_entities):
uuid = sbon.read_string(stream)
if uuid in entity_to_region:
raise ValueError('Duplicate UUID {}'.format(uuid))
entity_to_region[uuid] = rx, ry
return entity_to_region
| entity_to_region_map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n entity_to_region = {}\n for key in self.get_all_keys():\n layer, rx, ry = struct.unpack('>BHH', key)\n if layer != 4:\n continue\n stream = io.BytesIO(self.get(layer, rx, ry))\n num_entities = sbon.read_varint(stream)\n for _ in range(num_entities):\n uuid = sbon.read_string(stream)\n if uuid in entity_to_region:\n raise ValueError('Duplicate UUID {}'.format(uuid))\n entity_to_region[uuid] = rx, ry\n return entity_to_region\n",
"role": "user"
},
{
"content": "entity_to_region_map",
"role": "assistant"
}
] |
def x(pattern):
return re.compile('.*'.join(map(re.escape, pattern)), re.IGNORECASE)
| create_fuzzy_pattern | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern):\n return re.compile('.*'.join(map(re.escape, pattern)), re.IGNORECASE)\n",
"role": "user"
},
{
"content": "create_fuzzy_pattern",
"role": "assistant"
}
] |
def x(self):
return [e for e in self.entries if not any(fnmatch.fnmatch(e.name.lower
(), p.lower()) for p in self.exclude_list)]
| filtered_entries | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [e for e in self.entries if not any(fnmatch.fnmatch(e.name.lower\n (), p.lower()) for p in self.exclude_list)]\n",
"role": "user"
},
{
"content": "filtered_entries",
"role": "assistant"
}
] |
def x(self, *filters):
matches = []
logger.verbose('Performing fuzzy search on %s (%s) ..', pluralize(len(
filters), 'pattern'), concatenate(map(repr, filters)))
patterns = list(map(create_fuzzy_pattern, filters))
for entry in self.filtered_entries:
if all(p.search(entry.name) for p in patterns):
matches.append(entry)
logger.log(logging.INFO if matches else logging.VERBOSE,
'Matched %s using fuzzy search.', pluralize(len(matches), 'password'))
return matches
| fuzzy_search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *filters):\n matches = []\n logger.verbose('Performing fuzzy search on %s (%s) ..', pluralize(len(\n filters), 'pattern'), concatenate(map(repr, filters)))\n patterns = list(map(create_fuzzy_pattern, filters))\n for entry in self.filtered_entries:\n if all(p.search(entry.name) for p in patterns):\n matches.append(entry)\n logger.log(logging.INFO if matches else logging.VERBOSE,\n 'Matched %s using fuzzy search.', pluralize(len(matches), 'password'))\n return matches\n",
"role": "user"
},
{
"content": "fuzzy_search",
"role": "assistant"
}
] |
def x(self, *arguments):
matches = self.smart_search(*arguments)
if len(matches) > 1:
logger.info('More than one match, prompting for choice ..')
labels = [entry.name for entry in matches]
return matches[labels.index(prompt_for_choice(labels))]
else:
logger.info('Matched one entry: %s', matches[0].name)
return matches[0]
| select_entry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *arguments):\n matches = self.smart_search(*arguments)\n if len(matches) > 1:\n logger.info('More than one match, prompting for choice ..')\n labels = [entry.name for entry in matches]\n return matches[labels.index(prompt_for_choice(labels))]\n else:\n logger.info('Matched one entry: %s', matches[0].name)\n return matches[0]\n",
"role": "user"
},
{
"content": "select_entry",
"role": "assistant"
}
] |
def x(self, *keywords):
matches = []
keywords = [kw.lower() for kw in keywords]
logger.verbose('Performing simple search on %s (%s) ..', pluralize(len(
keywords), 'keyword'), concatenate(map(repr, keywords)))
for entry in self.filtered_entries:
normalized = entry.name.lower()
if all(kw in normalized for kw in keywords):
matches.append(entry)
logger.log(logging.INFO if matches else logging.VERBOSE,
'Matched %s using simple search.', pluralize(len(matches), 'password'))
return matches
| simple_search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *keywords):\n matches = []\n keywords = [kw.lower() for kw in keywords]\n logger.verbose('Performing simple search on %s (%s) ..', pluralize(len(\n keywords), 'keyword'), concatenate(map(repr, keywords)))\n for entry in self.filtered_entries:\n normalized = entry.name.lower()\n if all(kw in normalized for kw in keywords):\n matches.append(entry)\n logger.log(logging.INFO if matches else logging.VERBOSE,\n 'Matched %s using simple search.', pluralize(len(matches), 'password'))\n return matches\n",
"role": "user"
},
{
"content": "simple_search",
"role": "assistant"
}
] |
def x(self, *arguments):
matches = self.simple_search(*arguments)
if not matches:
logger.verbose('Falling back from substring search to fuzzy search ..')
matches = self.fuzzy_search(*arguments)
if not matches:
if len(self.filtered_entries) > 0:
raise NoMatchingPasswordError(format(
'No passwords matched the given arguments! (%s)',
concatenate(map(repr, arguments))))
else:
msg = "You don't have any passwords yet! (no *.gpg files found)"
raise EmptyPasswordStoreError(msg)
return matches
| smart_search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *arguments):\n matches = self.simple_search(*arguments)\n if not matches:\n logger.verbose('Falling back from substring search to fuzzy search ..')\n matches = self.fuzzy_search(*arguments)\n if not matches:\n if len(self.filtered_entries) > 0:\n raise NoMatchingPasswordError(format(\n 'No passwords matched the given arguments! (%s)',\n concatenate(map(repr, arguments))))\n else:\n msg = \"You don't have any passwords yet! (no *.gpg files found)\"\n raise EmptyPasswordStoreError(msg)\n return matches\n",
"role": "user"
},
{
"content": "smart_search",
"role": "assistant"
}
] |
def x(self):
passwords = []
for store in self.stores:
passwords.extend(store.entries)
return natsort(passwords, key=lambda e: e.name)
| entries | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n passwords = []\n for store in self.stores:\n passwords.extend(store.entries)\n return natsort(passwords, key=lambda e: e.name)\n",
"role": "user"
},
{
"content": "entries",
"role": "assistant"
}
] |
def x(self):
self.ensure_directory_exists()
environment = {DIRECTORY_VARIABLE: self.directory}
try:
environment.update(get_gpg_variables())
except Exception:
environment.update(GPG_TTY=execute('tty', capture=True, check=False,
tty=True, silent=True))
return LocalContext(directory=self.directory, environment=environment)
| context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.ensure_directory_exists()\n environment = {DIRECTORY_VARIABLE: self.directory}\n try:\n environment.update(get_gpg_variables())\n except Exception:\n environment.update(GPG_TTY=execute('tty', capture=True, check=False,\n tty=True, silent=True))\n return LocalContext(directory=self.directory, environment=environment)\n",
"role": "user"
},
{
"content": "context",
"role": "assistant"
}
] |
def x(self, value):
set_property(self, 'directory', parse_path(value))
clear_property(self, 'context')
clear_property(self, 'entries')
| directory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n set_property(self, 'directory', parse_path(value))\n clear_property(self, 'context')\n clear_property(self, 'entries')\n",
"role": "user"
},
{
"content": "directory",
"role": "assistant"
}
] |
def x(self):
timer = Timer()
passwords = []
logger.info('Scanning %s ..', format_path(self.directory))
listing = self.context.capture('find', '-type', 'f', '-name', '*.gpg',
'-print0')
for filename in split(listing, '\x00'):
basename, extension = os.path.splitext(filename)
if extension == '.gpg':
passwords.append(PasswordEntry(name=os.path.normpath(basename),
store=self))
logger.verbose('Found %s in %s.', pluralize(len(passwords), 'password'),
timer)
return natsort(passwords, key=lambda e: e.name)
| entries | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n timer = Timer()\n passwords = []\n logger.info('Scanning %s ..', format_path(self.directory))\n listing = self.context.capture('find', '-type', 'f', '-name', '*.gpg',\n '-print0')\n for filename in split(listing, '\\x00'):\n basename, extension = os.path.splitext(filename)\n if extension == '.gpg':\n passwords.append(PasswordEntry(name=os.path.normpath(basename),\n store=self))\n logger.verbose('Found %s in %s.', pluralize(len(passwords), 'password'),\n timer)\n return natsort(passwords, key=lambda e: e.name)\n",
"role": "user"
},
{
"content": "entries",
"role": "assistant"
}
] |
def x(self):
if not os.path.isdir(self.directory):
msg = "The password storage directory doesn't exist! (%s)"
raise MissingPasswordStoreError(msg % self.directory)
| ensure_directory_exists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not os.path.isdir(self.directory):\n msg = \"The password storage directory doesn't exist! (%s)\"\n raise MissingPasswordStoreError(msg % self.directory)\n",
"role": "user"
},
{
"content": "ensure_directory_exists",
"role": "assistant"
}
] |
def x(self, include_password=True, use_colors=None, padding=True, filters=()):
if use_colors is None:
use_colors = terminal_supports_colors()
lines = self.text.splitlines()
password = lines.pop(0).strip()
patterns = [coerce_pattern(f, re.IGNORECASE) for f in filters]
lines = [l for l in lines if not any(p.search(l) for p in patterns)]
text = trim_empty_lines('\n'.join(lines))
if include_password:
text = 'Password: %s\n%s' % (password, text)
if text and not text.isspace():
title = ' / '.join(split(self.name, '/'))
if use_colors:
title = ansi_wrap(title, bold=True)
text = '%s\n\n%s' % (title, text)
lines = []
for line in text.splitlines():
match = KEY_VALUE_PATTERN.match(line)
if match:
key = '%s:' % match.group(1).strip()
value = match.group(2).strip()
if use_colors:
key = ansi_wrap(key, color=HIGHLIGHT_COLOR)
tokens = value.split()
for i in range(len(tokens)):
if '://' in tokens[i]:
tokens[i] = ansi_wrap(tokens[i], underline=True)
line = key + ' ' + ' '.join(tokens)
if padding:
line = ' ' + line
lines.append(line)
text = '\n'.join(lines)
text = trim_empty_lines(text)
if text and padding:
text = '\n%s\n' % text
return text
| format_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, include_password=True, use_colors=None, padding=True, filters=()):\n if use_colors is None:\n use_colors = terminal_supports_colors()\n lines = self.text.splitlines()\n password = lines.pop(0).strip()\n patterns = [coerce_pattern(f, re.IGNORECASE) for f in filters]\n lines = [l for l in lines if not any(p.search(l) for p in patterns)]\n text = trim_empty_lines('\\n'.join(lines))\n if include_password:\n text = 'Password: %s\\n%s' % (password, text)\n if text and not text.isspace():\n title = ' / '.join(split(self.name, '/'))\n if use_colors:\n title = ansi_wrap(title, bold=True)\n text = '%s\\n\\n%s' % (title, text)\n lines = []\n for line in text.splitlines():\n match = KEY_VALUE_PATTERN.match(line)\n if match:\n key = '%s:' % match.group(1).strip()\n value = match.group(2).strip()\n if use_colors:\n key = ansi_wrap(key, color=HIGHLIGHT_COLOR)\n tokens = value.split()\n for i in range(len(tokens)):\n if '://' in tokens[i]:\n tokens[i] = ansi_wrap(tokens[i], underline=True)\n line = key + ' ' + ' '.join(tokens)\n if padding:\n line = ' ' + line\n lines.append(line)\n text = '\\n'.join(lines)\n text = trim_empty_lines(text)\n if text and padding:\n text = '\\n%s\\n' % text\n return text\n",
"role": "user"
},
{
"content": "format_text",
"role": "assistant"
}
] |
def x(diaginfo_file):
widths = [rec.width for rec in diag_recs]
col_names = [rec.name for rec in diag_recs]
dtypes = [rec.type for rec in diag_recs]
usecols = [name for name in col_names if not name.startswith('-')]
diag_df = pd.read_fwf(diaginfo_file, widths=widths, names=col_names,
dtypes=dtypes, comment='#', header=None, usecols=usecols)
diag_desc = {diag.name: diag.desc for diag in diag_recs if not diag.
name.startswith('-')}
return diag_df, diag_desc
| get_diaginfo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(diaginfo_file):\n widths = [rec.width for rec in diag_recs]\n col_names = [rec.name for rec in diag_recs]\n dtypes = [rec.type for rec in diag_recs]\n usecols = [name for name in col_names if not name.startswith('-')]\n diag_df = pd.read_fwf(diaginfo_file, widths=widths, names=col_names,\n dtypes=dtypes, comment='#', header=None, usecols=usecols)\n diag_desc = {diag.name: diag.desc for diag in diag_recs if not diag.\n name.startswith('-')}\n return diag_df, diag_desc\n",
"role": "user"
},
{
"content": "get_diaginfo",
"role": "assistant"
}
] |
def x(tracerinfo_file):
widths = [rec.width for rec in tracer_recs]
col_names = [rec.name for rec in tracer_recs]
dtypes = [rec.type for rec in tracer_recs]
usecols = [name for name in col_names if not name.startswith('-')]
tracer_df = pd.read_fwf(tracerinfo_file, widths=widths, names=col_names,
dtypes=dtypes, comment='#', header=None, usecols=usecols)
na_free = tracer_df.dropna(subset=['tracer', 'scale'])
only_na = tracer_df[~tracer_df.index.isin(na_free.index)]
if len(only_na) > 0:
warn(
"At least one row in {} wasn't decoded correctly; we strongly recommend you manually check that file to see that all tracers are properly recorded."
.format(tracerinfo_file))
tracer_desc = {tracer.name: tracer.desc for tracer in tracer_recs if
not tracer.name.startswith('-')}
def x(row):
if row['C'] != 1:
row['hydrocarbon'] = True
row['molwt'] = C_MOLECULAR_WEIGHT
else:
row['hydrocarbon'] = False
return row
tracer_df = tracer_df.apply(_assign_hydrocarbon, axis=1).assign(chemical
=lambda x: x['molwt'].astype(bool))
return tracer_df, tracer_desc
| get_tracerinfo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tracerinfo_file):\n widths = [rec.width for rec in tracer_recs]\n col_names = [rec.name for rec in tracer_recs]\n dtypes = [rec.type for rec in tracer_recs]\n usecols = [name for name in col_names if not name.startswith('-')]\n tracer_df = pd.read_fwf(tracerinfo_file, widths=widths, names=col_names,\n dtypes=dtypes, comment='#', header=None, usecols=usecols)\n na_free = tracer_df.dropna(subset=['tracer', 'scale'])\n only_na = tracer_df[~tracer_df.index.isin(na_free.index)]\n if len(only_na) > 0:\n warn(\n \"At least one row in {} wasn't decoded correctly; we strongly recommend you manually check that file to see that all tracers are properly recorded.\"\n .format(tracerinfo_file))\n tracer_desc = {tracer.name: tracer.desc for tracer in tracer_recs if \n not tracer.name.startswith('-')}\n\n def x(row):\n if row['C'] != 1:\n row['hydrocarbon'] = True\n row['molwt'] = C_MOLECULAR_WEIGHT\n else:\n row['hydrocarbon'] = False\n return row\n tracer_df = tracer_df.apply(_assign_hydrocarbon, axis=1).assign(chemical\n =lambda x: x['molwt'].astype(bool))\n return tracer_df, tracer_desc\n",
"role": "user"
},
{
"content": "get_tracerinfo",
"role": "assistant"
}
] |
def x(filename, file_position, shape, dtype, endian, use_mmap=False):
offset = file_position + 4
if use_mmap:
d = np.memmap(filename, dtype=dtype, mode='r', shape=shape, offset=
offset, order='F')
else:
with FortranFile(filename, 'rb', endian) as ff:
ff.seek(file_position)
d = np.array(ff.readline('*f'))
d = d.reshape(shape, order='F')
if d.shape != shape:
raise IOError(
'Data chunk read from {} does not have the right shape, (expected {} but got {})'
.format(filename, shape, d.shape))
return d
| read_from_bpch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, file_position, shape, dtype, endian, use_mmap=False):\n offset = file_position + 4\n if use_mmap:\n d = np.memmap(filename, dtype=dtype, mode='r', shape=shape, offset=\n offset, order='F')\n else:\n with FortranFile(filename, 'rb', endian) as ff:\n ff.seek(file_position)\n d = np.array(ff.readline('*f'))\n d = d.reshape(shape, order='F')\n if d.shape != shape:\n raise IOError(\n 'Data chunk read from {} does not have the right shape, (expected {} but got {})'\n .format(filename, shape, d.shape))\n return d\n",
"role": "user"
},
{
"content": "read_from_bpch",
"role": "assistant"
}
] |
def x(self):
if self._dask:
d = da.from_delayed(delayed(read_from_bpch)(self.filename, self.
file_position, self.shape, self.dtype, self.endian, use_mmap=
self._mmap), self.shape, self.dtype)
else:
d = read_from_bpch(self.filename, self.file_position, self.shape,
self.dtype, self.endian, use_mmap=self._mmap)
return d
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._dask:\n d = da.from_delayed(delayed(read_from_bpch)(self.filename, self.\n file_position, self.shape, self.dtype, self.endian, use_mmap=\n self._mmap), self.shape, self.dtype)\n else:\n d = read_from_bpch(self.filename, self.file_position, self.shape,\n self.dtype, self.endian, use_mmap=self._mmap)\n return d\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self):
if not self.fp.closed:
for v in list(self.var_data):
del self.var_data[v]
self.fp.close()
| close | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.fp.closed:\n for v in list(self.var_data):\n del self.var_data[v]\n self.fp.close()\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self):
filetype = self.fp.readline().strip()
filetitle = self.fp.readline().strip()
try:
filetype = str(filetype, 'utf-8')
filetitle = str(filetitle, 'utf-8')
except:
pass
self.__setattr__('filetype', filetype)
self.__setattr__('filetitle', filetitle)
| read_metadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n filetype = self.fp.readline().strip()\n filetitle = self.fp.readline().strip()\n try:\n filetype = str(filetype, 'utf-8')\n filetitle = str(filetitle, 'utf-8')\n except:\n pass\n self.__setattr__('filetype', filetype)\n self.__setattr__('filetitle', filetitle)\n",
"role": "user"
},
{
"content": "read_metadata",
"role": "assistant"
}
] |
def x(self):
self._header_pos = self.fp.tell()
line = self.fp.readline('20sffii')
modelname, res0, res1, halfpolar, center180 = line
self._attributes.update({'modelname': str(modelname, 'utf-8').strip(),
'halfpolar': halfpolar, 'center180': center180, 'res': (res0, res1)})
self.__setattr__('modelname', modelname)
self.__setattr__('res', (res0, res1))
self.__setattr__('halfpolar', halfpolar)
self.__setattr__('center180', center180)
self.fp.seek(self._header_pos)
| read_header | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._header_pos = self.fp.tell()\n line = self.fp.readline('20sffii')\n modelname, res0, res1, halfpolar, center180 = line\n self._attributes.update({'modelname': str(modelname, 'utf-8').strip(),\n 'halfpolar': halfpolar, 'center180': center180, 'res': (res0, res1)})\n self.__setattr__('modelname', modelname)\n self.__setattr__('res', (res0, res1))\n self.__setattr__('halfpolar', halfpolar)\n self.__setattr__('center180', center180)\n self.fp.seek(self._header_pos)\n",
"role": "user"
},
{
"content": "read_header",
"role": "assistant"
}
] |
def x(self):
var_bundles = OrderedDict()
var_attrs = OrderedDict()
n_vars = 0
while self.fp.tell() < self.fsize:
var_attr = OrderedDict()
line = self.fp.readline('20sffii')
modelname, res0, res1, halfpolar, center180 = line
line = self.fp.readline('40si40sdd40s7i')
category_name, number, unit, tau0, tau1, reserved = line[:6]
dim0, dim1, dim2, dim3, dim4, dim5, skip = line[6:]
var_attr['number'] = number
category_name = str(category_name, 'utf-8')
var_attr['category'] = category_name.strip()
unit = str(unit, 'utf-8')
try:
cat_df = self.diaginfo_df[self.diaginfo_df.name ==
category_name.strip()]
cat = cat_df.T.squeeze()
tracer_num = int(cat.offset) + int(number)
diag_df = self.tracerinfo_df[self.tracerinfo_df.tracer ==
tracer_num]
diag = diag_df.T.squeeze()
diag_attr = diag.to_dict()
if not unit.strip():
unit = diag_attr['unit']
var_attr.update(diag_attr)
except:
diag = {'name': '', 'scale': 1}
var_attr.update(diag)
var_attr['unit'] = unit
vname = diag['name']
fullname = category_name.strip() + '_' + vname
if dim2 == 1:
data_shape = dim0, dim1
else:
data_shape = dim0, dim1, dim2
var_attr['original_shape'] = data_shape
data_shape = tuple([1] + list(data_shape))
origin = dim3, dim4, dim5
var_attr['origin'] = origin
timelo, timehi = cf.tau2time(tau0), cf.tau2time(tau1)
pos = self.fp.tell()
var_bundle = BPCHDataBundle(data_shape, self.endian, self.filename,
pos, [timelo, timehi], metadata=var_attr, use_mmap=self.
use_mmap, dask_delayed=self.dask_delayed)
self.fp.skipline()
if fullname in var_bundles:
var_bundles[fullname].append(var_bundle)
else:
var_bundles[fullname] = [var_bundle]
var_attrs[fullname] = var_attr
n_vars += 1
self.var_data = var_bundles
self.var_attrs = var_attrs
| read_var_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n var_bundles = OrderedDict()\n var_attrs = OrderedDict()\n n_vars = 0\n while self.fp.tell() < self.fsize:\n var_attr = OrderedDict()\n line = self.fp.readline('20sffii')\n modelname, res0, res1, halfpolar, center180 = line\n line = self.fp.readline('40si40sdd40s7i')\n category_name, number, unit, tau0, tau1, reserved = line[:6]\n dim0, dim1, dim2, dim3, dim4, dim5, skip = line[6:]\n var_attr['number'] = number\n category_name = str(category_name, 'utf-8')\n var_attr['category'] = category_name.strip()\n unit = str(unit, 'utf-8')\n try:\n cat_df = self.diaginfo_df[self.diaginfo_df.name ==\n category_name.strip()]\n cat = cat_df.T.squeeze()\n tracer_num = int(cat.offset) + int(number)\n diag_df = self.tracerinfo_df[self.tracerinfo_df.tracer ==\n tracer_num]\n diag = diag_df.T.squeeze()\n diag_attr = diag.to_dict()\n if not unit.strip():\n unit = diag_attr['unit']\n var_attr.update(diag_attr)\n except:\n diag = {'name': '', 'scale': 1}\n var_attr.update(diag)\n var_attr['unit'] = unit\n vname = diag['name']\n fullname = category_name.strip() + '_' + vname\n if dim2 == 1:\n data_shape = dim0, dim1\n else:\n data_shape = dim0, dim1, dim2\n var_attr['original_shape'] = data_shape\n data_shape = tuple([1] + list(data_shape))\n origin = dim3, dim4, dim5\n var_attr['origin'] = origin\n timelo, timehi = cf.tau2time(tau0), cf.tau2time(tau1)\n pos = self.fp.tell()\n var_bundle = BPCHDataBundle(data_shape, self.endian, self.filename,\n pos, [timelo, timehi], metadata=var_attr, use_mmap=self.\n use_mmap, dask_delayed=self.dask_delayed)\n self.fp.skipline()\n if fullname in var_bundles:\n var_bundles[fullname].append(var_bundle)\n else:\n var_bundles[fullname] = [var_bundle]\n var_attrs[fullname] = var_attr\n n_vars += 1\n self.var_data = var_bundles\n self.var_attrs = var_attrs\n",
"role": "user"
},
{
"content": "read_var_data",
"role": "assistant"
}
] |
def x(arr, ndim, axis=1):
ext_arr = arr
for i in range(ndim - 1):
ext_arr = np.expand_dims(ext_arr, axis=axis)
return ext_arr
| broadcast_1d_array | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arr, ndim, axis=1):\n ext_arr = arr\n for i in range(ndim - 1):\n ext_arr = np.expand_dims(ext_arr, axis=axis)\n return ext_arr\n",
"role": "user"
},
{
"content": "broadcast_1d_array",
"role": "assistant"
}
] |
def x(time=True, date=True, fmt=None):
time_format = '%H:%M:%S'
date_format = '%m-%d-%Y'
if fmt is None:
if time and date:
fmt = time_format + ' ' + date_format
elif time:
fmt = time_format
elif date:
fmt = date_format
else:
raise ValueError('One of `date` or `time` must be True!')
return datetime.now().strftime(fmt)
| get_timestamp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(time=True, date=True, fmt=None):\n time_format = '%H:%M:%S'\n date_format = '%m-%d-%Y'\n if fmt is None:\n if time and date:\n fmt = time_format + ' ' + date_format\n elif time:\n fmt = time_format\n elif date:\n fmt = date_format\n else:\n raise ValueError('One of `date` or `time` must be True!')\n return datetime.now().strftime(fmt)\n",
"role": "user"
},
{
"content": "get_timestamp",
"role": "assistant"
}
] |
def x(ds):
def x(da, attr):
if attr in da.attrs:
del da.attrs[attr]
return da
def x(da, attr):
if attr in da.attrs and type(da.attrs[attr] == bool):
da.attrs[attr] = int(da.attrs[attr])
return da
for v in ds.data_vars:
da = ds[v]
da = _maybe_del_attr(da, 'scale_factor')
da = _maybe_del_attr(da, 'units')
da = _maybe_decode_attr(da, 'hydrocarbon')
da = _maybe_decode_attr(da, 'chemical')
if hasattr(ds, 'time'):
times = ds.time
times = _maybe_del_attr(times, 'units')
return ds
| fix_attr_encoding | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ds):\n\n def x(da, attr):\n if attr in da.attrs:\n del da.attrs[attr]\n return da\n\n def x(da, attr):\n if attr in da.attrs and type(da.attrs[attr] == bool):\n da.attrs[attr] = int(da.attrs[attr])\n return da\n for v in ds.data_vars:\n da = ds[v]\n da = _maybe_del_attr(da, 'scale_factor')\n da = _maybe_del_attr(da, 'units')\n da = _maybe_decode_attr(da, 'hydrocarbon')\n da = _maybe_decode_attr(da, 'chemical')\n if hasattr(ds, 'time'):\n times = ds.time\n times = _maybe_del_attr(times, 'units')\n return ds\n",
"role": "user"
},
{
"content": "fix_attr_encoding",
"role": "assistant"
}
] |
def x(command_status):
if command_status not in range(256):
raise ValueError('command_status must be an integer in the range 0-255'
)
sys.stdout.write(AFTER_OUTPUT.format(command_status=command_status))
sys.stdout.flush()
| after_output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command_status):\n if command_status not in range(256):\n raise ValueError('command_status must be an integer in the range 0-255'\n )\n sys.stdout.write(AFTER_OUTPUT.format(command_status=command_status))\n sys.stdout.flush()\n",
"role": "user"
},
{
"content": "after_output",
"role": "assistant"
}
] |
def x(self, orm):
for entry_title in orm.NewsEntryTitle.objects.all():
entry = NewsEntry.objects.get(pk=entry_title.entry.pk)
entry.translate(entry_title.language)
entry.title = entry_title.title
entry.slug = entry_title.slug
entry.is_published = entry_title.is_published
entry.save()
| forwards | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, orm):\n for entry_title in orm.NewsEntryTitle.objects.all():\n entry = NewsEntry.objects.get(pk=entry_title.entry.pk)\n entry.translate(entry_title.language)\n entry.title = entry_title.title\n entry.slug = entry_title.slug\n entry.is_published = entry_title.is_published\n entry.save()\n",
"role": "user"
},
{
"content": "forwards",
"role": "assistant"
}
] |
def x(units, prefix='', suffix=''):
compliant_units = units
for gcunits, udunits in UNITS_MAP_CTM2CF:
compliant_units = str.replace(compliant_units, gcunits, udunits)
return prefix + compliant_units + suffix
| get_cfcompliant_units | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(units, prefix='', suffix=''):\n compliant_units = units\n for gcunits, udunits in UNITS_MAP_CTM2CF:\n compliant_units = str.replace(compliant_units, gcunits, udunits)\n return prefix + compliant_units + suffix\n",
"role": "user"
},
{
"content": "get_cfcompliant_units",
"role": "assistant"
}
] |
def x(varname):
vname = varname
for s, r in VARNAME_MAP_CHAR:
vname = vname.replace(s, r)
return vname
| get_valid_varname | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(varname):\n vname = varname\n for s, r in VARNAME_MAP_CHAR:\n vname = vname.replace(s, r)\n return vname\n",
"role": "user"
},
{
"content": "get_valid_varname",
"role": "assistant"
}
] |
def x(var, mask_and_scale=True):
var = as_variable(var)
data = var._data
dims = var.dims
attrs = var.attrs.copy()
encoding = var.encoding.copy()
orig_dtype = data.dtype
if 'scale' in attrs:
scale = attrs.pop('scale')
attrs['scale_factor'] = scale
encoding['scale_factor'] = scale
if mask_and_scale:
data = scale * data
if 'unit' in attrs:
unit = attrs.pop('unit')
unit = get_cfcompliant_units(unit)
attrs['units'] = unit
return Variable(dims, data, attrs, encoding=encoding)
| enforce_cf_variable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(var, mask_and_scale=True):\n var = as_variable(var)\n data = var._data\n dims = var.dims\n attrs = var.attrs.copy()\n encoding = var.encoding.copy()\n orig_dtype = data.dtype\n if 'scale' in attrs:\n scale = attrs.pop('scale')\n attrs['scale_factor'] = scale\n encoding['scale_factor'] = scale\n if mask_and_scale:\n data = scale * data\n if 'unit' in attrs:\n unit = attrs.pop('unit')\n unit = get_cfcompliant_units(unit)\n attrs['units'] = unit\n return Variable(dims, data, attrs, encoding=encoding)\n",
"role": "user"
},
{
"content": "enforce_cf_variable",
"role": "assistant"
}
] |
def x(self, check_language=True, language=None, kwargs=None, exclude_kwargs
=None):
if check_language:
qs = NewsEntry.objects.language(language or get_language()).filter(
is_published=True)
else:
qs = self.get_queryset()
qs = qs.filter(models.Q(pub_date__lte=now()) | models.Q(
pub_date__isnull=True))
if kwargs is not None:
qs = qs.filter(**kwargs)
if exclude_kwargs is not None:
qs = qs.exclude(**exclude_kwargs)
return qs.distinct().order_by('-pub_date')
| published | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, check_language=True, language=None, kwargs=None, exclude_kwargs\n =None):\n if check_language:\n qs = NewsEntry.objects.language(language or get_language()).filter(\n is_published=True)\n else:\n qs = self.get_queryset()\n qs = qs.filter(models.Q(pub_date__lte=now()) | models.Q(\n pub_date__isnull=True))\n if kwargs is not None:\n qs = qs.filter(**kwargs)\n if exclude_kwargs is not None:\n qs = qs.exclude(**exclude_kwargs)\n return qs.distinct().order_by('-pub_date')\n",
"role": "user"
},
{
"content": "published",
"role": "assistant"
}
] |
def x(self, check_language=True, language=None, limit=3, exclude=None,
kwargs=None, category=None):
if category:
if not kwargs:
kwargs = {}
kwargs['categories__in'] = [category]
qs = self.published(check_language=check_language, language=language,
kwargs=kwargs)
if exclude:
qs = qs.exclude(pk=exclude.pk)
return qs[:limit]
| recent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, check_language=True, language=None, limit=3, exclude=None,\n kwargs=None, category=None):\n if category:\n if not kwargs:\n kwargs = {}\n kwargs['categories__in'] = [category]\n qs = self.published(check_language=check_language, language=language,\n kwargs=kwargs)\n if exclude:\n qs = qs.exclude(pk=exclude.pk)\n return qs[:limit]\n",
"role": "user"
},
{
"content": "recent",
"role": "assistant"
}
] |
def x(newsentry):
if newsentry.meta_description:
return newsentry.meta_description
text = newsentry.get_description()
if len(text) > 160:
return u'{}...'.format(text[:160])
return text
| get_newsentry_meta_description | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(newsentry):\n if newsentry.meta_description:\n return newsentry.meta_description\n text = newsentry.get_description()\n if len(text) > 160:\n return u'{}...'.format(text[:160])\n return text\n",
"role": "user"
},
{
"content": "get_newsentry_meta_description",
"role": "assistant"
}
] |
def x(context, obj, name=False, truncate=False):
warnings.warn(
'render_news_placeholder is deprecated. Use render_placeholder instead'
, DeprecationWarning, stacklevel=2)
result = ''
if context.get('request'):
if isinstance(name, int):
truncate = name
name = False
if name:
try:
result = safe(getattr(obj, name).render(context, None))
except AttributeError:
pass
else:
for name in ['excerpt', 'content']:
rendered = ''
try:
rendered = safe(getattr(obj, name).render(context, None))
except AttributeError:
pass
if rendered:
result = rendered
break
if truncate:
return truncatewords_html(result, truncate)
return result
| render_news_placeholder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, obj, name=False, truncate=False):\n warnings.warn(\n 'render_news_placeholder is deprecated. Use render_placeholder instead'\n , DeprecationWarning, stacklevel=2)\n result = ''\n if context.get('request'):\n if isinstance(name, int):\n truncate = name\n name = False\n if name:\n try:\n result = safe(getattr(obj, name).render(context, None))\n except AttributeError:\n pass\n else:\n for name in ['excerpt', 'content']:\n rendered = ''\n try:\n rendered = safe(getattr(obj, name).render(context, None))\n except AttributeError:\n pass\n if rendered:\n result = rendered\n break\n if truncate:\n return truncatewords_html(result, truncate)\n return result\n",
"role": "user"
},
{
"content": "render_news_placeholder",
"role": "assistant"
}
] |
def x(req):
if hasattr(req, 'marker') and req.marker:
marker_env = {'python_version': '.'.join(map(str, sys.version_info[
:2])), 'sys_platform': sys.platform}
if not req.marker.evaluate(environment=marker_env):
return False
return True
| requirement_filter_by_marker | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(req):\n if hasattr(req, 'marker') and req.marker:\n marker_env = {'python_version': '.'.join(map(str, sys.version_info[\n :2])), 'sys_platform': sys.platform}\n if not req.marker.evaluate(environment=marker_env):\n return False\n return True\n",
"role": "user"
},
{
"content": "requirement_filter_by_marker",
"role": "assistant"
}
] |
def x(req):
version_dep = None
version_comp = None
for dep in req.specs:
version = pkg_resources.parse_version(dep[1])
if dep[0] == '!=':
continue
if not version_dep or version < pkg_resources.parse_version(version_dep
):
version_dep = dep[1]
version_comp = dep[0]
assert version_dep is None and version_comp is None or version_dep is not None and version_comp is not None
return [x for x in (req.unsafe_name, version_comp, version_dep) if x is not
None]
| requirement_find_lowest_possible | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(req):\n version_dep = None\n version_comp = None\n for dep in req.specs:\n version = pkg_resources.parse_version(dep[1])\n if dep[0] == '!=':\n continue\n if not version_dep or version < pkg_resources.parse_version(version_dep\n ):\n version_dep = dep[1]\n version_comp = dep[0]\n assert version_dep is None and version_comp is None or version_dep is not None and version_comp is not None\n return [x for x in (req.unsafe_name, version_comp, version_dep) if x is not\n None]\n",
"role": "user"
},
{
"content": "requirement_find_lowest_possible",
"role": "assistant"
}
] |
def x(req_list):
filtered_req_list = (_requirement_find_lowest_possible(req) for req in
(pkg_resources.Requirement.parse(s) for s in req_list) if
_requirement_filter_by_marker(req))
return [' '.join(req) for req in filtered_req_list]
| requirements_sanitize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(req_list):\n filtered_req_list = (_requirement_find_lowest_possible(req) for req in\n (pkg_resources.Requirement.parse(s) for s in req_list) if\n _requirement_filter_by_marker(req))\n return [' '.join(req) for req in filtered_req_list]\n",
"role": "user"
},
{
"content": "requirements_sanitize",
"role": "assistant"
}
] |
def x(func):
if asyncio.iscoroutinefunction(func):
return func
else:
@asyncio.coroutine
def x(evt):
func(evt)
yield
return coroutine_function
| ensure_coroutine_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n if asyncio.iscoroutinefunction(func):\n return func\n else:\n\n @asyncio.coroutine\n def x(evt):\n func(evt)\n yield\n return coroutine_function\n",
"role": "user"
},
{
"content": "ensure_coroutine_function",
"role": "assistant"
}
] |
def x(self):
if self._location is None:
self._location = '{}/{}-{}'.format(self.stream, self.type, self.
sequence)
return self._location
| location | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._location is None:\n self._location = '{}/{}-{}'.format(self.stream, self.type, self.\n sequence)\n return self._location\n",
"role": "user"
},
{
"content": "location",
"role": "assistant"
}
] |
async def find_backwards(self, stream_name, predicate, predicate_label=
'predicate'):
"""Return first event matching predicate, or None if none exists.
Note: 'backwards', both here and in Event Store, means 'towards the
event emitted furthest in the past'.
"""
logger = self._logger.getChild(predicate_label)
logger.info('Fetching first matching event')
uri = self._head_uri
try:
page = await self._fetcher.fetch(uri)
except HttpNotFoundError as e:
raise StreamNotFoundError() from e
while True:
evt = next(page.iter_events_matching(predicate), None)
if evt is not None:
return evt
uri = page.get_link('next')
if uri is None:
logger.warning('No matching event found')
return None
page = await self._fetcher.fetch(uri)
| find_backwards | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def find_backwards(self, stream_name, predicate, predicate_label=\n 'predicate'):\n \"\"\"Return first event matching predicate, or None if none exists.\n\n Note: 'backwards', both here and in Event Store, means 'towards the\n event emitted furthest in the past'.\n \"\"\"\n logger = self._logger.getChild(predicate_label)\n logger.info('Fetching first matching event')\n uri = self._head_uri\n try:\n page = await self._fetcher.fetch(uri)\n except HttpNotFoundError as e:\n raise StreamNotFoundError() from e\n while True:\n evt = next(page.iter_events_matching(predicate), None)\n if evt is not None:\n return evt\n uri = page.get_link('next')\n if uri is None:\n logger.warning('No matching event found')\n return None\n page = await self._fetcher.fetch(uri)\n",
"role": "user"
},
{
"content": "find_backwards",
"role": "assistant"
}
] |
def x():
coloredlogs.install()
action = show_matching_entry
program_opts = dict(exclude_list=[])
show_opts = dict(filters=[], use_clipboard=is_clipboard_supported())
verbosity = 0
try:
options, arguments = getopt.gnu_getopt(sys.argv[1:], 'elnp:f:x:vqh',
['edit', 'list', 'no-clipboard', 'password-store=', 'filter=',
'exclude=', 'verbose', 'quiet', 'help'])
for option, value in options:
if option in ('-e', '--edit'):
action = edit_matching_entry
elif option in ('-l', '--list'):
action = list_matching_entries
elif option in ('-n', '--no-clipboard'):
show_opts['use_clipboard'] = False
elif option in ('-p', '--password-store'):
stores = program_opts.setdefault('stores', [])
stores.append(PasswordStore(directory=value))
elif option in ('-f', '--filter'):
show_opts['filters'].append(value)
elif option in ('-x', '--exclude'):
program_opts['exclude_list'].append(value)
elif option in ('-v', '--verbose'):
coloredlogs.increase_verbosity()
verbosity += 1
elif option in ('-q', '--quiet'):
coloredlogs.decrease_verbosity()
verbosity -= 1
elif option in ('-h', '--help'):
usage(__doc__)
return
else:
raise Exception('Unhandled option! (programming error)')
if not (arguments or action == list_matching_entries):
usage(__doc__)
return
except Exception as e:
warning('Error: %s', e)
sys.exit(1)
try:
show_opts['quiet'] = verbosity < 0
kw = show_opts if action == show_matching_entry else {}
action(QuickPass(**program_opts), arguments, **kw)
except PasswordStoreError as e:
logger.error('%s', e)
sys.exit(1)
except KeyboardInterrupt:
sys.exit(1)
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n coloredlogs.install()\n action = show_matching_entry\n program_opts = dict(exclude_list=[])\n show_opts = dict(filters=[], use_clipboard=is_clipboard_supported())\n verbosity = 0\n try:\n options, arguments = getopt.gnu_getopt(sys.argv[1:], 'elnp:f:x:vqh',\n ['edit', 'list', 'no-clipboard', 'password-store=', 'filter=',\n 'exclude=', 'verbose', 'quiet', 'help'])\n for option, value in options:\n if option in ('-e', '--edit'):\n action = edit_matching_entry\n elif option in ('-l', '--list'):\n action = list_matching_entries\n elif option in ('-n', '--no-clipboard'):\n show_opts['use_clipboard'] = False\n elif option in ('-p', '--password-store'):\n stores = program_opts.setdefault('stores', [])\n stores.append(PasswordStore(directory=value))\n elif option in ('-f', '--filter'):\n show_opts['filters'].append(value)\n elif option in ('-x', '--exclude'):\n program_opts['exclude_list'].append(value)\n elif option in ('-v', '--verbose'):\n coloredlogs.increase_verbosity()\n verbosity += 1\n elif option in ('-q', '--quiet'):\n coloredlogs.decrease_verbosity()\n verbosity -= 1\n elif option in ('-h', '--help'):\n usage(__doc__)\n return\n else:\n raise Exception('Unhandled option! (programming error)')\n if not (arguments or action == list_matching_entries):\n usage(__doc__)\n return\n except Exception as e:\n warning('Error: %s', e)\n sys.exit(1)\n try:\n show_opts['quiet'] = verbosity < 0\n kw = show_opts if action == show_matching_entry else {}\n action(QuickPass(**program_opts), arguments, **kw)\n except PasswordStoreError as e:\n logger.error('%s', e)\n sys.exit(1)\n except KeyboardInterrupt:\n sys.exit(1)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(program, arguments):
entry = program.select_entry(*arguments)
entry.context.execute('pass', 'edit', entry.name)
| edit_matching_entry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(program, arguments):\n entry = program.select_entry(*arguments)\n entry.context.execute('pass', 'edit', entry.name)\n",
"role": "user"
},
{
"content": "edit_matching_entry",
"role": "assistant"
}
] |
def x(program, arguments):
output('\n'.join(entry.name for entry in program.smart_search(*arguments)))
| list_matching_entries | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(program, arguments):\n output('\\n'.join(entry.name for entry in program.smart_search(*arguments)))\n",
"role": "user"
},
{
"content": "list_matching_entries",
"role": "assistant"
}
] |
def x(program, arguments, use_clipboard=True, quiet=False, filters=()):
entry = program.select_entry(*arguments)
if not quiet:
formatted_entry = entry.format_text(include_password=not
use_clipboard, filters=filters)
if formatted_entry and not formatted_entry.isspace():
output(formatted_entry)
if use_clipboard:
entry.copy_password()
| show_matching_entry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(program, arguments, use_clipboard=True, quiet=False, filters=()):\n entry = program.select_entry(*arguments)\n if not quiet:\n formatted_entry = entry.format_text(include_password=not\n use_clipboard, filters=filters)\n if formatted_entry and not formatted_entry.isspace():\n output(formatted_entry)\n if use_clipboard:\n entry.copy_password()\n",
"role": "user"
},
{
"content": "show_matching_entry",
"role": "assistant"
}
] |
def x(payflowpro_response_data):
def x(klass, unconsumed_data):
known_att_names_set = set(klass.base_fields.keys())
available_atts_set = known_att_names_set.intersection(unconsumed_data)
if available_atts_set:
available_atts = dict()
for name in available_atts_set:
available_atts[name] = unconsumed_data[name]
del unconsumed_data[name]
return klass(**available_atts)
return None
unconsumed_data = payflowpro_response_data.copy()
response = build_class(Response, unconsumed_data)
result_objects = [response]
for klass in object.__class__.__subclasses__(PayflowProObject):
obj = build_class(klass, unconsumed_data)
if obj:
result_objects.append(obj)
p_count = 1
payments = []
while 'p_result%d' % p_count in unconsumed_data:
payments.append(RecurringPayment(p_result=unconsumed_data.pop(
'p_result%d' % p_count, None), p_pnref=unconsumed_data.pop(
'p_pnref%d' % p_count, None), p_transtate=unconsumed_data.pop(
'p_transtate%d' % p_count, None), p_tender=unconsumed_data.pop(
'p_tender%d' % p_count, None), p_transtime=unconsumed_data.pop(
'p_transtime%d' % p_count, None), p_amt=unconsumed_data.pop(
'p_amt%d' % p_count, None)))
p_count += 1
if payments:
result_objects.append(RecurringPayments(payments=payments))
return result_objects, unconsumed_data
| parse_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(payflowpro_response_data):\n\n def x(klass, unconsumed_data):\n known_att_names_set = set(klass.base_fields.keys())\n available_atts_set = known_att_names_set.intersection(unconsumed_data)\n if available_atts_set:\n available_atts = dict()\n for name in available_atts_set:\n available_atts[name] = unconsumed_data[name]\n del unconsumed_data[name]\n return klass(**available_atts)\n return None\n unconsumed_data = payflowpro_response_data.copy()\n response = build_class(Response, unconsumed_data)\n result_objects = [response]\n for klass in object.__class__.__subclasses__(PayflowProObject):\n obj = build_class(klass, unconsumed_data)\n if obj:\n result_objects.append(obj)\n p_count = 1\n payments = []\n while 'p_result%d' % p_count in unconsumed_data:\n payments.append(RecurringPayment(p_result=unconsumed_data.pop(\n 'p_result%d' % p_count, None), p_pnref=unconsumed_data.pop(\n 'p_pnref%d' % p_count, None), p_transtate=unconsumed_data.pop(\n 'p_transtate%d' % p_count, None), p_tender=unconsumed_data.pop(\n 'p_tender%d' % p_count, None), p_transtime=unconsumed_data.pop(\n 'p_transtime%d' % p_count, None), p_amt=unconsumed_data.pop(\n 'p_amt%d' % p_count, None)))\n p_count += 1\n if payments:\n result_objects.append(RecurringPayments(payments=payments))\n return result_objects, unconsumed_data\n",
"role": "user"
},
{
"content": "parse_parameters",
"role": "assistant"
}
] |
def x():
import xml.dom.minidom
implementation = xml.dom.minidom.getDOMImplementation()
doctype = implementation.createDocumentType('svg',
'-//W3C//DTD SVG 1.1//EN',
'http://www.w3.org/Graphics/SVG/1.1/DTD/svg11.dtd')
document = implementation.createDocument(None, 'svg', doctype)
document.documentElement.setAttribute('xmlns', 'http://www.w3.org/2000/svg'
)
return document
| SVGdocument | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import xml.dom.minidom\n implementation = xml.dom.minidom.getDOMImplementation()\n doctype = implementation.createDocumentType('svg',\n '-//W3C//DTD SVG 1.1//EN',\n 'http://www.w3.org/Graphics/SVG/1.1/DTD/svg11.dtd')\n document = implementation.createDocument(None, 'svg', doctype)\n document.documentElement.setAttribute('xmlns', 'http://www.w3.org/2000/svg'\n )\n return document\n",
"role": "user"
},
{
"content": "SVGdocument",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.