source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, mid, pid, op): url_add = uri + '/playlist/manipulate/tracks' trackIds = '["' + str(mid) + '"]' data_add = {'tracks': str(mid), 'pid': str(pid), 'trackIds': trackIds, 'op': op} data = self.request('POST', url_add, data_add) code = data.get('code') if code == 200: return 1 elif code == 502: return -1 else: return 0
op_music_to_playlist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mid, pid, op):\n url_add = uri + '/playlist/manipulate/tracks'\n trackIds = '[\"' + str(mid) + '\"]'\n data_add = {'tracks': str(mid), 'pid': str(pid), 'trackIds': trackIds,\n 'op': op}\n data = self.request('POST', url_add, data_add)\n code = data.get('code')\n if code == 200:\n return 1\n elif code == 502:\n return -1\n else:\n return 0\n", "role": "user" }, { "content": "op_music_to_playlist", "role": "assistant" } ]
def x(self, mvid): url = uri + '/mv/detail?id=' + str(mvid) return self.request('GET', url)
get_mv_detail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mvid):\n url = uri + '/mv/detail?id=' + str(mvid)\n return self.request('GET', url)\n", "role": "user" }, { "content": "get_mv_detail", "role": "assistant" } ]
def x(self, mid): url = uri + '/song/lyric?' + 'id=' + str(mid) + '&lv=1&kv=1&tv=-1' return self.request('GET', url)
get_lyric_by_songid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mid):\n url = uri + '/song/lyric?' + 'id=' + str(mid) + '&lv=1&kv=1&tv=-1'\n return self.request('GET', url)\n", "role": "user" }, { "content": "get_lyric_by_songid", "role": "assistant" } ]
def x(root_dir, schema, index_name): index_dir = os.path.join(root_dir, index_name) try: if not os.path.exists(index_dir): os.makedirs(index_dir) return create_in(index_dir, schema), index_dir else: return open_dir(index_dir), index_dir except Exception as e: logger.error("Init error: failed to open search index at: '{}': {} " .format(index_dir, e)) raise
init_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(root_dir, schema, index_name):\n index_dir = os.path.join(root_dir, index_name)\n try:\n if not os.path.exists(index_dir):\n os.makedirs(index_dir)\n return create_in(index_dir, schema), index_dir\n else:\n return open_dir(index_dir), index_dir\n except Exception as e:\n logger.error(\"Init error: failed to open search index at: '{}': {} \"\n .format(index_dir, e))\n raise\n", "role": "user" }, { "content": "init_index", "role": "assistant" } ]
def x(self): if os.path.exists(self.index_dir): rmtree(self.index_dir) self.index = None
reset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if os.path.exists(self.index_dir):\n rmtree(self.index_dir)\n self.index = None\n", "role": "user" }, { "content": "reset", "role": "assistant" } ]
def x(self): datasets = [] for dataset in self.index.searcher().documents(): res = DatasetSearchResult() res.vid = dataset['vid'] res.b_score = 1 datasets.append(res) return datasets
all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n datasets = []\n for dataset in self.index.searcher().documents():\n res = DatasetSearchResult()\n res.vid = dataset['vid']\n res.b_score = 1\n datasets.append(res)\n return datasets\n", "role": "user" }, { "content": "all", "role": "assistant" } ]
def x(self, search_phrase, limit=None): query_string = self._make_query_from_terms(search_phrase) self._parsed_query = query_string schema = self._get_generic_schema() parser = QueryParser('doc', schema=schema) query = parser.parse(query_string) datasets = defaultdict(DatasetSearchResult) logger.debug('Searching datasets using `{}` query.'.format(query)) with self.index.searcher() as searcher: results = searcher.search(query, limit=limit) for hit in results: vid = hit['vid'] datasets[vid].vid = hit['vid'] datasets[vid].b_score += hit.score logger.debug('Extending datasets with partitions.') for partition in self.backend.partition_index.search(search_phrase): datasets[partition.dataset_vid].p_score += partition.score datasets[partition.dataset_vid].partitions.add(partition) return list(datasets.values())
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, search_phrase, limit=None):\n query_string = self._make_query_from_terms(search_phrase)\n self._parsed_query = query_string\n schema = self._get_generic_schema()\n parser = QueryParser('doc', schema=schema)\n query = parser.parse(query_string)\n datasets = defaultdict(DatasetSearchResult)\n logger.debug('Searching datasets using `{}` query.'.format(query))\n with self.index.searcher() as searcher:\n results = searcher.search(query, limit=limit)\n for hit in results:\n vid = hit['vid']\n datasets[vid].vid = hit['vid']\n datasets[vid].b_score += hit.score\n logger.debug('Extending datasets with partitions.')\n for partition in self.backend.partition_index.search(search_phrase):\n datasets[partition.dataset_vid].p_score += partition.score\n datasets[partition.dataset_vid].partitions.add(partition)\n return list(datasets.values())\n", "role": "user" }, { "content": "search", "role": "assistant" } ]
def x(self, terms): expanded_terms = self._expand_terms(terms) cterms = '' if expanded_terms['doc']: cterms = self.backend._and_join(expanded_terms['doc']) if expanded_terms['keywords']: if cterms: cterms = self.backend._and_join(cterms, self.backend. _join_keywords(expanded_terms['keywords'])) else: cterms = self.backend._join_keywords(expanded_terms['keywords']) logger.debug( 'Dataset terms conversion: `{}` terms converted to `{}` query.'. format(terms, cterms)) return cterms
make_query_from_terms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, terms):\n expanded_terms = self._expand_terms(terms)\n cterms = ''\n if expanded_terms['doc']:\n cterms = self.backend._and_join(expanded_terms['doc'])\n if expanded_terms['keywords']:\n if cterms:\n cterms = self.backend._and_join(cterms, self.backend.\n _join_keywords(expanded_terms['keywords']))\n else:\n cterms = self.backend._join_keywords(expanded_terms['keywords'])\n logger.debug(\n 'Dataset terms conversion: `{}` terms converted to `{}` query.'.\n format(terms, cterms))\n return cterms\n", "role": "user" }, { "content": "make_query_from_terms", "role": "assistant" } ]
def x(self): schema = Schema(vid=ID(stored=True, unique=True), title=NGRAMWORDS(), keywords=KEYWORD, doc=TEXT) return schema
get_generic_schema
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n schema = Schema(vid=ID(stored=True, unique=True), title=NGRAMWORDS(),\n keywords=KEYWORD, doc=TEXT)\n return schema\n", "role": "user" }, { "content": "get_generic_schema", "role": "assistant" } ]
def x(self, vid=None): assert vid is not None, 'vid argument can not be None.' writer = self.index.writer() writer.delete_by_term('vid', vid) writer.commit()
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vid=None):\n assert vid is not None, 'vid argument can not be None.'\n writer = self.index.writer()\n writer.delete_by_term('vid', vid)\n writer.commit()\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(self, dataset): with self.index.searcher() as searcher: result = searcher.search(Term('vid', dataset.vid)) return bool(result)
is_indexed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dataset):\n with self.index.searcher() as searcher:\n result = searcher.search(Term('vid', dataset.vid))\n return bool(result)\n", "role": "user" }, { "content": "is_indexed", "role": "assistant" } ]
def x(self, search_phrase, limit=None): self._parsed_query = search_phrase schema = self._get_generic_schema() parser = QueryParser('name', schema=schema) query = parser.parse(search_phrase) class PosSizeWeighting(scoring.WeightingModel): def x(self, searcher, fieldname, text, qf=1): return self.PosSizeScorer(searcher, fieldname, text, qf=qf) class PosSizeScorer(scoring.BaseScorer): def x(self, searcher, fieldname, text, qf=1): self.searcher = searcher self.fieldname = fieldname self.text = text self.qf = qf self.bmf25 = scoring.BM25F() def x(self): return 40 def x(self, matcher): poses = matcher.value_as('positions') return 2.0 / (poses[0] + 1) + 1.0 / (len(self.text) / 4 + 1 ) + self.bmf25.scorer(searcher, self.fieldname, self.text ).score(matcher) with self.index.searcher(weighting=PosSizeWeighting()) as searcher: results = searcher.search(query, limit=limit) for hit in results: vid = hit['identifier'] yield IdentifierSearchResult(score=hit.score, vid=vid, type=hit .get('type', False), name=hit.get('name', ''))
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, search_phrase, limit=None):\n self._parsed_query = search_phrase\n schema = self._get_generic_schema()\n parser = QueryParser('name', schema=schema)\n query = parser.parse(search_phrase)\n\n\n class PosSizeWeighting(scoring.WeightingModel):\n\n def x(self, searcher, fieldname, text, qf=1):\n return self.PosSizeScorer(searcher, fieldname, text, qf=qf)\n\n\n class PosSizeScorer(scoring.BaseScorer):\n\n def x(self, searcher, fieldname, text, qf=1):\n self.searcher = searcher\n self.fieldname = fieldname\n self.text = text\n self.qf = qf\n self.bmf25 = scoring.BM25F()\n\n def x(self):\n return 40\n\n def x(self, matcher):\n poses = matcher.value_as('positions')\n return 2.0 / (poses[0] + 1) + 1.0 / (len(self.text) / 4 + 1\n ) + self.bmf25.scorer(searcher, self.fieldname, self.text\n ).score(matcher)\n with self.index.searcher(weighting=PosSizeWeighting()) as searcher:\n results = searcher.search(query, limit=limit)\n for hit in results:\n vid = hit['identifier']\n yield IdentifierSearchResult(score=hit.score, vid=vid, type=hit\n .get('type', False), name=hit.get('name', ''))\n", "role": "user" }, { "content": "search", "role": "assistant" } ]
def x(self, identifier, force=False): writer = self.index.writer() all_names = set([x['name'] for x in self.index.searcher().documents()]) if identifier['name'] not in all_names: writer.add_document(**identifier) writer.commit()
index_document
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, identifier, force=False):\n writer = self.index.writer()\n all_names = set([x['name'] for x in self.index.searcher().documents()])\n if identifier['name'] not in all_names:\n writer.add_document(**identifier)\n writer.commit()\n", "role": "user" }, { "content": "index_document", "role": "assistant" } ]
def x(self): schema = Schema(identifier=ID(stored=True), type=ID(stored=True), name= NGRAM(phrase=True, stored=True, minsize=2, maxsize=8)) return schema
get_generic_schema
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n schema = Schema(identifier=ID(stored=True), type=ID(stored=True), name=\n NGRAM(phrase=True, stored=True, minsize=2, maxsize=8))\n return schema\n", "role": "user" }, { "content": "get_generic_schema", "role": "assistant" } ]
def x(self, identifier=None): assert identifier is not None, 'identifier argument can not be None.' writer = self.index.writer() writer.delete_by_term('identifier', identifier) writer.commit()
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, identifier=None):\n assert identifier is not None, 'identifier argument can not be None.'\n writer = self.index.writer()\n writer.delete_by_term('identifier', identifier)\n writer.commit()\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(self, identifier): with self.index.searcher() as searcher: result = searcher.search(Term('identifier', identifier['identifier'])) return bool(result)
is_indexed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, identifier):\n with self.index.searcher() as searcher:\n result = searcher.search(Term('identifier', identifier['identifier']))\n return bool(result)\n", "role": "user" }, { "content": "is_indexed", "role": "assistant" } ]
def x(self): partitions = [] for partition in self.index.searcher().documents(): partitions.append(PartitionSearchResult(dataset_vid=partition[ 'dataset_vid'], vid=partition['vid'], score=1)) return partitions
all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n partitions = []\n for partition in self.index.searcher().documents():\n partitions.append(PartitionSearchResult(dataset_vid=partition[\n 'dataset_vid'], vid=partition['vid'], score=1))\n return partitions\n", "role": "user" }, { "content": "all", "role": "assistant" } ]
def x(self, search_phrase, limit=None): query_string = self._make_query_from_terms(search_phrase) self._parsed_query = query_string schema = self._get_generic_schema() parser = QueryParser('doc', schema=schema) query = parser.parse(query_string) logger.debug('Searching partitions using `{}` query.'.format(query)) with self.index.searcher() as searcher: results = searcher.search(query, limit=limit) for hit in results: yield PartitionSearchResult(vid=hit['vid'], dataset_vid=hit[ 'dataset_vid'], score=hit.score)
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, search_phrase, limit=None):\n query_string = self._make_query_from_terms(search_phrase)\n self._parsed_query = query_string\n schema = self._get_generic_schema()\n parser = QueryParser('doc', schema=schema)\n query = parser.parse(query_string)\n logger.debug('Searching partitions using `{}` query.'.format(query))\n with self.index.searcher() as searcher:\n results = searcher.search(query, limit=limit)\n for hit in results:\n yield PartitionSearchResult(vid=hit['vid'], dataset_vid=hit[\n 'dataset_vid'], score=hit.score)\n", "role": "user" }, { "content": "search", "role": "assistant" } ]
def x(self, terms): expanded_terms = self._expand_terms(terms) cterms = '' if expanded_terms['doc']: cterms = self.backend._or_join(expanded_terms['doc']) keywords = expanded_terms['keywords'] frm_to = self._from_to_as_term(expanded_terms['from'], expanded_terms['to'] ) if frm_to: keywords.append(frm_to) if keywords: if cterms: cterms = self.backend._and_join([cterms, self.backend. _field_term('keywords', expanded_terms['keywords'])]) else: cterms = self.backend._field_term('keywords', expanded_terms[ 'keywords']) logger.debug( 'partition terms conversion: `{}` terms converted to `{}` query.'. format(terms, cterms)) return cterms
make_query_from_terms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, terms):\n expanded_terms = self._expand_terms(terms)\n cterms = ''\n if expanded_terms['doc']:\n cterms = self.backend._or_join(expanded_terms['doc'])\n keywords = expanded_terms['keywords']\n frm_to = self._from_to_as_term(expanded_terms['from'], expanded_terms['to']\n )\n if frm_to:\n keywords.append(frm_to)\n if keywords:\n if cterms:\n cterms = self.backend._and_join([cterms, self.backend.\n _field_term('keywords', expanded_terms['keywords'])])\n else:\n cterms = self.backend._field_term('keywords', expanded_terms[\n 'keywords'])\n logger.debug(\n 'partition terms conversion: `{}` terms converted to `{}` query.'.\n format(terms, cterms))\n return cterms\n", "role": "user" }, { "content": "make_query_from_terms", "role": "assistant" } ]
def x(self, frm, to): from_year = '' to_year = '' def x(prefix, year, suffix): try: return prefix + str(int(year)) + suffix except (ValueError, TypeError): return '' if frm: from_year = year_or_empty('', frm, ' ') if to: to_year = year_or_empty(' ', to, '') if bool(from_year) or bool(to_year): return '[{}TO{}]'.format(from_year, to_year) else: return None
from_to_as_term
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, frm, to):\n from_year = ''\n to_year = ''\n\n def x(prefix, year, suffix):\n try:\n return prefix + str(int(year)) + suffix\n except (ValueError, TypeError):\n return ''\n if frm:\n from_year = year_or_empty('', frm, ' ')\n if to:\n to_year = year_or_empty(' ', to, '')\n if bool(from_year) or bool(to_year):\n return '[{}TO{}]'.format(from_year, to_year)\n else:\n return None\n", "role": "user" }, { "content": "from_to_as_term", "role": "assistant" } ]
def x(self, document, force=False): if force: self._delete(vid=document['vid']) writer = self.index.writer() writer.add_document(**document) writer.commit()
index_document
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, document, force=False):\n if force:\n self._delete(vid=document['vid'])\n writer = self.index.writer()\n writer.add_document(**document)\n writer.commit()\n", "role": "user" }, { "content": "index_document", "role": "assistant" } ]
def x(self, _): c = SimSymbolicDbgMemory(mem=self.mem.branch(), memory_id=self.id, endness=self.endness, abstract_backer=self._abstract_backer, read_strategies=[s.copy() for s in self.read_strategies], write_strategies=[s.copy() for s in self.write_strategies], stack_region_map=self._stack_region_map, generic_region_map=self. _generic_region_map) return c
copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, _):\n c = SimSymbolicDbgMemory(mem=self.mem.branch(), memory_id=self.id,\n endness=self.endness, abstract_backer=self._abstract_backer,\n read_strategies=[s.copy() for s in self.read_strategies],\n write_strategies=[s.copy() for s in self.write_strategies],\n stack_region_map=self._stack_region_map, generic_region_map=self.\n _generic_region_map)\n return c\n", "role": "user" }, { "content": "copy", "role": "assistant" } ]
def x(self): from ambry.orm.exc import NotFoundError if not hasattr(self, 'partition'): return None if not self.name: return None try: try: return self.partition.column(self.name) except AttributeError: return self.partition.table.column(self.name) except NotFoundError: return None
column
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from ambry.orm.exc import NotFoundError\n if not hasattr(self, 'partition'):\n return None\n if not self.name:\n return None\n try:\n try:\n return self.partition.column(self.name)\n except AttributeError:\n return self.partition.table.column(self.name)\n except NotFoundError:\n return None\n", "role": "user" }, { "content": "column", "role": "assistant" } ]
def x(progname, address=None, proto=None, facility=None, fmt=None, datefmt= None, **_): builder = SyslogHandlerBuilder(progname, address=address, proto=proto, facility=facility, fmt=fmt, datefmt=datefmt) return builder.get_handler()
get_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(progname, address=None, proto=None, facility=None, fmt=None, datefmt=\n None, **_):\n builder = SyslogHandlerBuilder(progname, address=address, proto=proto,\n facility=facility, fmt=fmt, datefmt=datefmt)\n return builder.get_handler()\n", "role": "user" }, { "content": "get_handler", "role": "assistant" } ]
def x(self, repository_type): allowed_values = ['MAVEN', 'NPM', 'COCOA_POD', 'GENERIC_PROXY'] if repository_type not in allowed_values: raise ValueError( 'Invalid value for `repository_type` ({0}), must be one of {1}' .format(repository_type, allowed_values)) self._repository_type = repository_type
repository_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, repository_type):\n allowed_values = ['MAVEN', 'NPM', 'COCOA_POD', 'GENERIC_PROXY']\n if repository_type not in allowed_values:\n raise ValueError(\n 'Invalid value for `repository_type` ({0}), must be one of {1}'\n .format(repository_type, allowed_values))\n self._repository_type = repository_type\n", "role": "user" }, { "content": "repository_type", "role": "assistant" } ]
def x(inqueue, outqueue, initializer=None, initargs=(), maxtasks=None): from ambry.library import new_library from ambry.run import get_runconfig import traceback assert maxtasks is None or type(maxtasks) == int and maxtasks > 0 put = outqueue.put get = inqueue.get if hasattr(inqueue, '_writer'): inqueue._writer.close() outqueue._reader.close() if initializer is not None: initializer(*initargs) try: task = get() except (EOFError, IOError): debug('worker got EOFError or IOError -- exiting') return if task is None: debug('worker got sentinel -- exiting') return job, i, func, args, kwds = task mp_func = args[0][0] mp_args = list(args[0][1][0]) library = new_library(get_runconfig()) library.database.close() library.init_debug() bundle_vid = mp_args[0] try: b = library.bundle(bundle_vid) library.logger = b.logger b = b.cast_to_subclass() b.multi = True b.is_subprocess = True b.limited_run = bool(int(os.getenv('AMBRY_LIMITED_RUN', 0))) assert b._progress == None mp_args[0] = b result = True, [mp_func(*mp_args)] except Exception as e: import traceback tb = traceback.format_exc() b.error('Subprocess {} raised an exception: {}'.format(os.getpid(), e.message), False) b.error(tb, False) result = False, e assert result b.progress.close() library.close() try: put((job, i, result)) except Exception as e: wrapped = MaybeEncodingError(e, result[1]) debug('Possible encoding error while sending result: %s' % wrapped) put((job, i, (False, wrapped)))
worker
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inqueue, outqueue, initializer=None, initargs=(), maxtasks=None):\n from ambry.library import new_library\n from ambry.run import get_runconfig\n import traceback\n assert maxtasks is None or type(maxtasks) == int and maxtasks > 0\n put = outqueue.put\n get = inqueue.get\n if hasattr(inqueue, '_writer'):\n inqueue._writer.close()\n outqueue._reader.close()\n if initializer is not None:\n initializer(*initargs)\n try:\n task = get()\n except (EOFError, IOError):\n debug('worker got EOFError or IOError -- exiting')\n return\n if task is None:\n debug('worker got sentinel -- exiting')\n return\n job, i, func, args, kwds = task\n mp_func = args[0][0]\n mp_args = list(args[0][1][0])\n library = new_library(get_runconfig())\n library.database.close()\n library.init_debug()\n bundle_vid = mp_args[0]\n try:\n b = library.bundle(bundle_vid)\n library.logger = b.logger\n b = b.cast_to_subclass()\n b.multi = True\n b.is_subprocess = True\n b.limited_run = bool(int(os.getenv('AMBRY_LIMITED_RUN', 0)))\n assert b._progress == None\n mp_args[0] = b\n result = True, [mp_func(*mp_args)]\n except Exception as e:\n import traceback\n tb = traceback.format_exc()\n b.error('Subprocess {} raised an exception: {}'.format(os.getpid(),\n e.message), False)\n b.error(tb, False)\n result = False, e\n assert result\n b.progress.close()\n library.close()\n try:\n put((job, i, result))\n except Exception as e:\n wrapped = MaybeEncodingError(e, result[1])\n debug('Possible encoding error while sending result: %s' % wrapped)\n put((job, i, (False, wrapped)))\n", "role": "user" }, { "content": "worker", "role": "assistant" } ]
def x(database_dsn, accounts_password, limited_run=False): import os import signal signal.signal(signal.SIGINT, signal.SIG_IGN) os.environ['AMBRY_DB'] = database_dsn if accounts_password: os.environ['AMBRY_PASSWORD'] = accounts_password os.environ['AMBRY_LIMITED_RUN'] = '1' if limited_run else '0'
init_library
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(database_dsn, accounts_password, limited_run=False):\n import os\n import signal\n signal.signal(signal.SIGINT, signal.SIG_IGN)\n os.environ['AMBRY_DB'] = database_dsn\n if accounts_password:\n os.environ['AMBRY_PASSWORD'] = accounts_password\n os.environ['AMBRY_LIMITED_RUN'] = '1' if limited_run else '0'\n", "role": "user" }, { "content": "init_library", "role": "assistant" } ]
def x(b, stage, source_name, force): source = b.source(source_name) with b.progress.start('build_mp', stage, message='MP build', source=source ) as ps: ps.add(message='Running source {}'.format(source.name), source= source, state='running') r = b.build_source(stage, source, ps, force) return r
build_mp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(b, stage, source_name, force):\n source = b.source(source_name)\n with b.progress.start('build_mp', stage, message='MP build', source=source\n ) as ps:\n ps.add(message='Running source {}'.format(source.name), source=\n source, state='running')\n r = b.build_source(stage, source, ps, force)\n return r\n", "role": "user" }, { "content": "build_mp", "role": "assistant" } ]
def x(b, partition_name): with b.progress.start('coalesce_mp', 0, message='MP coalesce {}'.format (partition_name)) as ps: r = b.unify_partition(partition_name, None, ps) return r
unify_mp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(b, partition_name):\n with b.progress.start('coalesce_mp', 0, message='MP coalesce {}'.format\n (partition_name)) as ps:\n r = b.unify_partition(partition_name, None, ps)\n return r\n", "role": "user" }, { "content": "unify_mp", "role": "assistant" } ]
def x(b, stage, source_name, clean_files): source = b.source(source_name) with b.progress.start('ingest_mp', 0, message='MP ingestion', source=source ) as ps: r = b._ingest_source(source, ps, clean_files) return r
ingest_mp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(b, stage, source_name, clean_files):\n source = b.source(source_name)\n with b.progress.start('ingest_mp', 0, message='MP ingestion', source=source\n ) as ps:\n r = b._ingest_source(source, ps, clean_files)\n return r\n", "role": "user" }, { "content": "ingest_mp", "role": "assistant" } ]
def x(self): for i in range(self._processes - len(self._pool)): w = self.Process(target=self._worker_f, args=(self._inqueue, self. _outqueue, self._initializer, self._initargs, self. _maxtasksperchild)) self._pool.append(w) w.name = w.name.replace('Process', 'PoolWorker') w.daemon = True w.start() debug('added worker')
repopulate_pool
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for i in range(self._processes - len(self._pool)):\n w = self.Process(target=self._worker_f, args=(self._inqueue, self.\n _outqueue, self._initializer, self._initargs, self.\n _maxtasksperchild))\n self._pool.append(w)\n w.name = w.name.replace('Process', 'PoolWorker')\n w.daemon = True\n w.start()\n debug('added worker')\n", "role": "user" }, { "content": "repopulate_pool", "role": "assistant" } ]
def x(self, name, args, mkdir=True): from os.path import normpath from ambry.dbexceptions import ConfigurationError root = p = self._config.filesystem[name].format(root=self._root) if args: args = [e.strip() for e in args] p = join(p, *args) if not isdir(p) and mkdir: makedirs(p) p = normpath(p) if not p.startswith(root): raise ConfigurationError( "Path for name='{}', args={} resolved outside of define filesystem root" .format(name, args)) return p
compose
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, args, mkdir=True):\n from os.path import normpath\n from ambry.dbexceptions import ConfigurationError\n root = p = self._config.filesystem[name].format(root=self._root)\n if args:\n args = [e.strip() for e in args]\n p = join(p, *args)\n if not isdir(p) and mkdir:\n makedirs(p)\n p = normpath(p)\n if not p.startswith(root):\n raise ConfigurationError(\n \"Path for name='{}', args={} resolved outside of define filesystem root\"\n .format(name, args))\n return p\n", "role": "user" }, { "content": "compose", "role": "assistant" } ]
def x(self, name, *args): return self._compose(name, args, mkdir=False)
compose
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, *args):\n return self._compose(name, args, mkdir=False)\n", "role": "user" }, { "content": "compose", "role": "assistant" } ]
def x(self): if not self._config.library.database: return 'sqlite:///{root}/library.db'.format(root=self._root) return self._config.library.database.format(root=self._root)
database_dsn
[ { "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._config.library.database:\n return 'sqlite:///{root}/library.db'.format(root=self._root)\n return self._config.library.database.format(root=self._root)\n", "role": "user" }, { "content": "database_dsn", "role": "assistant" } ]
def x(table, headers): header_parts = {} for i, h in enumerate(headers): header_parts[h] = 'row[{}]'.format(i) body_code = 'lambda row: [{}]'.format(','.join(header_parts.get(c.name, 'None') for c in table.columns)) header_code = 'lambda row: [{}]'.format(','.join(header_parts.get(c. name, "'{}'".format(c.name)) for c in table.columns)) return eval(header_code), eval(body_code)
make_table_map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(table, headers):\n header_parts = {}\n for i, h in enumerate(headers):\n header_parts[h] = 'row[{}]'.format(i)\n body_code = 'lambda row: [{}]'.format(','.join(header_parts.get(c.name,\n 'None') for c in table.columns))\n header_code = 'lambda row: [{}]'.format(','.join(header_parts.get(c.\n name, \"'{}'\".format(c.name)) for c in table.columns))\n return eval(header_code), eval(body_code)\n", "role": "user" }, { "content": "make_table_map", "role": "assistant" } ]
def x(pl, head_pipe=None, tail_pipe=None): for k, v in iteritems(pl): if v and len(v) > 0: if head_pipe and k != 'source': v.insert(0, head_pipe) if tail_pipe: v.append(tail_pipe)
augment_pipeline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pl, head_pipe=None, tail_pipe=None):\n for k, v in iteritems(pl):\n if v and len(v) > 0:\n if head_pipe and k != 'source':\n v.insert(0, head_pipe)\n if tail_pipe:\n v.append(tail_pipe)\n", "role": "user" }, { "content": "augment_pipeline", "role": "assistant" } ]
def x(s): from six import text_type, binary_type if isinstance(s, text_type): ascii_ = s.encode('ascii', 'ignore') elif isinstance(s, binary_type): ascii_ = s.decode('utf-8').encode('ascii', 'ignore') else: raise Exception('Unknown text type - {}'.format(type(s))) return ascii_
to_ascii
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n from six import text_type, binary_type\n if isinstance(s, text_type):\n ascii_ = s.encode('ascii', 'ignore')\n elif isinstance(s, binary_type):\n ascii_ = s.decode('utf-8').encode('ascii', 'ignore')\n else:\n raise Exception('Unknown text type - {}'.format(type(s)))\n return ascii_\n", "role": "user" }, { "content": "to_ascii", "role": "assistant" } ]
def x(self): from time import time return self.i, round(float(self.i) / float(time() - self._start_time), 2)
report_progress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from time import time\n return self.i, round(float(self.i) / float(time() - self._start_time), 2)\n", "role": "user" }, { "content": "report_progress", "role": "assistant" } ]
def x(v): parts = v.split(',') slices = [] for part in parts: p = part.split(':') if len(p) == 1: slices.append(int(p[0])) elif len(p) == 2: slices.append(tuple(p)) else: raise ValueError("Too many ':': {}".format(part)) return slices
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v):\n parts = v.split(',')\n slices = []\n for part in parts:\n p = part.split(':')\n if len(p) == 1:\n slices.append(int(p[0]))\n elif len(p) == 2:\n slices.append(tuple(p))\n else:\n raise ValueError(\"Too many ':': {}\".format(part))\n return slices\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(self, headers): return [c.name for c in self.source.dest_table.columns][1:]
process_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, headers):\n return [c.name for c in self.source.dest_table.columns][1:]\n", "role": "user" }, { "content": "process_header", "role": "assistant" } ]
def x(self, i, n): from ambry.orm import Column if not n: return 'column{}'.format(i) mn = Column.mangle_name(str(n).strip()) return mn
mangle_column_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, i, n):\n from ambry.orm import Column\n if not n:\n return 'column{}'.format(i)\n mn = Column.mangle_name(str(n).strip())\n return mn\n", "role": "user" }, { "content": "mangle_column_name", "role": "assistant" } ]
def x(self): from itertools import chain def x(v): try: return int(v) except ValueError: return None if not self.initialized: self.data_start_line = 1 self.data_end_line = None self.header_lines = [0] if self.source.start_line: self.data_start_line = self.source.start_line if self.source.end_line: self.data_end_line = self.source.end_line if self.source.header_lines: self.header_lines = list(map(maybe_int, self.source.header_lines)) if self.source.comment_lines: self.header_comment_lines = list(map(maybe_int, self.source. comment_lines)) max_header_line = max(chain(self.header_comment_lines, self. header_lines)) if self.data_start_line <= max_header_line: self.data_start_line = max_header_line + 1 if not self.header_comment_lines: min_header_line = min(chain(self.header_lines)) if min_header_line: self.header_comment_lines = list(range(0, min_header_line)) self.headers = [] self.header_comments = [] self.footers = [] self.initialized = True self.i = 0
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from itertools import chain\n\n def x(v):\n try:\n return int(v)\n except ValueError:\n return None\n if not self.initialized:\n self.data_start_line = 1\n self.data_end_line = None\n self.header_lines = [0]\n if self.source.start_line:\n self.data_start_line = self.source.start_line\n if self.source.end_line:\n self.data_end_line = self.source.end_line\n if self.source.header_lines:\n self.header_lines = list(map(maybe_int, self.source.header_lines))\n if self.source.comment_lines:\n self.header_comment_lines = list(map(maybe_int, self.source.\n comment_lines))\n max_header_line = max(chain(self.header_comment_lines, self.\n header_lines))\n if self.data_start_line <= max_header_line:\n self.data_start_line = max_header_line + 1\n if not self.header_comment_lines:\n min_header_line = min(chain(self.header_lines))\n if min_header_line:\n self.header_comment_lines = list(range(0, min_header_line))\n self.headers = []\n self.header_comments = []\n self.footers = []\n self.initialized = True\n self.i = 0\n", "role": "user" }, { "content": "init", "role": "assistant" } ]
def x(self): end = self._end_time if self._end_time else time.time() return self._count / (end - self._start_time)
rate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n end = self._end_time if self._end_time else time.time()\n return self._count / (end - self._start_time)\n", "role": "user" }, { "content": "rate", "role": "assistant" } ]
def x(self, subset): pl = Pipeline(bundle=self.bundle) for group_name, pl_segment in iteritems(self): if group_name not in subset: continue pl[group_name] = pl_segment return pl
subset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subset):\n pl = Pipeline(bundle=self.bundle)\n for group_name, pl_segment in iteritems(self):\n if group_name not in subset:\n continue\n pl[group_name] = pl_segment\n return pl\n", "role": "user" }, { "content": "subset", "role": "assistant" } ]
def x(self, pipe_config): import ambry.etl import sys eval_locals = dict(list(locals().items()) + list(ambry.etl.__dict__. items()) + list(sys.modules['ambry.build'].__dict__.items())) replacements = {} def x(pipe): if isinstance(pipe, string_types): try: return eval(pipe, {}, eval_locals) except SyntaxError as e: raise SyntaxError( "SyntaxError while parsing pipe '{}' from metadata: {}" .format(pipe, e)) else: return pipe def x(pipe): if not isinstance(pipe, string_types): return None elif pipe[0] in '+-$!': return pipe[0] else: return None for segment_name, pipes in list(pipe_config.items()): if segment_name == 'final': super(Pipeline, self).__setattr__('final', pipes) elif segment_name == 'replace': for frm, to in iteritems(pipes): self.replace(eval_pipe(frm), eval_pipe(to)) elif not any(bool(pipe_location(pipe)) for pipe in pipes): self[segment_name] = [eval_pipe(pipe) for pipe in pipes] else: for i, pipe in enumerate(pipes): if pipe_location(pipe): location = pipe_location(pipe) pipe = pipe[1:] else: raise PipelineError( 'If any pipes in a section have a location command, they all must Segment: {} pipes: {}' .format(segment_name, pipes)) ep = eval_pipe(pipe) if location == '+': self[segment_name].append(ep) elif location == '-': self[segment_name].prepend(ep) elif location == '!': if isinstance(ep, type): repl_class = ep else: repl_class = ep.__class__ self.replace(repl_class, ep, segment_name)
configure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pipe_config):\n import ambry.etl\n import sys\n eval_locals = dict(list(locals().items()) + list(ambry.etl.__dict__.\n items()) + list(sys.modules['ambry.build'].__dict__.items()))\n replacements = {}\n\n def x(pipe):\n if isinstance(pipe, string_types):\n try:\n return eval(pipe, {}, eval_locals)\n except SyntaxError as e:\n raise SyntaxError(\n \"SyntaxError while parsing pipe '{}' from metadata: {}\"\n .format(pipe, e))\n else:\n return pipe\n\n def x(pipe):\n if not isinstance(pipe, string_types):\n return None\n elif pipe[0] in '+-$!':\n return pipe[0]\n else:\n return None\n for segment_name, pipes in list(pipe_config.items()):\n if segment_name == 'final':\n super(Pipeline, self).__setattr__('final', pipes)\n elif segment_name == 'replace':\n for frm, to in iteritems(pipes):\n self.replace(eval_pipe(frm), eval_pipe(to))\n elif not any(bool(pipe_location(pipe)) for pipe in pipes):\n self[segment_name] = [eval_pipe(pipe) for pipe in pipes]\n else:\n for i, pipe in enumerate(pipes):\n if pipe_location(pipe):\n location = pipe_location(pipe)\n pipe = pipe[1:]\n else:\n raise PipelineError(\n 'If any pipes in a section have a location command, they all must Segment: {} pipes: {}'\n .format(segment_name, pipes))\n ep = eval_pipe(pipe)\n if location == '+':\n self[segment_name].append(ep)\n elif location == '-':\n self[segment_name].prepend(ep)\n elif location == '!':\n if isinstance(ep, type):\n repl_class = ep\n else:\n repl_class = ep.__class__\n self.replace(repl_class, ep, segment_name)\n", "role": "user" }, { "content": "configure", "role": "assistant" } ]
def x(self, repl_class, replacement, target_segment_name=None): for segment_name, pipes in iteritems(self): if target_segment_name and segment_name != target_segment_name: raise Exception() repl_pipes = [] found = False for pipe in pipes: if isinstance(pipe, repl_class): pipe = replacement found = True repl_pipes.append(pipe) if found: found = False self[segment_name] = repl_pipes
replace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, repl_class, replacement, target_segment_name=None):\n for segment_name, pipes in iteritems(self):\n if target_segment_name and segment_name != target_segment_name:\n raise Exception()\n repl_pipes = []\n found = False\n for pipe in pipes:\n if isinstance(pipe, repl_class):\n pipe = replacement\n found = True\n repl_pipes.append(pipe)\n if found:\n found = False\n self[segment_name] = repl_pipes\n", "role": "user" }, { "content": "replace", "role": "assistant" } ]
def x(self, connection, partition, table_name=None, columns=None, materialize=False, logger=None): partition.localize() self._add_partition(connection, partition) fdw_table = partition.vid view_table = '{}_v'.format(fdw_table) if materialize: with connection.cursor() as cursor: view_exists = self._relation_exists(connection, view_table) if view_exists: logger.debug( """Materialized view of the partition already exists. partition: {}, view: {}""" .format(partition.name, view_table)) else: query = ('CREATE MATERIALIZED VIEW {} AS SELECT * FROM {};' .format(view_table, fdw_table)) logger.debug( """Creating new materialized view of the partition. partition: {}, view: {}, query: {}""" .format(partition.name, view_table, query)) cursor.execute(query) cursor.execute('COMMIT;') final_table = view_table if materialize else fdw_table with connection.cursor() as cursor: view_q = 'CREATE VIEW IF NOT EXISTS {} AS SELECT * FROM {} '.format( partition.vid, final_table) cursor.execute(view_q) cursor.execute('COMMIT;') return partition.vid
install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, partition, table_name=None, columns=None,\n materialize=False, logger=None):\n partition.localize()\n self._add_partition(connection, partition)\n fdw_table = partition.vid\n view_table = '{}_v'.format(fdw_table)\n if materialize:\n with connection.cursor() as cursor:\n view_exists = self._relation_exists(connection, view_table)\n if view_exists:\n logger.debug(\n \"\"\"Materialized view of the partition already exists.\n partition: {}, view: {}\"\"\"\n .format(partition.name, view_table))\n else:\n query = ('CREATE MATERIALIZED VIEW {} AS SELECT * FROM {};'\n .format(view_table, fdw_table))\n logger.debug(\n \"\"\"Creating new materialized view of the partition.\n partition: {}, view: {}, query: {}\"\"\"\n .format(partition.name, view_table, query))\n cursor.execute(query)\n cursor.execute('COMMIT;')\n final_table = view_table if materialize else fdw_table\n with connection.cursor() as cursor:\n view_q = 'CREATE VIEW IF NOT EXISTS {} AS SELECT * FROM {} '.format(\n partition.vid, final_table)\n cursor.execute(view_q)\n cursor.execute('COMMIT;')\n return partition.vid\n", "role": "user" }, { "content": "install", "role": "assistant" } ]
def x(self, connection, partition, columns): query_tmpl = 'CREATE INDEX ON {table_name} ({column});' table_name = '{}_v'.format(partition.vid) for column in columns: query = query_tmpl.format(table_name=table_name, column=column) logger.debug('Creating postgres index.\n column: {}, query: {}'. format(column, query)) with connection.cursor() as cursor: cursor.execute(query) cursor.execute('COMMIT;')
index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, partition, columns):\n query_tmpl = 'CREATE INDEX ON {table_name} ({column});'\n table_name = '{}_v'.format(partition.vid)\n for column in columns:\n query = query_tmpl.format(table_name=table_name, column=column)\n logger.debug('Creating postgres index.\\n column: {}, query: {}'.\n format(column, query))\n with connection.cursor() as cursor:\n cursor.execute(query)\n cursor.execute('COMMIT;')\n", "role": "user" }, { "content": "index", "role": "assistant" } ]
def x(self): if getattr(self, '_connection', None): logger.debug('Closing postgresql connection.') self._connection.close() self._connection = None if getattr(self, '_engine', None): self._engine.dispose()
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 getattr(self, '_connection', None):\n logger.debug('Closing postgresql connection.')\n self._connection.close()\n self._connection = None\n if getattr(self, '_engine', None):\n self._engine.dispose()\n", "role": "user" }, { "content": "close", "role": "assistant" } ]
def x(self, connection, partition): logger.debug( """Looking for materialized view of the partition. partition: {}""" .format(partition.name)) foreign_table = partition.vid view_table = '{}_v'.format(foreign_table) view_exists = self._relation_exists(connection, view_table) if view_exists: logger.debug( 'Materialized view of the partition found.\n partition: {}, view: {}' .format(partition.name, view_table)) return view_table logger.debug( """Looking for foreign table of the partition. partition: {}""" .format(partition.name)) foreign_exists = self._relation_exists(connection, foreign_table) if foreign_exists: logger.debug( 'Foreign table of the partition found.\n partition: {}, foreign table: {}' .format(partition.name, foreign_table)) return foreign_table raise MissingTableError( 'postgres database does not have table for {} partition.'.format( partition.vid))
get_mpr_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, partition):\n logger.debug(\n \"\"\"Looking for materialized view of the partition.\n partition: {}\"\"\"\n .format(partition.name))\n foreign_table = partition.vid\n view_table = '{}_v'.format(foreign_table)\n view_exists = self._relation_exists(connection, view_table)\n if view_exists:\n logger.debug(\n 'Materialized view of the partition found.\\n partition: {}, view: {}'\n .format(partition.name, view_table))\n return view_table\n logger.debug(\n \"\"\"Looking for foreign table of the partition.\n partition: {}\"\"\"\n .format(partition.name))\n foreign_exists = self._relation_exists(connection, foreign_table)\n if foreign_exists:\n logger.debug(\n 'Foreign table of the partition found.\\n partition: {}, foreign table: {}'\n .format(partition.name, foreign_table))\n return foreign_table\n raise MissingTableError(\n 'postgres database does not have table for {} partition.'.format(\n partition.vid))\n", "role": "user" }, { "content": "get_mpr_table", "role": "assistant" } ]
def x(self, connection, partition): logger.debug("""Creating foreign table for partition. partition: {}""" .format(partition.name)) with connection.cursor() as cursor: postgres_med.add_partition(cursor, partition.datafile, partition.vid)
add_partition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, partition):\n logger.debug(\"\"\"Creating foreign table for partition.\n partition: {}\"\"\"\n .format(partition.name))\n with connection.cursor() as cursor:\n postgres_med.add_partition(cursor, partition.datafile, partition.vid)\n", "role": "user" }, { "content": "add_partition", "role": "assistant" } ]
def x(self): if not getattr(self, '_connection', None): logger.debug('Creating new connection.\n dsn: {}'.format(self._dsn)) d = parse_url_to_dict(self._dsn) self._connection = psycopg2.connect(database=d['path'].strip('/'), user=d['username'], password=d['password'], port=d['port'], host=d['hostname']) return self._connection
get_connection
[ { "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 getattr(self, '_connection', None):\n logger.debug('Creating new connection.\\n dsn: {}'.format(self._dsn))\n d = parse_url_to_dict(self._dsn)\n self._connection = psycopg2.connect(database=d['path'].strip('/'),\n user=d['username'], password=d['password'], port=d['port'],\n host=d['hostname'])\n return self._connection\n", "role": "user" }, { "content": "get_connection", "role": "assistant" } ]
def x(self, connection, query, fetch=True): with connection.cursor() as cursor: cursor.execute(query) if fetch: return cursor.fetchall() else: cursor.execute('COMMIT;')
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, query, fetch=True):\n with connection.cursor() as cursor:\n cursor.execute(query)\n if fetch:\n return cursor.fetchall()\n else:\n cursor.execute('COMMIT;')\n", "role": "user" }, { "content": "execute", "role": "assistant" } ]
def x(cls, connection, relation): schema_name, table_name = relation.split('.') exists_query = """ SELECT 1 FROM pg_catalog.pg_class c JOIN pg_catalog.pg_namespace n ON n.oid = c.relnamespace WHERE n.nspname = %s AND c.relname = %s AND (c.relkind = 'r' OR c.relkind = 'v' OR c.relkind = 'm') -- r - table, v - view, m - materialized view. """ with connection.cursor() as cursor: cursor.execute(exists_query, [schema_name, table_name]) result = cursor.fetchall() return result == [(1,)]
relation_exists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, connection, relation):\n schema_name, table_name = relation.split('.')\n exists_query = \"\"\"\n SELECT 1\n FROM pg_catalog.pg_class c\n JOIN pg_catalog.pg_namespace n ON n.oid = c.relnamespace\n WHERE n.nspname = %s\n AND c.relname = %s\n AND (c.relkind = 'r' OR c.relkind = 'v' OR c.relkind = 'm')\n -- r - table, v - view, m - materialized view.\n \"\"\"\n with connection.cursor() as cursor:\n cursor.execute(exists_query, [schema_name, table_name])\n result = cursor.fetchall()\n return result == [(1,)]\n", "role": "user" }, { "content": "relation_exists", "role": "assistant" } ]
def x(self, country='all'): u = ( 'https://api.worldbank.org/v2/countries/{}/indicators/CPTOTSAXN?format=json&per_page=10000' .format(country)) r = requests.get(u) j = r.json() cpi_data = j[1] for row in cpi_data: iso_3 = row['countryiso3code'].upper() iso_2 = row['country']['id'].upper() name = row['country']['value'].upper() date = row['date'] cpi = row['value'] for key in [iso_3, iso_2, name]: existing = self.data.get(key, {}) existing[str(date)] = cpi if key: self.data[key] = existing
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, country='all'):\n u = (\n 'https://api.worldbank.org/v2/countries/{}/indicators/CPTOTSAXN?format=json&per_page=10000'\n .format(country))\n r = requests.get(u)\n j = r.json()\n cpi_data = j[1]\n for row in cpi_data:\n iso_3 = row['countryiso3code'].upper()\n iso_2 = row['country']['id'].upper()\n name = row['country']['value'].upper()\n date = row['date']\n cpi = row['value']\n for key in [iso_3, iso_2, name]:\n existing = self.data.get(key, {})\n existing[str(date)] = cpi\n if key:\n self.data[key] = existing\n", "role": "user" }, { "content": "load", "role": "assistant" } ]
def x(self, date=datetime.date.today(), country=None): if not country: country = self.country if country == 'all': raise ValueError('You need to specify a country') if not isinstance(date, str) and not isinstance(date, int): date = date.year cpi = self.data.get(country.upper(), {}).get(str(date)) if not cpi: raise ValueError('Missing CPI data for {} for {}'.format(country, date) ) return CPIResult(date=date, value=cpi)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, date=datetime.date.today(), country=None):\n if not country:\n country = self.country\n if country == 'all':\n raise ValueError('You need to specify a country')\n if not isinstance(date, str) and not isinstance(date, int):\n date = date.year\n cpi = self.data.get(country.upper(), {}).get(str(date))\n if not cpi:\n raise ValueError('Missing CPI data for {} for {}'.format(country, date)\n )\n return CPIResult(date=date, value=cpi)\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, _name, **kwargs): _, subreverse = self._build_url_silent(_name, **kwargs) return subreverse
build_subreverse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, _name, **kwargs):\n _, subreverse = self._build_url_silent(_name, **kwargs)\n return subreverse\n", "role": "user" }, { "content": "build_subreverse", "role": "assistant" } ]
def x(self, _name, **kwargs): used_args, subreverse = self._build_url_silent(_name, **kwargs) if set(kwargs).difference(used_args): raise UrlBuildingError( 'Not all arguments are used during URL building: {}'.format( ', '.join(set(kwargs).difference(used_args)))) return subreverse.as_url
build_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, _name, **kwargs):\n used_args, subreverse = self._build_url_silent(_name, **kwargs)\n if set(kwargs).difference(used_args):\n raise UrlBuildingError(\n 'Not all arguments are used during URL building: {}'.format(\n ', '.join(set(kwargs).difference(used_args))))\n return subreverse.as_url\n", "role": "user" }, { "content": "build_url", "role": "assistant" } ]
def x(self): if '' in self._scope: return self._finalize().as_url if not self._is_endpoint: raise UrlBuildingError('Not an endpoint {}'.format(repr(self))) if self._ready: path, host = self._path, self._host else: return self().as_url if ':' in host: domain, port = host.split(':') else: domain = host port = None if self._bound_env: request = self._bound_env.request scheme_port = {'http': '80', 'https': '443'}.get(request.scheme, '80') primary_domain = self._bound_env._route_state.primary_domain host_split = request.host.split(':') request_domain = host_split[0] request_port = host_split[1] if len(host_split) > 1 else scheme_port port = port or request_port return URL(path, host=domain or request_domain, port=port if port != scheme_port else None, scheme=request.scheme, fragment=self. _fragment, show_host=host and (domain != primary_domain or port != request_port)) return URL(path, host=domain, port=port, fragment=self._fragment, show_host=True)
as_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if '' in self._scope:\n return self._finalize().as_url\n if not self._is_endpoint:\n raise UrlBuildingError('Not an endpoint {}'.format(repr(self)))\n if self._ready:\n path, host = self._path, self._host\n else:\n return self().as_url\n if ':' in host:\n domain, port = host.split(':')\n else:\n domain = host\n port = None\n if self._bound_env:\n request = self._bound_env.request\n scheme_port = {'http': '80', 'https': '443'}.get(request.scheme, '80')\n primary_domain = self._bound_env._route_state.primary_domain\n host_split = request.host.split(':')\n request_domain = host_split[0]\n request_port = host_split[1] if len(host_split) > 1 else scheme_port\n port = port or request_port\n return URL(path, host=domain or request_domain, port=port if port !=\n scheme_port else None, scheme=request.scheme, fragment=self.\n _fragment, show_host=host and (domain != primary_domain or port !=\n request_port))\n return URL(path, host=domain, port=port, fragment=self._fragment,\n show_host=True)\n", "role": "user" }, { "content": "as_url", "role": "assistant" } ]
def x(self, bound_env): return self.__class__(self._scope, self._location, path=self._path, host=self._host, fragment=self._fragment, ready=self._ready, need_arguments=self._need_arguments, finalize_params=self. _finalize_params, parent=self._parent, bound_env=bound_env)
bind_to_env
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bound_env):\n return self.__class__(self._scope, self._location, path=self._path,\n host=self._host, fragment=self._fragment, ready=self._ready,\n need_arguments=self._need_arguments, finalize_params=self.\n _finalize_params, parent=self._parent, bound_env=bound_env)\n", "role": "user" }, { "content": "bind_to_env", "role": "assistant" } ]
def x(cls, url, show_host=True): if six.PY2: if isinstance(url, six.text_type): url = url.encode('utf-8') parsed = urlparse(url) netloc = parsed.netloc.decode('utf-8') else: if isinstance(url, six.binary_type): url = url.decode('utf-8', errors='replace') parsed = urlparse(url) netloc = parsed.netloc query = _parse_qs(parsed.query) host = netloc.split(':', 1)[0] if ':' in netloc else netloc port = netloc.split(':')[1] if ':' in netloc else '' path = unquote(parsed.path) fragment = unquote(parsed.fragment) if not fragment and not url.endswith('#'): fragment = None return cls(path, query, host, port, parsed.scheme, fragment, show_host)
from_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, url, show_host=True):\n if six.PY2:\n if isinstance(url, six.text_type):\n url = url.encode('utf-8')\n parsed = urlparse(url)\n netloc = parsed.netloc.decode('utf-8')\n else:\n if isinstance(url, six.binary_type):\n url = url.decode('utf-8', errors='replace')\n parsed = urlparse(url)\n netloc = parsed.netloc\n query = _parse_qs(parsed.query)\n host = netloc.split(':', 1)[0] if ':' in netloc else netloc\n port = netloc.split(':')[1] if ':' in netloc else ''\n path = unquote(parsed.path)\n fragment = unquote(parsed.fragment)\n if not fragment and not url.endswith('#'):\n fragment = None\n return cls(path, query, host, port, parsed.scheme, fragment, show_host)\n", "role": "user" }, { "content": "from_url", "role": "assistant" } ]
def x(self, *args, **kwargs): if args and kwargs: raise TypeError('Use positional args or keyword args not both') query = self.query.copy() if args: mdict = MultiDict(args[0]) for k in mdict.keys(): if k in query: del query[k] for k, v in mdict.items(): query.add(k, v) else: for k, v in kwargs.items(): query[k] = v return self._copy(query=query)
qs_set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n if args and kwargs:\n raise TypeError('Use positional args or keyword args not both')\n query = self.query.copy()\n if args:\n mdict = MultiDict(args[0])\n for k in mdict.keys():\n if k in query:\n del query[k]\n for k, v in mdict.items():\n query.add(k, v)\n else:\n for k, v in kwargs.items():\n query[k] = v\n return self._copy(query=query)\n", "role": "user" }, { "content": "qs_set", "role": "assistant" } ]
def x(self, *args, **kwargs): query = self.query.copy() if args: mdict = MultiDict(args[0]) for k, v in mdict.items(): query.add(k, v) for k, v in kwargs.items(): query.add(k, v) return self._copy(query=query)
qs_add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n query = self.query.copy()\n if args:\n mdict = MultiDict(args[0])\n for k, v in mdict.items():\n query.add(k, v)\n for k, v in kwargs.items():\n query.add(k, v)\n return self._copy(query=query)\n", "role": "user" }, { "content": "qs_add", "role": "assistant" } ]
def x(self, *keys): query = self.query.copy() for key in set(keys): try: del query[key] except KeyError: pass return self._copy(query=query)
qs_delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *keys):\n query = self.query.copy()\n for key in set(keys):\n try:\n del query[key]\n except KeyError:\n pass\n return self._copy(query=query)\n", "role": "user" }, { "content": "qs_delete", "role": "assistant" } ]
def x(self, key, default=None): return self.query.get(key, default=default)
qs_get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, default=None):\n return self.query.get(key, default=default)\n", "role": "user" }, { "content": "qs_get", "role": "assistant" } ]
def x(self): query = u'?' + u'&'.join(u'{}={}'.format(urlquote(k), urlquote(v)) for k, v in six.iteritems(self.query)) if self.query else '' hash_part = u'#' + self.fragment if self.fragment is not None else u'' path, query, hash_part = uri_to_iri_parts(self.path, query, hash_part) if self.host: port = u':' + self.port if self.port else u'' return u''.join((self.scheme, '://', self.host, port, path, query, hash_part)) else: return path + query + hash_part
get_readable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n query = u'?' + u'&'.join(u'{}={}'.format(urlquote(k), urlquote(v)) for \n k, v in six.iteritems(self.query)) if self.query else ''\n hash_part = u'#' + self.fragment if self.fragment is not None else u''\n path, query, hash_part = uri_to_iri_parts(self.path, query, hash_part)\n if self.host:\n port = u':' + self.port if self.port else u''\n return u''.join((self.scheme, '://', self.host, port, path, query,\n hash_part))\n else:\n return path + query + hash_part\n", "role": "user" }, { "content": "get_readable", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.cancel_with_http_info(id, **kwargs) else: data = self.cancel_with_http_info(id, **kwargs) return data
cancel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.cancel_with_http_info(id, **kwargs)\n else:\n data = self.cancel_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "cancel", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_ssh_credentials_with_http_info(id, **kwargs) else: data = self.get_ssh_credentials_with_http_info(id, **kwargs) return data
get_ssh_credentials
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_ssh_credentials_with_http_info(id, **kwargs)\n else:\n data = self.get_ssh_credentials_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "get_ssh_credentials", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return (self. get_all_builds_in_distributed_recordset_of_product_release_with_http_info (id, **kwargs)) else: data = (self. get_all_builds_in_distributed_recordset_of_product_release_with_http_info (id, **kwargs)) return data
get_all_builds_in_distributed_recordset_of_product_release
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return (self.\n get_all_builds_in_distributed_recordset_of_product_release_with_http_info\n (id, **kwargs))\n else:\n data = (self.\n get_all_builds_in_distributed_recordset_of_product_release_with_http_info\n (id, **kwargs))\n return data\n", "role": "user" }, { "content": "get_all_builds_in_distributed_recordset_of_product_release", "role": "assistant" } ]
def x(self, version_id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_all_by_product_version_id_with_http_info(version_id, **kwargs) else: data = self.get_all_by_product_version_id_with_http_info(version_id, **kwargs) return data
get_all_by_product_version_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, version_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_all_by_product_version_id_with_http_info(version_id,\n **kwargs)\n else:\n data = self.get_all_by_product_version_id_with_http_info(version_id,\n **kwargs)\n return data\n", "role": "user" }, { "content": "get_all_by_product_version_id", "role": "assistant" } ]
def x(self, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_all_support_level_with_http_info(**kwargs) else: data = self.get_all_support_level_with_http_info(**kwargs) return data
get_all_support_level
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_all_support_level_with_http_info(**kwargs)\n else:\n data = self.get_all_support_level_with_http_info(**kwargs)\n return data\n", "role": "user" }, { "content": "get_all_support_level", "role": "assistant" } ]
def x(table_args): class _TableArgsMeta(declarative.DeclarativeMeta): def x(cls, name, bases, dict_): if '_decl_class_registry' not in cls.__dict__ and cls.__dict__.get( '__tablename__') and not cls.__dict__.get('__abstract__', False ): ta = getattr(cls, '__table_args__', {}) if isinstance(ta, dict): ta = dict(table_args, **ta) cls.__table_args__ = ta else: assert isinstance(ta, tuple) if ta and isinstance(ta[-1], dict): tad = dict(table_args, **ta[-1]) ta = ta[:-1] else: tad = dict(table_args) cls.__table_args__ = ta + (tad,) super(_TableArgsMeta, cls).__init__(name, bases, dict_) return _TableArgsMeta
TableArgsMeta
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(table_args):\n\n\n class _TableArgsMeta(declarative.DeclarativeMeta):\n\n def x(cls, name, bases, dict_):\n if '_decl_class_registry' not in cls.__dict__ and cls.__dict__.get(\n '__tablename__') and not cls.__dict__.get('__abstract__', False\n ):\n ta = getattr(cls, '__table_args__', {})\n if isinstance(ta, dict):\n ta = dict(table_args, **ta)\n cls.__table_args__ = ta\n else:\n assert isinstance(ta, tuple)\n if ta and isinstance(ta[-1], dict):\n tad = dict(table_args, **ta[-1])\n ta = ta[:-1]\n else:\n tad = dict(table_args)\n cls.__table_args__ = ta + (tad,)\n super(_TableArgsMeta, cls).__init__(name, bases, dict_)\n return _TableArgsMeta\n", "role": "user" }, { "content": "TableArgsMeta", "role": "assistant" } ]
def x(line, cell): from IPython import get_ipython parts = line.split() w_var_name = parts.pop(0) w = get_ipython().ev(w_var_name) w.query(cell).close()
warehouse_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(line, cell):\n from IPython import get_ipython\n parts = line.split()\n w_var_name = parts.pop(0)\n w = get_ipython().ev(w_var_name)\n w.query(cell).close()\n", "role": "user" }, { "content": "warehouse_query", "role": "assistant" } ]
def x(page_size=200, page_index=0, sort='', q=''): data = list_product_releases_raw(page_size, page_index, sort, q) if data: return utils.format_json_list(data)
list_product_releases
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(page_size=200, page_index=0, sort='', q=''):\n data = list_product_releases_raw(page_size, page_index, sort, q)\n if data:\n return utils.format_json_list(data)\n", "role": "user" }, { "content": "list_product_releases", "role": "assistant" } ]
def x(id, **kwargs): data = update_release_raw(id, **kwargs) if data: return utils.format_json(data)
update_release
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(id, **kwargs):\n data = update_release_raw(id, **kwargs)\n if data:\n return utils.format_json(data)\n", "role": "user" }, { "content": "update_release", "role": "assistant" } ]
def x(self, identifier): for provider in self._providers: if provider.identifier == identifier: return provider return None
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, identifier):\n for provider in self._providers:\n if provider.identifier == identifier:\n return provider\n return None\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, keyword, source_in=None, **kwargs): for provider in self._providers: if source_in is not None: if provider.identifier not in source_in: continue try: result = provider.search(keyword=keyword) except Exception as e: logger.exception(str(e)) logger.error('Search %s in %s failed.' % (keyword, provider)) else: yield result
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keyword, source_in=None, **kwargs):\n for provider in self._providers:\n if source_in is not None:\n if provider.identifier not in source_in:\n continue\n try:\n result = provider.search(keyword=keyword)\n except Exception as e:\n logger.exception(str(e))\n logger.error('Search %s in %s failed.' % (keyword, provider))\n else:\n yield result\n", "role": "user" }, { "content": "search", "role": "assistant" } ]
def x(self, song, onlyone=True): def x(standby): score = 1 if song.artists_name != standby.artists_name: score -= 0.4 if song.title != standby.title: score -= 0.3 if song.album_name != standby.album_name: score -= 0.2 return score valid_sources = [p.identifier for p in self.list() if p.identifier != song.source] q = '{} {}'.format(song.title, song.artists_name) standby_list = [] for result in self.search(q, source_in=valid_sources, limit=10): for standby in result.songs[:2]: standby_list.append(standby) standby_list = sorted(standby_list, key=lambda standby: get_score( standby), reverse=True) valid_standby_list = [] for standby in standby_list: if standby.url: valid_standby_list.append(standby) if get_score(standby) == 1 or onlyone: break if len(valid_standby_list) >= 2: break return valid_standby_list
list_song_standby
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, song, onlyone=True):\n\n def x(standby):\n score = 1\n if song.artists_name != standby.artists_name:\n score -= 0.4\n if song.title != standby.title:\n score -= 0.3\n if song.album_name != standby.album_name:\n score -= 0.2\n return score\n valid_sources = [p.identifier for p in self.list() if p.identifier !=\n song.source]\n q = '{} {}'.format(song.title, song.artists_name)\n standby_list = []\n for result in self.search(q, source_in=valid_sources, limit=10):\n for standby in result.songs[:2]:\n standby_list.append(standby)\n standby_list = sorted(standby_list, key=lambda standby: get_score(\n standby), reverse=True)\n valid_standby_list = []\n for standby in standby_list:\n if standby.url:\n valid_standby_list.append(standby)\n if get_score(standby) == 1 or onlyone:\n break\n if len(valid_standby_list) >= 2:\n break\n return valid_standby_list\n", "role": "user" }, { "content": "list_song_standby", "role": "assistant" } ]
def x(name): components = name.split('.') clazz = components.pop() mod = __import__('.'.join(components)) components += [clazz] for comp in components[1:]: mod = getattr(mod, comp) return mod
import_class_by_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n components = name.split('.')\n clazz = components.pop()\n mod = __import__('.'.join(components))\n components += [clazz]\n for comp in components[1:]:\n mod = getattr(mod, comp)\n return mod\n", "role": "user" }, { "content": "import_class_by_string", "role": "assistant" } ]
def x(self, configuration_id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_all_for_build_configuration_with_http_info( configuration_id, **kwargs) else: data = self.get_all_for_build_configuration_with_http_info( configuration_id, **kwargs) return data
get_all_for_build_configuration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, configuration_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_all_for_build_configuration_with_http_info(\n configuration_id, **kwargs)\n else:\n data = self.get_all_for_build_configuration_with_http_info(\n configuration_id, **kwargs)\n return data\n", "role": "user" }, { "content": "get_all_for_build_configuration", "role": "assistant" } ]
def x(self, name, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_all_for_project_with_http_info(name, **kwargs) else: data = self.get_all_for_project_with_http_info(name, **kwargs) return data
get_all_for_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_all_for_project_with_http_info(name, **kwargs)\n else:\n data = self.get_all_for_project_with_http_info(name, **kwargs)\n return data\n", "role": "user" }, { "content": "get_all_for_project", "role": "assistant" } ]
def x(self, project_id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_all_for_project_0_with_http_info(project_id, **kwargs) else: data = self.get_all_for_project_0_with_http_info(project_id, **kwargs) return data
get_all_for_project_0
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, project_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_all_for_project_0_with_http_info(project_id, **kwargs)\n else:\n data = self.get_all_for_project_0_with_http_info(project_id, **kwargs)\n return data\n", "role": "user" }, { "content": "get_all_for_project_0", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_attributes_with_http_info(id, **kwargs) else: data = self.get_attributes_with_http_info(id, **kwargs) return data
get_attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_attributes_with_http_info(id, **kwargs)\n else:\n data = self.get_attributes_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "get_attributes", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_build_configuration_audited_with_http_info(id, **kwargs ) else: data = self.get_build_configuration_audited_with_http_info(id, **kwargs ) return data
get_build_configuration_audited
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_build_configuration_audited_with_http_info(id, **kwargs\n )\n else:\n data = self.get_build_configuration_audited_with_http_info(id, **kwargs\n )\n return data\n", "role": "user" }, { "content": "get_build_configuration_audited", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_built_artifacts_with_http_info(id, **kwargs) else: data = self.get_built_artifacts_with_http_info(id, **kwargs) return data
get_built_artifacts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_built_artifacts_with_http_info(id, **kwargs)\n else:\n data = self.get_built_artifacts_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "get_built_artifacts", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_completed_or_runnning_with_http_info(id, **kwargs) else: data = self.get_completed_or_runnning_with_http_info(id, **kwargs) return data
get_completed_or_runnning
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_completed_or_runnning_with_http_info(id, **kwargs)\n else:\n data = self.get_completed_or_runnning_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "get_completed_or_runnning", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_dependency_artifacts_with_http_info(id, **kwargs) else: data = self.get_dependency_artifacts_with_http_info(id, **kwargs) return data
get_dependency_artifacts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_dependency_artifacts_with_http_info(id, **kwargs)\n else:\n data = self.get_dependency_artifacts_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "get_dependency_artifacts", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_dependency_graph_with_http_info(id, **kwargs) else: data = self.get_dependency_graph_with_http_info(id, **kwargs) return data
get_dependency_graph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_dependency_graph_with_http_info(id, **kwargs)\n else:\n data = self.get_dependency_graph_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "get_dependency_graph", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_logs_with_http_info(id, **kwargs) else: data = self.get_logs_with_http_info(id, **kwargs) return data
get_logs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_logs_with_http_info(id, **kwargs)\n else:\n data = self.get_logs_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "get_logs", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_repour_logs_with_http_info(id, **kwargs) else: data = self.get_repour_logs_with_http_info(id, **kwargs) return data
get_repour_logs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_repour_logs_with_http_info(id, **kwargs)\n else:\n data = self.get_repour_logs_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "get_repour_logs", "role": "assistant" } ]
def x(self, id, key, value, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.put_attribute_with_http_info(id, key, value, **kwargs) else: data = self.put_attribute_with_http_info(id, key, value, **kwargs) return data
put_attribute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, key, value, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.put_attribute_with_http_info(id, key, value, **kwargs)\n else:\n data = self.put_attribute_with_http_info(id, key, value, **kwargs)\n return data\n", "role": "user" }, { "content": "put_attribute", "role": "assistant" } ]
def x(self, key, value, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.query_by_attribute_with_http_info(key, value, **kwargs) else: data = self.query_by_attribute_with_http_info(key, value, **kwargs) return data
query_by_attribute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, value, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.query_by_attribute_with_http_info(key, value, **kwargs)\n else:\n data = self.query_by_attribute_with_http_info(key, value, **kwargs)\n return data\n", "role": "user" }, { "content": "query_by_attribute", "role": "assistant" } ]
def x(self, id, key, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.remove_attribute_with_http_info(id, key, **kwargs) else: data = self.remove_attribute_with_http_info(id, key, **kwargs) return data
remove_attribute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, key, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.remove_attribute_with_http_info(id, key, **kwargs)\n else:\n data = self.remove_attribute_with_http_info(id, key, **kwargs)\n return data\n", "role": "user" }, { "content": "remove_attribute", "role": "assistant" } ]
def x(self, name, bits, source=None, key=None, inspect=True, events=True, **kwargs): if (self.category == 'mem' and options. CGC_ZERO_FILL_UNCONSTRAINED_MEMORY in self.state.options): return self.state.solver.BVV(0, bits) elif options.SPECIAL_MEMORY_FILL in self.state.options and self.state._special_memory_filler is not None: return self.state._special_memory_filler(name, bits, self.state) else: if options.UNDER_CONSTRAINED_SYMEXEC in self.state.options: if source is not None and type(source) is int: alloc_depth = self.state.uc_manager.get_alloc_depth(source) kwargs['uc_alloc_depth' ] = 0 if alloc_depth is None else alloc_depth + 1 r = self.state.solver.Unconstrained(name, bits, key=key, inspect= inspect, events=events, **kwargs) return r
get_unconstrained_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, bits, source=None, key=None, inspect=True, events=True,\n **kwargs):\n if (self.category == 'mem' and options.\n CGC_ZERO_FILL_UNCONSTRAINED_MEMORY in self.state.options):\n return self.state.solver.BVV(0, bits)\n elif options.SPECIAL_MEMORY_FILL in self.state.options and self.state._special_memory_filler is not None:\n return self.state._special_memory_filler(name, bits, self.state)\n else:\n if options.UNDER_CONSTRAINED_SYMEXEC in self.state.options:\n if source is not None and type(source) is int:\n alloc_depth = self.state.uc_manager.get_alloc_depth(source)\n kwargs['uc_alloc_depth'\n ] = 0 if alloc_depth is None else alloc_depth + 1\n r = self.state.solver.Unconstrained(name, bits, key=key, inspect=\n inspect, events=events, **kwargs)\n return r\n", "role": "user" }, { "content": "get_unconstrained_bytes", "role": "assistant" } ]
def x(self, build_type): allowed_values = ['MVN', 'NPM'] if build_type not in allowed_values: raise ValueError( 'Invalid value for `build_type` ({0}), must be one of {1}'. format(build_type, allowed_values)) self._build_type = build_type
build_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, build_type):\n allowed_values = ['MVN', 'NPM']\n if build_type not in allowed_values:\n raise ValueError(\n 'Invalid value for `build_type` ({0}), must be one of {1}'.\n format(build_type, allowed_values))\n self._build_type = build_type\n", "role": "user" }, { "content": "build_type", "role": "assistant" } ]
def x(host, username=None, password=None, **kwargs): client = paramiko.SSHClient() client.hostname = host client.username = username if username is not None: kwargs['username'] = username if password is not None: kwargs['password'] = password if username is not None and password is not None: client.set_missing_host_key_policy(paramiko.AutoAddPolicy()) kwargs.setdefault('look_for_keys', False) client.connect(host, **kwargs) return client
ssh_client
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(host, username=None, password=None, **kwargs):\n client = paramiko.SSHClient()\n client.hostname = host\n client.username = username\n if username is not None:\n kwargs['username'] = username\n if password is not None:\n kwargs['password'] = password\n if username is not None and password is not None:\n client.set_missing_host_key_policy(paramiko.AutoAddPolicy())\n kwargs.setdefault('look_for_keys', False)\n client.connect(host, **kwargs)\n return client\n", "role": "user" }, { "content": "ssh_client", "role": "assistant" } ]
def x(self, category, message, filename, f, *args, **kwargs): warningsShown = [] def x(*args): warningsShown.append(args) origExplicit = warnings.warn_explicit try: warnings.warn_explicit = warnExplicit result = f(*args, **kwargs) finally: warnings.warn_explicit = origExplicit if not warningsShown: self.fail('No warnings emitted') first = warningsShown[0] for other in warningsShown[1:]: if other[:2] != first[:2]: self.fail("Can't handle different warnings") gotMessage, gotCategory, gotFilename, lineno = first[:4] self.assertEqual(gotMessage, message) self.assertIdentical(gotCategory, category) self.failUnless(filename.startswith(gotFilename), 'Warning in %r, expected %r' % (gotFilename, filename)) return result
failUnlessWarns
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, category, message, filename, f, *args, **kwargs):\n warningsShown = []\n\n def x(*args):\n warningsShown.append(args)\n origExplicit = warnings.warn_explicit\n try:\n warnings.warn_explicit = warnExplicit\n result = f(*args, **kwargs)\n finally:\n warnings.warn_explicit = origExplicit\n if not warningsShown:\n self.fail('No warnings emitted')\n first = warningsShown[0]\n for other in warningsShown[1:]:\n if other[:2] != first[:2]:\n self.fail(\"Can't handle different warnings\")\n gotMessage, gotCategory, gotFilename, lineno = first[:4]\n self.assertEqual(gotMessage, message)\n self.assertIdentical(gotCategory, category)\n self.failUnless(filename.startswith(gotFilename), \n 'Warning in %r, expected %r' % (gotFilename, filename))\n return result\n", "role": "user" }, { "content": "failUnlessWarns", "role": "assistant" } ]
def x(progname, fmt=None, datefmt=None, **_): handler = logging.StreamHandler() if not fmt: fmt_prefix = '%(asctime)s.%(msecs)03dZ ' fmt_suffix = ' (%(process)d) %(levelname)s: ' + '%(message)s' fmt = fmt_prefix + progname + fmt_suffix if not datefmt: datefmt = '%Y-%m-%dT%H:%M:%S' formatter = logging.Formatter(fmt=fmt, datefmt=datefmt) handler.setFormatter(formatter) return handler
setup_default_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(progname, fmt=None, datefmt=None, **_):\n handler = logging.StreamHandler()\n if not fmt:\n fmt_prefix = '%(asctime)s.%(msecs)03dZ '\n fmt_suffix = ' (%(process)d) %(levelname)s: ' + '%(message)s'\n fmt = fmt_prefix + progname + fmt_suffix\n if not datefmt:\n datefmt = '%Y-%m-%dT%H:%M:%S'\n formatter = logging.Formatter(fmt=fmt, datefmt=datefmt)\n handler.setFormatter(formatter)\n return handler\n", "role": "user" }, { "content": "setup_default_handler", "role": "assistant" } ]
def x(progname, level, handlers, **kwargs): for h in handlers: if h == 'stream': handler = _setup_default_handler(progname, **kwargs) else: handler_module_path = 'ulogger.{}'.format(h) try: handler_module = import_module(handler_module_path, package ='ulogger') except ImportError: msg = 'Unsupported log handler: "{}".'.format(h) raise exceptions.ULoggerError(msg) try: get_handler = getattr(handler_module, 'get_handler') except AttributeError: msg = '"get_handler" function not implemented for "{}".' raise exceptions.ULoggerError(msg.format(h)) handler = get_handler(progname, **kwargs) logging.getLogger('').addHandler(handler) level = logging.getLevelName(level) logging.getLogger('').setLevel(level)
setup_logging
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(progname, level, handlers, **kwargs):\n for h in handlers:\n if h == 'stream':\n handler = _setup_default_handler(progname, **kwargs)\n else:\n handler_module_path = 'ulogger.{}'.format(h)\n try:\n handler_module = import_module(handler_module_path, package\n ='ulogger')\n except ImportError:\n msg = 'Unsupported log handler: \"{}\".'.format(h)\n raise exceptions.ULoggerError(msg)\n try:\n get_handler = getattr(handler_module, 'get_handler')\n except AttributeError:\n msg = '\"get_handler\" function not implemented for \"{}\".'\n raise exceptions.ULoggerError(msg.format(h))\n handler = get_handler(progname, **kwargs)\n logging.getLogger('').addHandler(handler)\n level = logging.getLevelName(level)\n logging.getLogger('').setLevel(level)\n", "role": "user" }, { "content": "setup_logging", "role": "assistant" } ]
def x(self, key, size=None): project = load_project() if key in project.arch.registers: if size is None: size = project.arch.registers[key][1] size *= 8 s = claripy.BVS('angrdbg_reg_' + str(key), size) setattr(self.state.regs, key, s) self.symbolics[key] = s, size elif isinstance(key, int) or isinstance(key, long): if size is None: size = project.arch.bits else: size *= 8 s = claripy.BVS('angrdbg_mem_' + hex(key), size) self.state.memory.store(key, s) self.symbolics[key] = s, size elif isinstance(key, claripy.ast.bv.BV): key = self.state.solver.eval(key, cast_to=int) self.sim(key, size) else: raise ValueError( 'key must be a register name or a memory address, not %s' % str (type(key))) return key
sim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, size=None):\n project = load_project()\n if key in project.arch.registers:\n if size is None:\n size = project.arch.registers[key][1]\n size *= 8\n s = claripy.BVS('angrdbg_reg_' + str(key), size)\n setattr(self.state.regs, key, s)\n self.symbolics[key] = s, size\n elif isinstance(key, int) or isinstance(key, long):\n if size is None:\n size = project.arch.bits\n else:\n size *= 8\n s = claripy.BVS('angrdbg_mem_' + hex(key), size)\n self.state.memory.store(key, s)\n self.symbolics[key] = s, size\n elif isinstance(key, claripy.ast.bv.BV):\n key = self.state.solver.eval(key, cast_to=int)\n self.sim(key, size)\n else:\n raise ValueError(\n 'key must be a register name or a memory address, not %s' % str\n (type(key)))\n return key\n", "role": "user" }, { "content": "sim", "role": "assistant" } ]