source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, **kwargs):
config = ET.Element('config')
terminal_cfg = ET.SubElement(config, 'terminal-cfg', xmlns=
'urn:brocade.com:mgmt:brocade-terminal')
line = ET.SubElement(terminal_cfg, 'line')
sessionid = ET.SubElement(line, 'sessionid')
sessionid.text = kwargs.pop('sessionid')
callback = kwargs.pop('callback', self._callback)
return callback(config)
| terminal_cfg_line_sessionid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n config = ET.Element('config')\n terminal_cfg = ET.SubElement(config, 'terminal-cfg', xmlns=\n 'urn:brocade.com:mgmt:brocade-terminal')\n line = ET.SubElement(terminal_cfg, 'line')\n sessionid = ET.SubElement(line, 'sessionid')\n sessionid.text = kwargs.pop('sessionid')\n callback = kwargs.pop('callback', self._callback)\n return callback(config)\n",
"role": "user"
},
{
"content": "terminal_cfg_line_sessionid",
"role": "assistant"
}
] |
def x(self, **kwargs):
config = ET.Element('config')
terminal_cfg = ET.SubElement(config, 'terminal-cfg', xmlns=
'urn:brocade.com:mgmt:brocade-terminal')
line = ET.SubElement(terminal_cfg, 'line')
sessionid_key = ET.SubElement(line, 'sessionid')
sessionid_key.text = kwargs.pop('sessionid')
exec_timeout = ET.SubElement(line, 'exec-timeout')
exec_timeout.text = kwargs.pop('exec_timeout')
callback = kwargs.pop('callback', self._callback)
return callback(config)
| terminal_cfg_line_exec_timeout | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n config = ET.Element('config')\n terminal_cfg = ET.SubElement(config, 'terminal-cfg', xmlns=\n 'urn:brocade.com:mgmt:brocade-terminal')\n line = ET.SubElement(terminal_cfg, 'line')\n sessionid_key = ET.SubElement(line, 'sessionid')\n sessionid_key.text = kwargs.pop('sessionid')\n exec_timeout = ET.SubElement(line, 'exec-timeout')\n exec_timeout.text = kwargs.pop('exec_timeout')\n callback = kwargs.pop('callback', self._callback)\n return callback(config)\n",
"role": "user"
},
{
"content": "terminal_cfg_line_exec_timeout",
"role": "assistant"
}
] |
def x(self, skip_partials=True, with_source_path=False):
scss_files = []
for root, dirs, files in os.walk(self._source_path):
for filename in fnmatch.filter(files, '*.scss'):
if filename.startswith('_') and skip_partials:
continue
full_path = os.path.join(root, filename)
if not with_source_path:
full_path = full_path.split(self._source_path)[1]
if full_path.startswith('/'):
full_path = full_path[1:]
scss_files.append(full_path)
return scss_files
| get_scss_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, skip_partials=True, with_source_path=False):\n scss_files = []\n for root, dirs, files in os.walk(self._source_path):\n for filename in fnmatch.filter(files, '*.scss'):\n if filename.startswith('_') and skip_partials:\n continue\n full_path = os.path.join(root, filename)\n if not with_source_path:\n full_path = full_path.split(self._source_path)[1]\n if full_path.startswith('/'):\n full_path = full_path[1:]\n scss_files.append(full_path)\n return scss_files\n",
"role": "user"
},
{
"content": "get_scss_files",
"role": "assistant"
}
] |
def x(self, terms):
from six import text_type
if isinstance(terms, (tuple, list)):
if len(terms) > 1:
return ' | '.join(text_type(t) for t in terms)
else:
return terms[0]
else:
return terms
| or_join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, terms):\n from six import text_type\n if isinstance(terms, (tuple, list)):\n if len(terms) > 1:\n return ' | '.join(text_type(t) for t in terms)\n else:\n return terms[0]\n else:\n return terms\n",
"role": "user"
},
{
"content": "or_join",
"role": "assistant"
}
] |
def x(self, search_phrase, limit=None):
query, query_params = self._make_query_from_terms(search_phrase, limit=
limit)
self._parsed_query = str(query), query_params
assert isinstance(query, TextClause)
datasets = {}
def x(vid=None, b_score=0, p_score=0):
res = DatasetSearchResult()
res.b_score = b_score
res.p_score = p_score
res.partitions = set()
res.vid = vid
return res
if query_params:
results = self.execute(query, **query_params)
for result in results:
vid, dataset_score = result
datasets[vid] = make_result(vid, b_score=dataset_score)
logger.debug('Extending datasets with partitions.')
for partition in self.backend.partition_index.search(search_phrase):
if partition.dataset_vid not in datasets:
datasets[partition.dataset_vid] = make_result(partition.dataset_vid
)
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, query_params = self._make_query_from_terms(search_phrase, limit=\n limit)\n self._parsed_query = str(query), query_params\n assert isinstance(query, TextClause)\n datasets = {}\n\n def x(vid=None, b_score=0, p_score=0):\n res = DatasetSearchResult()\n res.b_score = b_score\n res.p_score = p_score\n res.partitions = set()\n res.vid = vid\n return res\n if query_params:\n results = self.execute(query, **query_params)\n for result in results:\n vid, dataset_score = result\n datasets[vid] = make_result(vid, b_score=dataset_score)\n logger.debug('Extending datasets with partitions.')\n for partition in self.backend.partition_index.search(search_phrase):\n if partition.dataset_vid not in datasets:\n datasets[partition.dataset_vid] = make_result(partition.dataset_vid\n )\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):
datasets = []
query = text("""
SELECT vid
FROM dataset_index;""")
for result in self.execute(query):
res = DatasetSearchResult()
res.vid = result[0]
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 query = text(\"\"\"\n SELECT vid\n FROM dataset_index;\"\"\")\n for result in self.execute(query):\n res = DatasetSearchResult()\n res.vid = result[0]\n res.b_score = 1\n datasets.append(res)\n return datasets\n",
"role": "user"
},
{
"content": "all",
"role": "assistant"
}
] |
def x(self, document, force=False):
query = text(
"""
INSERT INTO dataset_index(vid, title, keywords, doc)
VALUES(:vid, :title, string_to_array(:keywords, ' '), to_tsvector('english', :doc));
"""
)
self.execute(query, **document)
| 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 query = text(\n \"\"\"\n INSERT INTO dataset_index(vid, title, keywords, doc)\n VALUES(:vid, :title, string_to_array(:keywords, ' '), to_tsvector('english', :doc));\n \"\"\"\n )\n self.execute(query, **document)\n",
"role": "user"
},
{
"content": "index_document",
"role": "assistant"
}
] |
def x(self, terms, limit=None):
expanded_terms = self._expand_terms(terms)
if expanded_terms['doc']:
query_parts = [
"SELECT vid, ts_rank_cd(setweight(doc,'C'), to_tsquery(:doc)) as score"
]
if expanded_terms['doc'] and expanded_terms['keywords']:
query_parts = [
"SELECT vid, ts_rank_cd(setweight(doc,'C'), to_tsquery(:doc)) + ts_rank_cd(setweight(to_tsvector(coalesce(keywords::text,'')),'B'), to_tsquery(:keywords)) as score"
]
else:
query_parts = ['SELECT vid, 1 as score']
query_parts.append('FROM dataset_index')
query_params = {}
where_counter = 0
if expanded_terms['doc']:
where_counter += 1
query_parts.append('WHERE doc @@ to_tsquery(:doc)')
query_params['doc'] = self.backend._and_join(expanded_terms['doc'])
if expanded_terms['keywords']:
query_params['keywords'] = self.backend._and_join(expanded_terms[
'keywords'])
kw_q = (
"to_tsvector(coalesce(keywords::text,'')) @@ to_tsquery(:keywords)"
)
query_parts.append(('AND ' if where_counter else 'WHERE ') + kw_q)
query_parts.append('ORDER BY score DESC')
if limit:
query_parts.append('LIMIT :limit')
query_params['limit'] = limit
query_parts.append(';')
deb_msg = (
'Dataset terms conversion: `{}` terms converted to `{}` with `{}` params query.'
.format(terms, query_parts, query_params))
logger.debug(deb_msg)
q = text('\n'.join(query_parts)), query_params
logger.debug('Dataset search query: {}'.format(q))
return q
| 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, limit=None):\n expanded_terms = self._expand_terms(terms)\n if expanded_terms['doc']:\n query_parts = [\n \"SELECT vid, ts_rank_cd(setweight(doc,'C'), to_tsquery(:doc)) as score\"\n ]\n if expanded_terms['doc'] and expanded_terms['keywords']:\n query_parts = [\n \"SELECT vid, ts_rank_cd(setweight(doc,'C'), to_tsquery(:doc)) + ts_rank_cd(setweight(to_tsvector(coalesce(keywords::text,'')),'B'), to_tsquery(:keywords)) as score\"\n ]\n else:\n query_parts = ['SELECT vid, 1 as score']\n query_parts.append('FROM dataset_index')\n query_params = {}\n where_counter = 0\n if expanded_terms['doc']:\n where_counter += 1\n query_parts.append('WHERE doc @@ to_tsquery(:doc)')\n query_params['doc'] = self.backend._and_join(expanded_terms['doc'])\n if expanded_terms['keywords']:\n query_params['keywords'] = self.backend._and_join(expanded_terms[\n 'keywords'])\n kw_q = (\n \"to_tsvector(coalesce(keywords::text,'')) @@ to_tsquery(:keywords)\"\n )\n query_parts.append(('AND ' if where_counter else 'WHERE ') + kw_q)\n query_parts.append('ORDER BY score DESC')\n if limit:\n query_parts.append('LIMIT :limit')\n query_params['limit'] = limit\n query_parts.append(';')\n deb_msg = (\n 'Dataset terms conversion: `{}` terms converted to `{}` with `{}` params query.'\n .format(terms, query_parts, query_params))\n logger.debug(deb_msg)\n q = text('\\n'.join(query_parts)), query_params\n logger.debug('Dataset search query: {}'.format(q))\n return q\n",
"role": "user"
},
{
"content": "make_query_from_terms",
"role": "assistant"
}
] |
def x(self, vid=None):
assert vid is not None
query = text(
"""
DELETE FROM dataset_index
WHERE vid = :vid;
"""
)
self.execute(query, vid=vid)
| 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\n query = text(\n \"\"\"\n DELETE FROM dataset_index\n WHERE vid = :vid;\n \"\"\"\n )\n self.execute(query, vid=vid)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, terms, limit=None):
expanded_terms = self._expand_terms(terms)
terms_used = 0
if expanded_terms['doc']:
query_parts = [
"SELECT vid, dataset_vid, ts_rank_cd(setweight(doc,'C'), to_tsquery(:doc)) as score"
]
if expanded_terms['doc'] and expanded_terms['keywords']:
query_parts = [
"SELECT vid, dataset_vid, ts_rank_cd(setweight(doc,'C'), to_tsquery(:doc)) + ts_rank_cd(setweight(to_tsvector(coalesce(keywords::text,'')),'B'), to_tsquery(:keywords)) as score"
]
else:
query_parts = ['SELECT vid, dataset_vid, 1 as score']
query_parts.append('FROM partition_index')
query_params = {}
where_count = 0
if expanded_terms['doc']:
query_parts.append('WHERE doc @@ to_tsquery(:doc)')
query_params['doc'] = self.backend._and_join(expanded_terms['doc'])
where_count += 1
terms_used += 1
if expanded_terms['keywords']:
query_params['keywords'] = self.backend._and_join(expanded_terms[
'keywords'])
kw_q = (
"to_tsvector(coalesce(keywords::text,'')) @@ to_tsquery(:keywords)"
)
query_parts.append(('AND ' if where_count else 'WHERE ') + kw_q)
where_count += 1
terms_used += 1
if expanded_terms['from']:
query_parts.append(('AND ' if where_count else 'WHERE ') +
' from_year >= :from_year')
query_params['from_year'] = expanded_terms['from']
where_count += 1
terms_used += 1
if expanded_terms['to']:
query_parts.append(('AND ' if where_count else 'WHERE ') +
' to_year <= :to_year')
query_params['to_year'] = expanded_terms['to']
where_count += 1
terms_used += 1
query_parts.append('ORDER BY score DESC')
if limit:
query_parts.append('LIMIT :limit')
query_params['limit'] = limit
if not terms_used:
logger.debug('No terms used; not creating query')
return None, None
query_parts.append(';')
deb_msg = (
'Dataset terms conversion: `{}` terms converted to `{}` with `{}` params query.'
.format(terms, query_parts, query_params))
logger.debug(deb_msg)
return text('\n'.join(query_parts)), query_params
| 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, limit=None):\n expanded_terms = self._expand_terms(terms)\n terms_used = 0\n if expanded_terms['doc']:\n query_parts = [\n \"SELECT vid, dataset_vid, ts_rank_cd(setweight(doc,'C'), to_tsquery(:doc)) as score\"\n ]\n if expanded_terms['doc'] and expanded_terms['keywords']:\n query_parts = [\n \"SELECT vid, dataset_vid, ts_rank_cd(setweight(doc,'C'), to_tsquery(:doc)) + ts_rank_cd(setweight(to_tsvector(coalesce(keywords::text,'')),'B'), to_tsquery(:keywords)) as score\"\n ]\n else:\n query_parts = ['SELECT vid, dataset_vid, 1 as score']\n query_parts.append('FROM partition_index')\n query_params = {}\n where_count = 0\n if expanded_terms['doc']:\n query_parts.append('WHERE doc @@ to_tsquery(:doc)')\n query_params['doc'] = self.backend._and_join(expanded_terms['doc'])\n where_count += 1\n terms_used += 1\n if expanded_terms['keywords']:\n query_params['keywords'] = self.backend._and_join(expanded_terms[\n 'keywords'])\n kw_q = (\n \"to_tsvector(coalesce(keywords::text,'')) @@ to_tsquery(:keywords)\"\n )\n query_parts.append(('AND ' if where_count else 'WHERE ') + kw_q)\n where_count += 1\n terms_used += 1\n if expanded_terms['from']:\n query_parts.append(('AND ' if where_count else 'WHERE ') +\n ' from_year >= :from_year')\n query_params['from_year'] = expanded_terms['from']\n where_count += 1\n terms_used += 1\n if expanded_terms['to']:\n query_parts.append(('AND ' if where_count else 'WHERE ') +\n ' to_year <= :to_year')\n query_params['to_year'] = expanded_terms['to']\n where_count += 1\n terms_used += 1\n query_parts.append('ORDER BY score DESC')\n if limit:\n query_parts.append('LIMIT :limit')\n query_params['limit'] = limit\n if not terms_used:\n logger.debug('No terms used; not creating query')\n return None, None\n query_parts.append(';')\n deb_msg = (\n 'Dataset terms conversion: `{}` terms converted to `{}` with `{}` params query.'\n .format(terms, query_parts, query_params))\n logger.debug(deb_msg)\n return text('\\n'.join(query_parts)), query_params\n",
"role": "user"
},
{
"content": "make_query_from_terms",
"role": "assistant"
}
] |
def x(self, search_phrase, limit=None):
query, query_params = self._make_query_from_terms(search_phrase, limit=
limit)
self._parsed_query = str(query), query_params
if query is not None:
self.backend.library.database.set_connection_search_path()
results = self.execute(query, **query_params)
for result in results:
vid, dataset_vid, score = result
yield PartitionSearchResult(vid=vid, dataset_vid=dataset_vid,
score=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, query_params = self._make_query_from_terms(search_phrase, limit=\n limit)\n self._parsed_query = str(query), query_params\n if query is not None:\n self.backend.library.database.set_connection_search_path()\n results = self.execute(query, **query_params)\n for result in results:\n vid, dataset_vid, score = result\n yield PartitionSearchResult(vid=vid, dataset_vid=dataset_vid,\n score=score)\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self, partition):
doc = super(self.__class__, self)._as_document(partition)
doc['time_coverage'] = partition.time_coverage
return doc
| as_document | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, partition):\n doc = super(self.__class__, self)._as_document(partition)\n doc['time_coverage'] = partition.time_coverage\n return doc\n",
"role": "user"
},
{
"content": "as_document",
"role": "assistant"
}
] |
def x(self, document, force=False):
time_coverage = document.pop('time_coverage', [])
from_year = None
to_year = None
if time_coverage:
from_year = int(time_coverage[0]) if time_coverage and time_coverage[0
] else None
to_year = int(time_coverage[-1]) if time_coverage and time_coverage[-1
] else None
query = text(
"""
INSERT INTO partition_index(vid, dataset_vid, title, keywords, doc, from_year, to_year)
VALUES(
:vid, :dataset_vid, :title,
string_to_array(:keywords, ' '),
to_tsvector('english', :doc),
:from_year, :to_year); """
)
self.execute(query, from_year=from_year, to_year=to_year, **document)
| 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 time_coverage = document.pop('time_coverage', [])\n from_year = None\n to_year = None\n if time_coverage:\n from_year = int(time_coverage[0]) if time_coverage and time_coverage[0\n ] else None\n to_year = int(time_coverage[-1]) if time_coverage and time_coverage[-1\n ] else None\n query = text(\n \"\"\"\n INSERT INTO partition_index(vid, dataset_vid, title, keywords, doc, from_year, to_year)\n VALUES(\n :vid, :dataset_vid, :title,\n string_to_array(:keywords, ' '),\n to_tsvector('english', :doc),\n :from_year, :to_year); \"\"\"\n )\n self.execute(query, from_year=from_year, to_year=to_year, **document)\n",
"role": "user"
},
{
"content": "index_document",
"role": "assistant"
}
] |
def x(self, partition):
query = text(
"""
SELECT vid
FROM partition_index
WHERE vid = :vid;
"""
)
result = self.execute(query, vid=partition.vid)
return bool(result.fetchall())
| is_indexed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, partition):\n query = text(\n \"\"\"\n SELECT vid\n FROM partition_index\n WHERE vid = :vid;\n \"\"\"\n )\n result = self.execute(query, vid=partition.vid)\n return bool(result.fetchall())\n",
"role": "user"
},
{
"content": "is_indexed",
"role": "assistant"
}
] |
def x(self):
partitions = []
query = text(
"""
SELECT dataset_vid, vid
FROM partition_index;"""
)
for result in self.execute(query):
dataset_vid, vid = result
partitions.append(PartitionSearchResult(dataset_vid=dataset_vid,
vid=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 query = text(\n \"\"\"\n SELECT dataset_vid, vid\n FROM partition_index;\"\"\"\n )\n for result in self.execute(query):\n dataset_vid, vid = result\n partitions.append(PartitionSearchResult(dataset_vid=dataset_vid,\n vid=vid, score=1))\n return partitions\n",
"role": "user"
},
{
"content": "all",
"role": "assistant"
}
] |
def x(self, search_phrase, limit=None):
query_parts = [
'SELECT identifier, type, name, similarity(name, :word) AS sml',
'FROM identifier_index', 'WHERE name % :word',
'ORDER BY sml DESC, name']
query_params = {'word': search_phrase}
if limit:
query_parts.append('LIMIT :limit')
query_params['limit'] = limit
query_parts.append(';')
query = text('\n'.join(query_parts))
self.backend.library.database.set_connection_search_path()
results = self.execute(query, **query_params).fetchall()
for result in results:
vid, type, name, score = result
yield IdentifierSearchResult(score=score, vid=vid, type=type, name=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 query_parts = [\n 'SELECT identifier, type, name, similarity(name, :word) AS sml',\n 'FROM identifier_index', 'WHERE name % :word',\n 'ORDER BY sml DESC, name']\n query_params = {'word': search_phrase}\n if limit:\n query_parts.append('LIMIT :limit')\n query_params['limit'] = limit\n query_parts.append(';')\n query = text('\\n'.join(query_parts))\n self.backend.library.database.set_connection_search_path()\n results = self.execute(query, **query_params).fetchall()\n for result in results:\n vid, type, name, score = result\n yield IdentifierSearchResult(score=score, vid=vid, type=type, name=name\n )\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self, identifier, force=False):
query = text(
"""
INSERT INTO identifier_index(identifier, type, name)
VALUES(:identifier, :type, :name);
"""
)
self.execute(query, **identifier)
| 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 query = text(\n \"\"\"\n INSERT INTO identifier_index(identifier, type, name)\n VALUES(:identifier, :type, :name);\n \"\"\"\n )\n self.execute(query, **identifier)\n",
"role": "user"
},
{
"content": "index_document",
"role": "assistant"
}
] |
def x(self, identifier=None):
query = text(
"""
DELETE FROM identifier_index
WHERE identifier = :identifier;
"""
)
self.execute(query, identifier=identifier)
| 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 query = text(\n \"\"\"\n DELETE FROM identifier_index\n WHERE identifier = :identifier;\n \"\"\"\n )\n self.execute(query, identifier=identifier)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, identifier):
query = text(
"""
SELECT identifier
FROM identifier_index
WHERE identifier = :identifier;
"""
)
result = self.execute(query, identifier=identifier['identifier'])
return bool(result.fetchall())
| 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 query = text(\n \"\"\"\n SELECT identifier\n FROM identifier_index\n WHERE identifier = :identifier;\n \"\"\"\n )\n result = self.execute(query, identifier=identifier['identifier'])\n return bool(result.fetchall())\n",
"role": "user"
},
{
"content": "is_indexed",
"role": "assistant"
}
] |
def x(self):
identifiers = []
query = text(
"""
SELECT identifier, type, name
FROM identifier_index;"""
)
for result in self.execute(query):
vid, type_, name = result
res = IdentifierSearchResult(score=1, vid=vid, type=type_, name=name)
identifiers.append(res)
return identifiers
| all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n identifiers = []\n query = text(\n \"\"\"\n SELECT identifier, type, name\n FROM identifier_index;\"\"\"\n )\n for result in self.execute(query):\n vid, type_, name = result\n res = IdentifierSearchResult(score=1, vid=vid, type=type_, name=name)\n identifiers.append(res)\n return identifiers\n",
"role": "user"
},
{
"content": "all",
"role": "assistant"
}
] |
def x(text, size, etc='...'):
size = int(size)
text = text.strip()
if len(text) > size:
to_be_stripped = not whitespace_re.findall(text[size - 1:size + 2])
text = text[:size]
if to_be_stripped:
half = size // 2
last = None
for mo in whitespace_re.finditer(text[half:]):
last = mo
if last is not None:
text = text[:half + last.start() + 1]
return text.rstrip() + etc
else:
return text
| pare | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, size, etc='...'):\n size = int(size)\n text = text.strip()\n if len(text) > size:\n to_be_stripped = not whitespace_re.findall(text[size - 1:size + 2])\n text = text[:size]\n if to_be_stripped:\n half = size // 2\n last = None\n for mo in whitespace_re.finditer(text[half:]):\n last = mo\n if last is not None:\n text = text[:half + last.start() + 1]\n return text.rstrip() + etc\n else:\n return text\n",
"role": "user"
},
{
"content": "pare",
"role": "assistant"
}
] |
def x(id=None, name=None):
data = get_environment_raw(id, name)
if data:
return utils.format_json(data)
| get_environment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id=None, name=None):\n data = get_environment_raw(id, name)\n if data:\n return utils.format_json(data)\n",
"role": "user"
},
{
"content": "get_environment",
"role": "assistant"
}
] |
def x(page_size=200, page_index=0, sort='', q=''):
response = utils.checked_api_call(pnc_api.environments, 'get_all',
page_size=page_size, page_index=page_index, sort=sort, q=q)
if response:
return response.content
| list_environments_raw | [
{
"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 response = utils.checked_api_call(pnc_api.environments, 'get_all',\n page_size=page_size, page_index=page_index, sort=sort, q=q)\n if response:\n return response.content\n",
"role": "user"
},
{
"content": "list_environments_raw",
"role": "assistant"
}
] |
def x(self):
from ambry.valuetype.core import ROLE
for c in self.columns:
if c.role == ROLE.DIMENSION:
yield c
| dimensions | [
{
"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.valuetype.core import ROLE\n for c in self.columns:\n if c.role == ROLE.DIMENSION:\n yield c\n",
"role": "user"
},
{
"content": "dimensions",
"role": "assistant"
}
] |
def x(self):
from ambry.valuetype.core import ROLE
for c in self.columns:
if not c.parent and c.role == ROLE.DIMENSION:
yield c
| primary_dimensions | [
{
"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.valuetype.core import ROLE\n for c in self.columns:\n if not c.parent and c.role == ROLE.DIMENSION:\n yield c\n",
"role": "user"
},
{
"content": "primary_dimensions",
"role": "assistant"
}
] |
def x(self):
from ambry.valuetype.core import ROLE
for c in self.columns:
if not c.parent and c.role == ROLE.MEASURE:
yield c
| primary_measures | [
{
"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.valuetype.core import ROLE\n for c in self.columns:\n if not c.parent and c.role == ROLE.MEASURE:\n yield c\n",
"role": "user"
},
{
"content": "primary_measures",
"role": "assistant"
}
] |
def x(self, name, update_existing=False, **kwargs):
from ..identity import ColumnNumber
try:
c = self.column(name)
extant = True
if not update_existing:
return c
except NotFoundError:
sequence_id = len(self.columns) + 1
assert sequence_id
c = Column(t_vid=self.vid, sequence_id=sequence_id, vid=str(
ColumnNumber(ObjectNumber.parse(self.vid), sequence_id)), name=
name, datatype='str')
extant = False
c.data = dict((list(c.data.items()) if c.data else []) + list(kwargs.
get('data', {}).items()))
for key, value in list(kwargs.items()):
if key[0] != '_' and key not in ['t_vid', 'name', 'sequence_id', 'data'
]:
if key == 'datatype' and not c.type_is_builtin():
continue
if key == 'datatype' and value == 'unknown' and c.datatype:
continue
if key == 'description' and not value:
continue
try:
setattr(c, key, value)
except AttributeError:
raise AttributeError('Column record has no attribute {}'.
format(key))
if key == 'is_primary_key' and isinstance(value, str) and len(value
) == 0:
value = False
setattr(c, key, value)
if c.name == 'id' and c.is_primary_key and not self.description:
self.description = c.description
if not extant:
self.columns.append(c)
return c
| add_column | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, update_existing=False, **kwargs):\n from ..identity import ColumnNumber\n try:\n c = self.column(name)\n extant = True\n if not update_existing:\n return c\n except NotFoundError:\n sequence_id = len(self.columns) + 1\n assert sequence_id\n c = Column(t_vid=self.vid, sequence_id=sequence_id, vid=str(\n ColumnNumber(ObjectNumber.parse(self.vid), sequence_id)), name=\n name, datatype='str')\n extant = False\n c.data = dict((list(c.data.items()) if c.data else []) + list(kwargs.\n get('data', {}).items()))\n for key, value in list(kwargs.items()):\n if key[0] != '_' and key not in ['t_vid', 'name', 'sequence_id', 'data'\n ]:\n if key == 'datatype' and not c.type_is_builtin():\n continue\n if key == 'datatype' and value == 'unknown' and c.datatype:\n continue\n if key == 'description' and not value:\n continue\n try:\n setattr(c, key, value)\n except AttributeError:\n raise AttributeError('Column record has no attribute {}'.\n format(key))\n if key == 'is_primary_key' and isinstance(value, str) and len(value\n ) == 0:\n value = False\n setattr(c, key, value)\n if c.name == 'id' and c.is_primary_key and not self.description:\n self.description = c.description\n if not extant:\n self.columns.append(c)\n return c\n",
"role": "user"
},
{
"content": "add_column",
"role": "assistant"
}
] |
def x(self):
if len(self.columns) == 0:
return True
if len(self.columns) == 1 and self.columns[0].name == 'id':
return True
return False
| is_empty | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if len(self.columns) == 0:\n return True\n if len(self.columns) == 1 and self.columns[0].name == 'id':\n return True\n return False\n",
"role": "user"
},
{
"content": "is_empty",
"role": "assistant"
}
] |
def x(self, stats):
sd = dict(stats)
for c in self.columns:
if c not in sd:
continue
stat = sd[c]
if stat.size and stat.size > c.size:
c.size = stat.size
c.lom = stat.lom
| update_from_stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stats):\n sd = dict(stats)\n for c in self.columns:\n if c not in sd:\n continue\n stat = sd[c]\n if stat.size and stat.size > c.size:\n c.size = stat.size\n c.lom = stat.lom\n",
"role": "user"
},
{
"content": "update_from_stats",
"role": "assistant"
}
] |
def x(self, sequence_id=None, force=True):
from ..identity import ObjectNumber
if sequence_id:
self.sequence_id = sequence_id
assert self.d_vid
if self.id is None or force:
dataset_id = ObjectNumber.parse(self.d_vid).rev(None)
self.d_id = str(dataset_id)
self.id = str(TableNumber(dataset_id, self.sequence_id))
if self.vid is None or force:
dataset_vid = ObjectNumber.parse(self.d_vid)
self.vid = str(TableNumber(dataset_vid, self.sequence_id))
| update_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sequence_id=None, force=True):\n from ..identity import ObjectNumber\n if sequence_id:\n self.sequence_id = sequence_id\n assert self.d_vid\n if self.id is None or force:\n dataset_id = ObjectNumber.parse(self.d_vid).rev(None)\n self.d_id = str(dataset_id)\n self.id = str(TableNumber(dataset_id, self.sequence_id))\n if self.vid is None or force:\n dataset_vid = ObjectNumber.parse(self.d_vid)\n self.vid = str(TableNumber(dataset_vid, self.sequence_id))\n",
"role": "user"
},
{
"content": "update_id",
"role": "assistant"
}
] |
def x(self):
tr = []
for c in self.columns:
tr.append(c.expanded_transform)
return six.moves.zip_longest(*tr)
| transforms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n tr = []\n for c in self.columns:\n tr.append(c.expanded_transform)\n return six.moves.zip_longest(*tr)\n",
"role": "user"
},
{
"content": "transforms",
"role": "assistant"
}
] |
def x(mapper, conn, target):
if target.sequence_id is None:
from ambry.orm.exc import DatabaseError
raise DatabaseError('Must have sequence id before insertion')
Table.before_update(mapper, conn, target)
| before_insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mapper, conn, target):\n if target.sequence_id is None:\n from ambry.orm.exc import DatabaseError\n raise DatabaseError('Must have sequence id before insertion')\n Table.before_update(mapper, conn, target)\n",
"role": "user"
},
{
"content": "before_insert",
"role": "assistant"
}
] |
def x(mapper, conn, target):
target.name = Table.mangle_name(target.name)
if isinstance(target, Column):
raise TypeError('Got a column instead of a table')
target.update_id(target.sequence_id, False)
| before_update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mapper, conn, target):\n target.name = Table.mangle_name(target.name)\n if isinstance(target, Column):\n raise TypeError('Got a column instead of a table')\n target.update_id(target.sequence_id, False)\n",
"role": "user"
},
{
"content": "before_update",
"role": "assistant"
}
] |
def x(filename, filetype):
assert filetype in ['jsonzip', 'jsondir', 'wikidump']
if filetype == 'jsonzip':
with ZipFile(filename, 'r') as zip_in:
for infile in zip_in.namelist():
if infile.endswith('/'):
continue
print(infile, end='\n', file=sys.stderr)
with zip_in.open(infile) as f_in:
for line in io.TextIOWrapper(f_in, 'utf8'):
data = json.loads(line)
yield data['text'].strip()
elif filetype == 'jsondir':
for root, dirs, files in os.walk(filename):
for wiki_file in files:
infile = os.path.join(root, wiki_file)
print(infile, end='\n', file=sys.stderr)
with io.open(infile, 'r', encoding='utf8') as f_in:
for line in f_in:
data = json.loads(line)
yield data['text'].strip()
elif filetype == 'wikidump':
with io.open(filename, 'r', encoding='utf8') as f_in:
for line_count, paragraph in enumerate(f_in):
if line_count % 100000:
_msg = 'Processing line {}\n'.format(line_count)
print(_msg, file=sys.stderr)
if pargraph:
yield paragraph
| iter_paragraph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, filetype):\n assert filetype in ['jsonzip', 'jsondir', 'wikidump']\n if filetype == 'jsonzip':\n with ZipFile(filename, 'r') as zip_in:\n for infile in zip_in.namelist():\n if infile.endswith('/'):\n continue\n print(infile, end='\\n', file=sys.stderr)\n with zip_in.open(infile) as f_in:\n for line in io.TextIOWrapper(f_in, 'utf8'):\n data = json.loads(line)\n yield data['text'].strip()\n elif filetype == 'jsondir':\n for root, dirs, files in os.walk(filename):\n for wiki_file in files:\n infile = os.path.join(root, wiki_file)\n print(infile, end='\\n', file=sys.stderr)\n with io.open(infile, 'r', encoding='utf8') as f_in:\n for line in f_in:\n data = json.loads(line)\n yield data['text'].strip()\n elif filetype == 'wikidump':\n with io.open(filename, 'r', encoding='utf8') as f_in:\n for line_count, paragraph in enumerate(f_in):\n if line_count % 100000:\n _msg = 'Processing line {}\\n'.format(line_count)\n print(_msg, file=sys.stderr)\n if pargraph:\n yield paragraph\n",
"role": "user"
},
{
"content": "iter_paragraph",
"role": "assistant"
}
] |
def x(s, ch):
return ch.join([substring for substring in s.strip().split(ch) if
substring])
| deduplicate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, ch):\n return ch.join([substring for substring in s.strip().split(ch) if\n substring])\n",
"role": "user"
},
{
"content": "deduplicate",
"role": "assistant"
}
] |
def x(s, brackets='()[]'):
count = [0] * (len(brackets) // 2)
saved_chars = []
for character in s:
for i, b in enumerate(brackets):
if character == b:
kind, is_close = divmod(i, 2)
count[kind] += (-1) ** is_close
if count[kind] < 0:
count[kind] = 0
break
else:
if not any(count):
saved_chars.append(character)
return ''.join(saved_chars)
| remove_text_inside_brackets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, brackets='()[]'):\n count = [0] * (len(brackets) // 2)\n saved_chars = []\n for character in s:\n for i, b in enumerate(brackets):\n if character == b:\n kind, is_close = divmod(i, 2)\n count[kind] += (-1) ** is_close\n if count[kind] < 0:\n count[kind] = 0\n break\n else:\n if not any(count):\n saved_chars.append(character)\n return ''.join(saved_chars)\n",
"role": "user"
},
{
"content": "remove_text_inside_brackets",
"role": "assistant"
}
] |
def x(s, color=None, highlight=None, end='\n', file=sys.stdout, **kwargs):
if color in palette and color != 'default':
s = palette[color] + s
if highlight and highlight in highlighter:
s = highlighter[highlight] + s
for name, value in kwargs.items():
if name in formatter and value == True:
s = formatter[name] + s
print(s + palette['default'], end=end, file=file)
| color_print | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, color=None, highlight=None, end='\\n', file=sys.stdout, **kwargs):\n if color in palette and color != 'default':\n s = palette[color] + s\n if highlight and highlight in highlighter:\n s = highlighter[highlight] + s\n for name, value in kwargs.items():\n if name in formatter and value == True:\n s = formatter[name] + s\n print(s + palette['default'], end=end, file=file)\n",
"role": "user"
},
{
"content": "color_print",
"role": "assistant"
}
] |
def x(self, raise_if_error=True):
errors = []
tasks_seen = TaskCache()
while True:
for session in self.values():
errs = session.wait_for_tasks(raise_if_error=False)
errors.extend(errs)
tasks = []
for session in self.values():
tasks.extend(session.tasks())
if not any(t for t in tasks if t not in tasks_seen):
break
if raise_if_error and errors:
raise TaskErrors(errors)
return errors
| wait_for_tasks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raise_if_error=True):\n errors = []\n tasks_seen = TaskCache()\n while True:\n for session in self.values():\n errs = session.wait_for_tasks(raise_if_error=False)\n errors.extend(errs)\n tasks = []\n for session in self.values():\n tasks.extend(session.tasks())\n if not any(t for t in tasks if t not in tasks_seen):\n break\n if raise_if_error and errors:\n raise TaskErrors(errors)\n return errors\n",
"role": "user"
},
{
"content": "wait_for_tasks",
"role": "assistant"
}
] |
def x(self):
if self.__timed_out:
return TimeoutError(self.session, self, 'timeout')
if (self.__exit_code is not None and self.__expected_exit_code is not
None and self.__exit_code != self.__expected_exit_code):
return ExitCodeError(self.session, self, 'bad exit code: Got %s' %
self.__exit_code)
| error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.__timed_out:\n return TimeoutError(self.session, self, 'timeout')\n if (self.__exit_code is not None and self.__expected_exit_code is not\n None and self.__exit_code != self.__expected_exit_code):\n return ExitCodeError(self.session, self, 'bad exit code: Got %s' %\n self.__exit_code)\n",
"role": "user"
},
{
"content": "error",
"role": "assistant"
}
] |
def x(self, **kwargs):
kwargs['_return_http_data_only'] = True
if kwargs.get('callback'):
return self.create_new_with_http_info(**kwargs)
else:
data = self.create_new_with_http_info(**kwargs)
return data
| create_new | [
{
"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.create_new_with_http_info(**kwargs)\n else:\n data = self.create_new_with_http_info(**kwargs)\n return data\n",
"role": "user"
},
{
"content": "create_new",
"role": "assistant"
}
] |
def x(self, id, **kwargs):
kwargs['_return_http_data_only'] = True
if kwargs.get('callback'):
return self.delete_with_http_info(id, **kwargs)
else:
data = self.delete_with_http_info(id, **kwargs)
return data
| delete | [
{
"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.delete_with_http_info(id, **kwargs)\n else:\n data = self.delete_with_http_info(id, **kwargs)\n return data\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, **kwargs):
kwargs['_return_http_data_only'] = True
if kwargs.get('callback'):
return self.get_all_with_http_info(**kwargs)
else:
data = self.get_all_with_http_info(**kwargs)
return data
| get_all | [
{
"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_with_http_info(**kwargs)\n else:\n data = self.get_all_with_http_info(**kwargs)\n return data\n",
"role": "user"
},
{
"content": "get_all",
"role": "assistant"
}
] |
def x(self, id, **kwargs):
kwargs['_return_http_data_only'] = True
if kwargs.get('callback'):
return self.get_specific_with_http_info(id, **kwargs)
else:
data = self.get_specific_with_http_info(id, **kwargs)
return data
| get_specific | [
{
"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_specific_with_http_info(id, **kwargs)\n else:\n data = self.get_specific_with_http_info(id, **kwargs)\n return data\n",
"role": "user"
},
{
"content": "get_specific",
"role": "assistant"
}
] |
def x(self, id, **kwargs):
kwargs['_return_http_data_only'] = True
if kwargs.get('callback'):
return self.update_with_http_info(id, **kwargs)
else:
data = self.update_with_http_info(id, **kwargs)
return data
| update | [
{
"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.update_with_http_info(id, **kwargs)\n else:\n data = self.update_with_http_info(id, **kwargs)\n return data\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self):
d = {}
for p in self.__mapper__.attrs:
if p.key in ['vid', 'vname', 'fqname', 'version', 'cache_key']:
continue
if p.key == 'revision':
d[p.key] = self.revision + 1
else:
d[p.key] = getattr(self, p.key)
n = Dataset(**d)
return n
| incver | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n d = {}\n for p in self.__mapper__.attrs:\n if p.key in ['vid', 'vname', 'fqname', 'version', 'cache_key']:\n continue\n if p.key == 'revision':\n d[p.key] = self.revision + 1\n else:\n d[p.key] = getattr(self, p.key)\n n = Dataset(**d)\n return n\n",
"role": "user"
},
{
"content": "incver",
"role": "assistant"
}
] |
def x(self, table_class, force_query=False):
from . import next_sequence_id
from sqlalchemy.orm import object_session
return next_sequence_id(object_session(self), self._sequence_ids, self.
vid, table_class, force_query=force_query)
| next_sequence_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_class, force_query=False):\n from . import next_sequence_id\n from sqlalchemy.orm import object_session\n return next_sequence_id(object_session(self), self._sequence_ids, self.\n vid, table_class, force_query=force_query)\n",
"role": "user"
},
{
"content": "next_sequence_id",
"role": "assistant"
}
] |
def x(self, name, add_id=True, **kwargs):
from . import Table
from .exc import NotFoundError
try:
table = self.table(name)
extant = True
except NotFoundError:
extant = False
if 'sequence_id' not in kwargs:
kwargs['sequence_id'] = self._database.next_sequence_id(Dataset,
self.vid, Table)
table = Table(name=name, d_vid=self.vid, **kwargs)
table.update_id()
table.data = dict((list(table.data.items()) if table.data else []) +
list(kwargs.get('data', {}).items()))
for key, value in list(kwargs.items()):
if not key:
continue
if key[0] != '_' and key not in ['vid', 'id', 'id_', 'd_id', 'name',
'sequence_id', 'table', 'column', 'data']:
setattr(table, key, value)
if add_id:
table.add_id_column()
if not extant:
self.tables.append(table)
return table
| new_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, add_id=True, **kwargs):\n from . import Table\n from .exc import NotFoundError\n try:\n table = self.table(name)\n extant = True\n except NotFoundError:\n extant = False\n if 'sequence_id' not in kwargs:\n kwargs['sequence_id'] = self._database.next_sequence_id(Dataset,\n self.vid, Table)\n table = Table(name=name, d_vid=self.vid, **kwargs)\n table.update_id()\n table.data = dict((list(table.data.items()) if table.data else []) +\n list(kwargs.get('data', {}).items()))\n for key, value in list(kwargs.items()):\n if not key:\n continue\n if key[0] != '_' and key not in ['vid', 'id', 'id_', 'd_id', 'name',\n 'sequence_id', 'table', 'column', 'data']:\n setattr(table, key, value)\n if add_id:\n table.add_id_column()\n if not extant:\n self.tables.append(table)\n return table\n",
"role": "user"
},
{
"content": "new_table",
"role": "assistant"
}
] |
def x(self, table, **kwargs):
from . import Partition
if isinstance(table, string_types):
table = self.table(table)
if 'sequence_id' in kwargs:
sequence_id = kwargs['sequence_id']
del kwargs['sequence_id']
else:
sequence_id = self._database.next_sequence_id(Dataset, self.vid,
Partition)
p = Partition(t_vid=table.vid, table_name=table.name, sequence_id=
sequence_id, dataset=self, d_vid=self.vid, **kwargs)
p.update_id()
return p
| new_partition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, **kwargs):\n from . import Partition\n if isinstance(table, string_types):\n table = self.table(table)\n if 'sequence_id' in kwargs:\n sequence_id = kwargs['sequence_id']\n del kwargs['sequence_id']\n else:\n sequence_id = self._database.next_sequence_id(Dataset, self.vid,\n Partition)\n p = Partition(t_vid=table.vid, table_name=table.name, sequence_id=\n sequence_id, dataset=self, d_vid=self.vid, **kwargs)\n p.update_id()\n return p\n",
"role": "user"
},
{
"content": "new_partition",
"role": "assistant"
}
] |
def x(self, ref=None, **kwargs):
from .exc import NotFoundError
from six import text_type
if ref:
for p in self.partitions:
if text_type(ref) == text_type(p.name) or text_type(ref
) == text_type(p.id) or text_type(ref) == text_type(p.vid):
return p
raise NotFoundError(
"Failed to find partition for ref '{}' in dataset '{}'".format(
ref, self.name))
elif kwargs:
from ..identity import PartitionNameQuery
pnq = PartitionNameQuery(**kwargs)
return self._find_orm
| partition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ref=None, **kwargs):\n from .exc import NotFoundError\n from six import text_type\n if ref:\n for p in self.partitions:\n if text_type(ref) == text_type(p.name) or text_type(ref\n ) == text_type(p.id) or text_type(ref) == text_type(p.vid):\n return p\n raise NotFoundError(\n \"Failed to find partition for ref '{}' in dataset '{}'\".format(\n ref, self.name))\n elif kwargs:\n from ..identity import PartitionNameQuery\n pnq = PartitionNameQuery(**kwargs)\n return self._find_orm\n",
"role": "user"
},
{
"content": "partition",
"role": "assistant"
}
] |
def x(self, path):
from sqlalchemy.orm.exc import NoResultFound
from ambry.orm.exc import NotFoundError
try:
f = object_session(self).query(File).filter(File.d_vid == self.vid
).filter(File.major_type == File.MAJOR_TYPE.BUILDSOURCE).filter(
File.path == path).one()
return f
except NoResultFound:
raise NotFoundError("Failed to find file for path '{}' ".format(path))
| bsfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n from sqlalchemy.orm.exc import NoResultFound\n from ambry.orm.exc import NotFoundError\n try:\n f = object_session(self).query(File).filter(File.d_vid == self.vid\n ).filter(File.major_type == File.MAJOR_TYPE.BUILDSOURCE).filter(\n File.path == path).one()\n return f\n except NoResultFound:\n raise NotFoundError(\"Failed to find file for path '{}' \".format(path))\n",
"role": "user"
},
{
"content": "bsfile",
"role": "assistant"
}
] |
def x(self, fields):
d = self.dict
row = [None] * len(fields)
for i, f in enumerate(fields):
if f in d:
row[i] = d[f]
return row
| row | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fields):\n d = self.dict\n row = [None] * len(fields)\n for i, f in enumerate(fields):\n if f in d:\n row[i] = d[f]\n return row\n",
"role": "user"
},
{
"content": "row",
"role": "assistant"
}
] |
def x(self):
from ambry.metadata.schema import Top
top = Top()
top.build_from_db(self.dataset)
return top
| metadata | [
{
"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.metadata.schema import Top\n top = Top()\n top.build_from_db(self.dataset)\n return top\n",
"role": "user"
},
{
"content": "metadata",
"role": "assistant"
}
] |
def x(self):
from ambry.orm import Config as SAConfig
from sqlalchemy import or_
rows = []
configs = self.dataset.session.query(SAConfig).filter(or_(SAConfig.
group == 'config', SAConfig.group == 'process'), SAConfig.d_vid ==
self.dataset.vid).all()
for r in configs:
parts = r.key.split('.', 3)
if r.group == 'process':
parts = ['process'] + parts
cr = (parts[0] if len(parts) > 0 else None, parts[1] if len(parts) >
1 else None, parts[2] if len(parts) > 2 else None), r.value
rows.append(cr)
return rows
| rows | [
{
"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 import Config as SAConfig\n from sqlalchemy import or_\n rows = []\n configs = self.dataset.session.query(SAConfig).filter(or_(SAConfig.\n group == 'config', SAConfig.group == 'process'), SAConfig.d_vid ==\n self.dataset.vid).all()\n for r in configs:\n parts = r.key.split('.', 3)\n if r.group == 'process':\n parts = ['process'] + parts\n cr = (parts[0] if len(parts) > 0 else None, parts[1] if len(parts) >\n 1 else None, parts[2] if len(parts) > 2 else None), r.value\n rows.append(cr)\n return rows\n",
"role": "user"
},
{
"content": "rows",
"role": "assistant"
}
] |
def x(instance_to_path_map, path_to_instance_map, prop_tree, config_instance):
path = instance_to_path_map[config_instance]
group = prop_tree
for elem in path[:-1]:
group = getattr(group, elem)
assert group._key == config_instance.parent.key
setattr(group, config_instance.key, config_instance.value)
term = getattr(group, config_instance.key)
try:
if hasattr(term, '_term'):
term._term._config = config_instance
return
except KeyError:
pass
try:
if hasattr(term, '_config'):
term._config = config_instance
return
except KeyError:
pass
else:
pass
| set_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance_to_path_map, path_to_instance_map, prop_tree, config_instance):\n path = instance_to_path_map[config_instance]\n group = prop_tree\n for elem in path[:-1]:\n group = getattr(group, elem)\n assert group._key == config_instance.parent.key\n setattr(group, config_instance.key, config_instance.value)\n term = getattr(group, config_instance.key)\n try:\n if hasattr(term, '_term'):\n term._term._config = config_instance\n return\n except KeyError:\n pass\n try:\n if hasattr(term, '_config'):\n term._config = config_instance\n return\n except KeyError:\n pass\n else:\n pass\n",
"role": "user"
},
{
"content": "set_value",
"role": "assistant"
}
] |
def x(session, model, **kwargs):
instance = session.query(model).filter_by(**kwargs).first()
if instance:
return instance, False
else:
instance = model(**kwargs)
if 'dataset' in kwargs:
instance.update_sequence_id(session, kwargs['dataset'])
session.add(instance)
session.commit()
return instance, True
| get_or_create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(session, model, **kwargs):\n instance = session.query(model).filter_by(**kwargs).first()\n if instance:\n return instance, False\n else:\n instance = model(**kwargs)\n if 'dataset' in kwargs:\n instance.update_sequence_id(session, kwargs['dataset'])\n session.add(instance)\n session.commit()\n return instance, True\n",
"role": "user"
},
{
"content": "get_or_create",
"role": "assistant"
}
] |
def x(group_or_term, session, **kwargs):
path = group_or_term._get_path()
cached = group_or_term._top._cached_configs.get(path)
if cached:
config = cached
created = False
else:
config, created = get_or_create(session, Config, **kwargs)
return config, created
| get_config_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(group_or_term, session, **kwargs):\n path = group_or_term._get_path()\n cached = group_or_term._top._cached_configs.get(path)\n if cached:\n config = cached\n created = False\n else:\n config, created = get_or_create(session, Config, **kwargs)\n return config, created\n",
"role": "user"
},
{
"content": "get_config_instance",
"role": "assistant"
}
] |
def x(self):
self._members = {name: attr for name, attr in iteritems(type(self).
__dict__) if isinstance(attr, Group)}
for name, m in iteritems(self._members):
m.init_descriptor(name, self)
| register_members | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._members = {name: attr for name, attr in iteritems(type(self).\n __dict__) if isinstance(attr, Group)}\n for name, m in iteritems(self._members):\n m.init_descriptor(name, self)\n",
"role": "user"
},
{
"content": "register_members",
"role": "assistant"
}
] |
def x(self, group, term, sub_term, value):
self._errors[group, term, sub_term] = value
| add_error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group, term, sub_term, value):\n self._errors[group, term, sub_term] = value\n",
"role": "user"
},
{
"content": "add_error",
"role": "assistant"
}
] |
def x(self, st):
if isinstance(st, string_types):
from jinja2 import Template
try:
for i in range(5):
st = Template(st).render(**self._top.dict)
if '{{' not in st:
break
return st
except Exception as e:
return st
return st
| jinja_sub | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, st):\n if isinstance(st, string_types):\n from jinja2 import Template\n try:\n for i in range(5):\n st = Template(st).render(**self._top.dict)\n if '{{' not in st:\n break\n return st\n except Exception as e:\n return st\n return st\n",
"role": "user"
},
{
"content": "jinja_sub",
"role": "assistant"
}
] |
def x(self, st):
if isinstance(st, binary_type):
return _ScalarTermS(st, self._jinja_sub)
elif isinstance(st, text_type):
return _ScalarTermU(st, self._jinja_sub)
elif st is None:
return _ScalarTermU(u(''), self._jinja_sub)
else:
return st
| scalar_term | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, st):\n if isinstance(st, binary_type):\n return _ScalarTermS(st, self._jinja_sub)\n elif isinstance(st, text_type):\n return _ScalarTermU(st, self._jinja_sub)\n elif st is None:\n return _ScalarTermU(u(''), self._jinja_sub)\n else:\n return st\n",
"role": "user"
},
{
"content": "scalar_term",
"role": "assistant"
}
] |
def x(self):
dataset = self._top._config.dataset
session = object_session(self._top._config)
logger.debug('Updating group config. dataset: {}, type: {}, key: {}'.
format(dataset.vid, self._top._type, self._key))
self._config, created = _get_config_instance(self, session, parent_id=
self._parent._config.id, d_vid=dataset.vid, group=self._key, key=
self._key, type=self._top._type, dataset=dataset)
if created:
self._top._cached_configs[self._get_path()] = self._config
self._top._add_valid(self._config)
if created:
logger.debug('New group config created and linked. config: {}'.
format(self._config))
else:
logger.debug('Existing group config linked. config: {}'.format(self
._config))
| update_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n dataset = self._top._config.dataset\n session = object_session(self._top._config)\n logger.debug('Updating group config. dataset: {}, type: {}, key: {}'.\n format(dataset.vid, self._top._type, self._key))\n self._config, created = _get_config_instance(self, session, parent_id=\n self._parent._config.id, d_vid=dataset.vid, group=self._key, key=\n self._key, type=self._top._type, dataset=dataset)\n if created:\n self._top._cached_configs[self._get_path()] = self._config\n self._top._add_valid(self._config)\n if created:\n logger.debug('New group config created and linked. config: {}'.\n format(self._config))\n else:\n logger.debug('Existing group config linked. config: {}'.format(self\n ._config))\n",
"role": "user"
},
{
"content": "update_config",
"role": "assistant"
}
] |
def x(self, parent):
o = copy.copy(self)
o.init_instance(parent)
return o
| get_group_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent):\n o = copy.copy(self)\n o.init_instance(parent)\n return o\n",
"role": "user"
},
{
"content": "get_group_instance",
"role": "assistant"
}
] |
def x(self, key, value):
dataset = self._top._config.dataset
session = object_session(self._top._config)
logger.debug(
'Updating VarDictGroup config. dataset: {}, type: {}, key: {}, value: {}'
.format(dataset, self._top._type, key, value))
if not self._parent._config:
self._parent.update_config()
self._config, created = get_or_create(session, Config, d_vid=dataset.
vid, type=self._top._type, parent=self._parent._config, group=self.
_key, key=self._key, dataset=dataset)
self._top._add_valid(self._config)
config, created = get_or_create(session, Config, parent=self._config,
d_vid=dataset.vid, type=self._top._type, key=key, dataset=dataset)
if config.value != value:
config.value = value
session.merge(config)
session.commit()
logger.debug('Config bound to the VarDictGroup key updated. config: {}'
.format(config))
self._top._add_valid(config)
| update_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value):\n dataset = self._top._config.dataset\n session = object_session(self._top._config)\n logger.debug(\n 'Updating VarDictGroup config. dataset: {}, type: {}, key: {}, value: {}'\n .format(dataset, self._top._type, key, value))\n if not self._parent._config:\n self._parent.update_config()\n self._config, created = get_or_create(session, Config, d_vid=dataset.\n vid, type=self._top._type, parent=self._parent._config, group=self.\n _key, key=self._key, dataset=dataset)\n self._top._add_valid(self._config)\n config, created = get_or_create(session, Config, parent=self._config,\n d_vid=dataset.vid, type=self._top._type, key=key, dataset=dataset)\n if config.value != value:\n config.value = value\n session.merge(config)\n session.commit()\n logger.debug('Config bound to the VarDictGroup key updated. config: {}'\n .format(config))\n self._top._add_valid(config)\n",
"role": "user"
},
{
"content": "update_config",
"role": "assistant"
}
] |
def x(self):
dataset = self._top._config.dataset
session = object_session(self._top._config)
if not self._parent._config:
self._parent.update_config()
self._config, created = _get_config_instance(self, session, parent=self
._parent._config, d_vid=dataset.vid, type=self._top._type, key=self
._key, dataset=dataset)
if created:
self._top._cached_configs[self._get_path()] = self._config
if isinstance(self, (ScalarTerm, ListTerm)):
if self._config.value != self.get():
self._config.value = self.get()
session.merge(self._config)
session.commit()
self._top._add_valid(self._config)
| update_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n dataset = self._top._config.dataset\n session = object_session(self._top._config)\n if not self._parent._config:\n self._parent.update_config()\n self._config, created = _get_config_instance(self, session, parent=self\n ._parent._config, d_vid=dataset.vid, type=self._top._type, key=self\n ._key, dataset=dataset)\n if created:\n self._top._cached_configs[self._get_path()] = self._config\n if isinstance(self, (ScalarTerm, ListTerm)):\n if self._config.value != self.get():\n self._config.value = self.get()\n session.merge(self._config)\n session.commit()\n self._top._add_valid(self._config)\n",
"role": "user"
},
{
"content": "update_config",
"role": "assistant"
}
] |
def x(self):
s = MLStripper()
s.feed(self.html)
return s.get_data()
| text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n s = MLStripper()\n s.feed(self.html)\n return s.get_data()\n",
"role": "user"
},
{
"content": "text",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
queue = Queue()
stdout_reader, stderr_reader = self._create_readers(queue, *args, **kwargs)
self.thread = threading.Thread(target=self._read, args=(stdout_reader,
stderr_reader, queue))
self.thread.daemon = True
self.thread.start()
| start | [
{
"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 queue = Queue()\n stdout_reader, stderr_reader = self._create_readers(queue, *args, **kwargs)\n self.thread = threading.Thread(target=self._read, args=(stdout_reader,\n stderr_reader, queue))\n self.thread.daemon = True\n self.thread.start()\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(data):
items = []
for key, value in data.items():
items.append('{}={}'.format(key, quoteattr(value)))
return ' '.join(items)
| quoteattrs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n items = []\n for key, value in data.items():\n items.append('{}={}'.format(key, quoteattr(value)))\n return ' '.join(items)\n",
"role": "user"
},
{
"content": "quoteattrs",
"role": "assistant"
}
] |
def x(text):
if isinstance(text, six.binary_type):
text = text.decode('utf-8')
text = text.replace('\\', '\\\\')
text = text.replace('\n', '\\n')
text = text.replace('\r', '')
for char in '\'"<>&':
text = text.replace(char, '\\x{:02x}'.format(ord(char)))
return text
| quote_js | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n if isinstance(text, six.binary_type):\n text = text.decode('utf-8')\n text = text.replace('\\\\', '\\\\\\\\')\n text = text.replace('\\n', '\\\\n')\n text = text.replace('\\r', '')\n for char in '\\'\"<>&':\n text = text.replace(char, '\\\\x{:02x}'.format(ord(char)))\n return text\n",
"role": "user"
},
{
"content": "quote_js",
"role": "assistant"
}
] |
def x(err, ramp):
if ramp == 1:
yield int(err)
while True:
yield 0
n = np.abs(np.roots([0.5, -0.5, 0]).max())
niter = int(ramp // (2 * n))
MV = n
log.info('Initializing a ramp plan', extra=dict(ramp_size=ramp, err=err,
niter=niter))
for x in range(int(n)):
budget = MV
for x in range(niter):
budget -= MV // niter
yield int(np.sign(err) * (MV // niter))
yield int(budget * np.sign(err))
MV -= 1
while True:
yield 0
| create_ramp_plan | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(err, ramp):\n if ramp == 1:\n yield int(err)\n while True:\n yield 0\n n = np.abs(np.roots([0.5, -0.5, 0]).max())\n niter = int(ramp // (2 * n))\n MV = n\n log.info('Initializing a ramp plan', extra=dict(ramp_size=ramp, err=err,\n niter=niter))\n for x in range(int(n)):\n budget = MV\n for x in range(niter):\n budget -= MV // niter\n yield int(np.sign(err) * (MV // niter))\n yield int(budget * np.sign(err))\n MV -= 1\n while True:\n yield 0\n",
"role": "user"
},
{
"content": "create_ramp_plan",
"role": "assistant"
}
] |
def x(errdata, stop_condition):
if stop_condition:
return_code = stop_condition(list(errdata))
if return_code != -1:
log.info('Stop condition triggered! Relay is terminating.',
extra=dict(return_code=return_code))
sys.exit(return_code)
| evaluate_stop_condition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(errdata, stop_condition):\n if stop_condition:\n return_code = stop_condition(list(errdata))\n if return_code != -1:\n log.info('Stop condition triggered! Relay is terminating.',\n extra=dict(return_code=return_code))\n sys.exit(return_code)\n",
"role": "user"
},
{
"content": "evaluate_stop_condition",
"role": "assistant"
}
] |
def x(self):
python_data = self.parent.python_data
if self.name in python_data:
return python_data[self.name]
return self.get_initial()
| clean_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n python_data = self.parent.python_data\n if self.name in python_data:\n return python_data[self.name]\n return self.get_initial()\n",
"role": "user"
},
{
"content": "clean_value",
"role": "assistant"
}
] |
def x(self):
value = self.raw_value
if not self._check_value_type(value):
value = [] if self.multiple else self._null_value
self.clean_value = self.conv.accept(value)
return {self.name: self.clean_value}
| accept | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n value = self.raw_value\n if not self._check_value_type(value):\n value = [] if self.multiple else self._null_value\n self.clean_value = self.conv.accept(value)\n return {self.name: self.clean_value}\n",
"role": "user"
},
{
"content": "accept",
"role": "assistant"
}
] |
def x(self):
try:
value = self.clean_value
except LookupError:
value = self.get_initial()
return self.from_python(value)
| python_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n value = self.clean_value\n except LookupError:\n value = self.get_initial()\n return self.from_python(value)\n",
"role": "user"
},
{
"content": "python_data",
"role": "assistant"
}
] |
def x(self):
result = dict(self.python_data)
for field in self.fields:
if field.writable:
result.update(field.accept())
else:
field.set_raw_value(self.form.raw_data, field.from_python(
result[field.name]))
self.clean_value = self.conv.accept(result)
return {self.name: self.clean_value}
| accept | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = dict(self.python_data)\n for field in self.fields:\n if field.writable:\n result.update(field.accept())\n else:\n field.set_raw_value(self.form.raw_data, field.from_python(\n result[field.name]))\n self.clean_value = self.conv.accept(result)\n return {self.name: self.clean_value}\n",
"role": "user"
},
{
"content": "accept",
"role": "assistant"
}
] |
def x(self):
result = FieldSet.accept(self)
self.clean_value = result[self.name]
return self.clean_value
| accept | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = FieldSet.accept(self)\n self.clean_value = result[self.name]\n return self.clean_value\n",
"role": "user"
},
{
"content": "accept",
"role": "assistant"
}
] |
def x(conn, addr, gateway, *args, **kwargs):
conn.sendall(b'OK pubsub 1.0\n')
while True:
try:
s = conn.recv(1024).decode('utf-8').strip()
if not s:
conn.close()
break
except ConnectionResetError:
logger.debug('Client close the connection.')
break
parts = s.split(' ')
if len(parts) != 2:
conn.send(b'Invalid command\n')
continue
cmd, topic = parts
if cmd.lower() != 'sub':
conn.send(bytes("Unknown command '{}'\n".format(cmd.lower()),
'utf-8'))
continue
if topic not in gateway.topics:
conn.send(bytes("Unknown topic '{}'\n".format(topic), 'utf-8'))
continue
conn.sendall(bytes('ACK {} {}\n'.format(cmd, topic), 'utf-8'))
subscriber = Subscriber(addr, conn)
gateway.link(topic, subscriber)
break
| handle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(conn, addr, gateway, *args, **kwargs):\n conn.sendall(b'OK pubsub 1.0\\n')\n while True:\n try:\n s = conn.recv(1024).decode('utf-8').strip()\n if not s:\n conn.close()\n break\n except ConnectionResetError:\n logger.debug('Client close the connection.')\n break\n parts = s.split(' ')\n if len(parts) != 2:\n conn.send(b'Invalid command\\n')\n continue\n cmd, topic = parts\n if cmd.lower() != 'sub':\n conn.send(bytes(\"Unknown command '{}'\\n\".format(cmd.lower()),\n 'utf-8'))\n continue\n if topic not in gateway.topics:\n conn.send(bytes(\"Unknown topic '{}'\\n\".format(topic), 'utf-8'))\n continue\n conn.sendall(bytes('ACK {} {}\\n'.format(cmd, topic), 'utf-8'))\n subscriber = Subscriber(addr, conn)\n gateway.link(topic, subscriber)\n break\n",
"role": "user"
},
{
"content": "handle",
"role": "assistant"
}
] |
def x(dir_path, extension='*'):
if sys.version_info.major == 3 and sys.version_info.minor >= 5:
pattern = '/'.join([dir_path, '**', extension])
for filename in glob.iglob(pattern, recursive=True):
yield filename
else:
for root, dirnames, filenames in os.walk(dir_path):
for filename in fnmatch.filter(filenames, extension):
yield os.path.join(root, filename)
| find_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dir_path, extension='*'):\n if sys.version_info.major == 3 and sys.version_info.minor >= 5:\n pattern = '/'.join([dir_path, '**', extension])\n for filename in glob.iglob(pattern, recursive=True):\n yield filename\n else:\n for root, dirnames, filenames in os.walk(dir_path):\n for filename in fnmatch.filter(filenames, extension):\n yield os.path.join(root, filename)\n",
"role": "user"
},
{
"content": "find_files",
"role": "assistant"
}
] |
def x(pair, connection=None, info=None):
if info is not None:
info.validate_pair(pair)
if connection is None:
connection = common.BTCEConnection()
response = connection.makeJSONRequest('/api/3/ticker/%s' % pair)
if type(response) is not dict:
raise TypeError('The response is a %r, not a dict.' % type(response))
elif u'error' in response:
print('There is a error "%s" while obtaining ticker %s' % (response
['error'], pair))
ticker = None
else:
ticker = Ticker(**response[pair])
return ticker
| getTicker | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pair, connection=None, info=None):\n if info is not None:\n info.validate_pair(pair)\n if connection is None:\n connection = common.BTCEConnection()\n response = connection.makeJSONRequest('/api/3/ticker/%s' % pair)\n if type(response) is not dict:\n raise TypeError('The response is a %r, not a dict.' % type(response))\n elif u'error' in response:\n print('There is a error \"%s\" while obtaining ticker %s' % (response\n ['error'], pair))\n ticker = None\n else:\n ticker = Ticker(**response[pair])\n return ticker\n",
"role": "user"
},
{
"content": "getTicker",
"role": "assistant"
}
] |
def x(pair, connection=None, info=None):
if info is not None:
info.validate_pair(pair)
if connection is None:
connection = common.BTCEConnection()
response = connection.makeJSONRequest('/api/3/depth/%s' % pair)
if type(response) is not dict:
raise TypeError('The response is not a dict.')
depth = response.get(pair)
if type(depth) is not dict:
raise TypeError('The pair depth is not a dict.')
asks = depth.get(u'asks')
if type(asks) is not list:
raise TypeError('The response does not contain an asks list.')
bids = depth.get(u'bids')
if type(bids) is not list:
raise TypeError('The response does not contain a bids list.')
return asks, bids
| getDepth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pair, connection=None, info=None):\n if info is not None:\n info.validate_pair(pair)\n if connection is None:\n connection = common.BTCEConnection()\n response = connection.makeJSONRequest('/api/3/depth/%s' % pair)\n if type(response) is not dict:\n raise TypeError('The response is not a dict.')\n depth = response.get(pair)\n if type(depth) is not dict:\n raise TypeError('The pair depth is not a dict.')\n asks = depth.get(u'asks')\n if type(asks) is not list:\n raise TypeError('The response does not contain an asks list.')\n bids = depth.get(u'bids')\n if type(bids) is not list:\n raise TypeError('The response does not contain a bids list.')\n return asks, bids\n",
"role": "user"
},
{
"content": "getDepth",
"role": "assistant"
}
] |
def x(pair, connection=None, info=None, count=None):
if info is not None:
info.validate_pair(pair)
if connection is None:
connection = common.BTCEConnection()
response = connection.makeJSONRequest('/api/3/trades/%s' % pair)
if type(response) is not dict:
raise TypeError('The response is not a dict.')
history = response.get(pair)
if type(history) is not list:
raise TypeError('The response is a %r, not a list.' % type(history))
result = []
if count is not None:
history = history[:count]
for h in history:
h['pair'] = pair
t = Trade(**h)
result.append(t)
return result
| getTradeHistory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pair, connection=None, info=None, count=None):\n if info is not None:\n info.validate_pair(pair)\n if connection is None:\n connection = common.BTCEConnection()\n response = connection.makeJSONRequest('/api/3/trades/%s' % pair)\n if type(response) is not dict:\n raise TypeError('The response is not a dict.')\n history = response.get(pair)\n if type(history) is not list:\n raise TypeError('The response is a %r, not a list.' % type(history))\n result = []\n if count is not None:\n history = history[:count]\n for h in history:\n h['pair'] = pair\n t = Trade(**h)\n result.append(t)\n return result\n",
"role": "user"
},
{
"content": "getTradeHistory",
"role": "assistant"
}
] |
def x(self):
import ambry.bundle.default_files as df
import os
path = os.path.join(os.path.dirname(df.__file__), self.file_name)
if six.PY2:
with open(path, 'rb') as f:
return f.read()
else:
with open(path, 'rt', encoding='utf-8') as f:
return f.read()
| default | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n import ambry.bundle.default_files as df\n import os\n path = os.path.join(os.path.dirname(df.__file__), self.file_name)\n if six.PY2:\n with open(path, 'rb') as f:\n return f.read()\n else:\n with open(path, 'rt', encoding='utf-8') as f:\n return f.read()\n",
"role": "user"
},
{
"content": "default",
"role": "assistant"
}
] |
def x(self):
from fs.errors import ResourceNotFoundError
try:
self._fs.remove(self.file_name)
except ResourceNotFoundError:
pass
| remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from fs.errors import ResourceNotFoundError\n try:\n self._fs.remove(self.file_name)\n except ResourceNotFoundError:\n pass\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self):
if self.exists() and bool(self.size()) and not self.record.size:
return self.SYNC_DIR.FILE_TO_RECORD
if (self.fs_modtime or 0) > (self.record.modified or 0
) and self.record.source_hash != self.fs_hash:
return self.SYNC_DIR.FILE_TO_RECORD
if self.record.size and not self.exists():
return self.SYNC_DIR.RECORD_TO_FILE
if (self.record.modified or 0) > (self.fs_modtime or 0):
return self.SYNC_DIR.RECORD_TO_FILE
return None
| sync_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.exists() and bool(self.size()) and not self.record.size:\n return self.SYNC_DIR.FILE_TO_RECORD\n if (self.fs_modtime or 0) > (self.record.modified or 0\n ) and self.record.source_hash != self.fs_hash:\n return self.SYNC_DIR.FILE_TO_RECORD\n if self.record.size and not self.exists():\n return self.SYNC_DIR.RECORD_TO_FILE\n if (self.record.modified or 0) > (self.fs_modtime or 0):\n return self.SYNC_DIR.RECORD_TO_FILE\n return None\n",
"role": "user"
},
{
"content": "sync_dir",
"role": "assistant"
}
] |
def x(self, force=None):
try:
if force:
sd = force
else:
sd = self.sync_dir()
if sd == self.SYNC_DIR.FILE_TO_RECORD:
if force and not self.exists():
return None
self.fs_to_record()
elif sd == self.SYNC_DIR.RECORD_TO_FILE:
self.record_to_fs()
else:
return None
self._dataset.config.sync[self.file_const][sd] = time.time()
return sd
except Exception as e:
self._bundle.rollback()
self._bundle.error("Failed to sync '{}': {}".format(self.file_const, e)
)
raise
| sync | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force=None):\n try:\n if force:\n sd = force\n else:\n sd = self.sync_dir()\n if sd == self.SYNC_DIR.FILE_TO_RECORD:\n if force and not self.exists():\n return None\n self.fs_to_record()\n elif sd == self.SYNC_DIR.RECORD_TO_FILE:\n self.record_to_fs()\n else:\n return None\n self._dataset.config.sync[self.file_const][sd] = time.time()\n return sd\n except Exception as e:\n self._bundle.rollback()\n self._bundle.error(\"Failed to sync '{}': {}\".format(self.file_const, e)\n )\n raise\n",
"role": "user"
},
{
"content": "sync",
"role": "assistant"
}
] |
def x(self, f):
import unicodecsv as csv
fn_path = self.file_name
fr = self.record
fr.path = fn_path
rows = []
for row in csv.reader(f):
row = [(e if e.strip() != '' else None) for e in row]
if any(bool(e) for e in row):
rows.append(row)
try:
fr.update_contents(msgpack.packb(rows), 'application/msgpack')
except AssertionError:
raise
fr.source_hash = self.fs_hash
fr.synced_fs = self.fs_modtime
fr.modified = self.fs_modtime
| fh_to_record | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, f):\n import unicodecsv as csv\n fn_path = self.file_name\n fr = self.record\n fr.path = fn_path\n rows = []\n for row in csv.reader(f):\n row = [(e if e.strip() != '' else None) for e in row]\n if any(bool(e) for e in row):\n rows.append(row)\n try:\n fr.update_contents(msgpack.packb(rows), 'application/msgpack')\n except AssertionError:\n raise\n fr.source_hash = self.fs_hash\n fr.synced_fs = self.fs_modtime\n fr.modified = self.fs_modtime\n",
"role": "user"
},
{
"content": "fh_to_record",
"role": "assistant"
}
] |
def x(self):
fr = self.record
fn_path = self.file_name
if fr.contents:
if six.PY2:
with self._fs.open(fn_path, 'wb') as f:
self.record_to_fh(f)
else:
with self._fs.open(fn_path, 'w', newline='') as f:
self.record_to_fh(f)
| record_to_fs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n fr = self.record\n fn_path = self.file_name\n if fr.contents:\n if six.PY2:\n with self._fs.open(fn_path, 'wb') as f:\n self.record_to_fh(f)\n else:\n with self._fs.open(fn_path, 'w', newline='') as f:\n self.record_to_fh(f)\n",
"role": "user"
},
{
"content": "record_to_fs",
"role": "assistant"
}
] |
def x(self, f):
fr = self.record
if fr.contents:
yaml.safe_dump(fr.unpacked_contents, f, default_flow_style=False,
encoding='utf-8')
fr.source_hash = self.fs_hash
fr.modified = self.fs_modtime
| record_to_fh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, f):\n fr = self.record\n if fr.contents:\n yaml.safe_dump(fr.unpacked_contents, f, default_flow_style=False,\n encoding='utf-8')\n fr.source_hash = self.fs_hash\n fr.modified = self.fs_modtime\n",
"role": "user"
},
{
"content": "record_to_fh",
"role": "assistant"
}
] |
def x(self, f):
fn_path = self.file_name
fr = self.record
fr.path = fn_path
fr.update_contents(f.read(), 'text/plain')
fr.source_hash = self.fs_hash
fr.synced_fs = self.fs_modtime
fr.modified = self.fs_modtime
| fh_to_record | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, f):\n fn_path = self.file_name\n fr = self.record\n fr.path = fn_path\n fr.update_contents(f.read(), 'text/plain')\n fr.source_hash = self.fs_hash\n fr.synced_fs = self.fs_modtime\n fr.modified = self.fs_modtime\n",
"role": "user"
},
{
"content": "fh_to_record",
"role": "assistant"
}
] |
def x(self):
from ..util import AttrDict
fr = self.record
contents = fr.unpacked_contents
if not contents:
return
ad = AttrDict(contents)
self._dataset.config.metadata.set(ad)
self._dataset._database.commit()
return ad
| record_to_objects | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from ..util import AttrDict\n fr = self.record\n contents = fr.unpacked_contents\n if not contents:\n return\n ad = AttrDict(contents)\n self._dataset.config.metadata.set(ad)\n self._dataset._database.commit()\n return ad\n",
"role": "user"
},
{
"content": "record_to_objects",
"role": "assistant"
}
] |
def x(self):
o = self.get_object()
o.about = self._bundle.metadata.about
o.identity = self._dataset.identity.ident_dict
o.names = self._dataset.identity.names_dict
o.contacts = self._bundle.metadata.contacts
self.set_object(o)
| objects_to_record | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n o = self.get_object()\n o.about = self._bundle.metadata.about\n o.identity = self._dataset.identity.ident_dict\n o.names = self._dataset.identity.names_dict\n o.contacts = self._bundle.metadata.contacts\n self.set_object(o)\n",
"role": "user"
},
{
"content": "objects_to_record",
"role": "assistant"
}
] |
def x(self):
fr = self.record
d = fr.unpacked_contents
d['identity'] = self._dataset.identity.ident_dict
d['names'] = self._dataset.identity.names_dict
fr.update_contents(msgpack.packb(d), 'application/msgpack')
| update_identity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n fr = self.record\n d = fr.unpacked_contents\n d['identity'] = self._dataset.identity.ident_dict\n d['names'] = self._dataset.identity.names_dict\n fr.update_contents(msgpack.packb(d), 'application/msgpack')\n",
"role": "user"
},
{
"content": "update_identity",
"role": "assistant"
}
] |
def x(self):
from ..util import AttrDict
c = self.record.unpacked_contents
if not c:
c = yaml.safe_load(self.default)
return AttrDict(c)
| get_object | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from ..util import AttrDict\n c = self.record.unpacked_contents\n if not c:\n c = yaml.safe_load(self.default)\n return AttrDict(c)\n",
"role": "user"
},
{
"content": "get_object",
"role": "assistant"
}
] |
def x(self):
import json
import ambry.bundle.default_files as df
import os
path = os.path.join(os.path.dirname(df.__file__), 'notebook.ipynb')
if six.PY2:
with open(path, 'rb') as f:
content_str = f.read()
else:
with open(path, 'rt', encoding='utf-8') as f:
content_str = f.read()
c = json.loads(content_str)
context = {'title': self._bundle.metadata.about.title, 'summary': self.
_bundle.metadata.about.title, 'bundle_vname': self._bundle.identity
.vname}
for cell in c['cells']:
for i in range(len(cell['source'])):
cell['source'][i] = cell['source'][i].format(**context)
c['metadata']['ambry'] = {'identity': self._bundle.identity.dict}
return json.dumps(c, indent=4)
| default | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n import json\n import ambry.bundle.default_files as df\n import os\n path = os.path.join(os.path.dirname(df.__file__), 'notebook.ipynb')\n if six.PY2:\n with open(path, 'rb') as f:\n content_str = f.read()\n else:\n with open(path, 'rt', encoding='utf-8') as f:\n content_str = f.read()\n c = json.loads(content_str)\n context = {'title': self._bundle.metadata.about.title, 'summary': self.\n _bundle.metadata.about.title, 'bundle_vname': self._bundle.identity\n .vname}\n for cell in c['cells']:\n for i in range(len(cell['source'])):\n cell['source'][i] = cell['source'][i].format(**context)\n c['metadata']['ambry'] = {'identity': self._bundle.identity.dict}\n return json.dumps(c, indent=4)\n",
"role": "user"
},
{
"content": "default",
"role": "assistant"
}
] |
def x(self):
from nbformat import read
from nbconvert.exporters import export_script
from cStringIO import StringIO
notebook = read(StringIO(self.record.unpacked_contents), 4)
script, resources = export_script(notebook)
env_dict = {}
exec(compile(script.replace('# coding: utf-8', ''), 'script', 'exec'),
env_dict)
return env_dict
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from nbformat import read\n from nbconvert.exporters import export_script\n from cStringIO import StringIO\n notebook = read(StringIO(self.record.unpacked_contents), 4)\n script, resources = export_script(notebook)\n env_dict = {}\n exec(compile(script.replace('# coding: utf-8', ''), 'script', 'exec'),\n env_dict)\n return env_dict\n",
"role": "user"
},
{
"content": "execute",
"role": "assistant"
}
] |
def x(self):
fr = self.record
if fr.contents:
with self._fs.open(self.file_name, 'w', encoding='utf-8') as f:
self.record_to_fh(f)
| record_to_fs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n fr = self.record\n if fr.contents:\n with self._fs.open(self.file_name, 'w', encoding='utf-8') as f:\n self.record_to_fh(f)\n",
"role": "user"
},
{
"content": "record_to_fs",
"role": "assistant"
}
] |
def x(self, module_path='ambry.build', **kwargs):
from fs.errors import NoSysPathError
if module_path in sys.modules:
module = sys.modules[module_path]
else:
module = imp.new_module(module_path)
sys.modules[module_path] = module
bf = self.record
if not bf.contents:
return module
module.__dict__.update(**kwargs)
try:
abs_path = self._fs.getsyspath(self.file_name)
except NoSysPathError:
abs_path = '<string>'
import re
if re.search('-\\*-\\s+coding:', bf.contents):
contents = bf.contents
else:
contents = bf.unpacked_contents
exec(compile(contents, abs_path, 'exec'), module.__dict__)
return module
| import_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, module_path='ambry.build', **kwargs):\n from fs.errors import NoSysPathError\n if module_path in sys.modules:\n module = sys.modules[module_path]\n else:\n module = imp.new_module(module_path)\n sys.modules[module_path] = module\n bf = self.record\n if not bf.contents:\n return module\n module.__dict__.update(**kwargs)\n try:\n abs_path = self._fs.getsyspath(self.file_name)\n except NoSysPathError:\n abs_path = '<string>'\n import re\n if re.search('-\\\\*-\\\\s+coding:', bf.contents):\n contents = bf.contents\n else:\n contents = bf.unpacked_contents\n exec(compile(contents, abs_path, 'exec'), module.__dict__)\n return module\n",
"role": "user"
},
{
"content": "import_module",
"role": "assistant"
}
] |
def x(self):
from fs.errors import NoSysPathError
try:
import ambry.build
module = sys.modules['ambry.build']
except ImportError:
module = imp.new_module('ambry.build')
sys.modules['ambry.build'] = module
bf = self.record
if not bf.has_contents:
from ambry.bundle import Bundle
return Bundle
try:
abs_path = self._fs.getsyspath(self.file_name)
except NoSysPathError:
abs_path = '<string>'
exec(compile(bf.contents, abs_path, 'exec'), module.__dict__)
return module.Bundle
| import_bundle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from fs.errors import NoSysPathError\n try:\n import ambry.build\n module = sys.modules['ambry.build']\n except ImportError:\n module = imp.new_module('ambry.build')\n sys.modules['ambry.build'] = module\n bf = self.record\n if not bf.has_contents:\n from ambry.bundle import Bundle\n return Bundle\n try:\n abs_path = self._fs.getsyspath(self.file_name)\n except NoSysPathError:\n abs_path = '<string>'\n exec(compile(bf.contents, abs_path, 'exec'), module.__dict__)\n return module.Bundle\n",
"role": "user"
},
{
"content": "import_bundle",
"role": "assistant"
}
] |
def x(self):
try:
import ambry.build
module = sys.modules['ambry.build']
except ImportError:
module = imp.new_module('ambry.build')
sys.modules['ambry.build'] = module
bf = self.record
if not bf.has_contents:
return
try:
exec(compile(bf.contents, self.path, 'exec'), module.__dict__)
except Exception:
self._bundle.error('Failed to load code from {}'.format(self.path))
raise
return module
| import_lib | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n import ambry.build\n module = sys.modules['ambry.build']\n except ImportError:\n module = imp.new_module('ambry.build')\n sys.modules['ambry.build'] = module\n bf = self.record\n if not bf.has_contents:\n return\n try:\n exec(compile(bf.contents, self.path, 'exec'), module.__dict__)\n except Exception:\n self._bundle.error('Failed to load code from {}'.format(self.path))\n raise\n return module\n",
"role": "user"
},
{
"content": "import_lib",
"role": "assistant"
}
] |
def x(self):
from ambry.orm.exc import NotFoundError
fr = self.record
contents = fr.unpacked_contents
if not contents:
return
non_empty_rows = drop_empty(contents)
s = self._dataset._database.session
for i, row in enumerate(non_empty_rows):
if i == 0:
header = row
else:
d = dict(six.moves.zip(header, row))
if 'widths' in d:
del d['widths']
if 'table' in d:
d['dest_table_name'] = d['table']
del d['table']
if 'order' in d:
d['stage'] = d['order']
del d['order']
if 'dest_table' in d:
d['dest_table_name'] = d['dest_table']
del d['dest_table']
if 'source_table' in d:
d['source_table_name'] = d['source_table']
del d['source_table']
d['d_vid'] = self._dataset.vid
d['state'] = 'synced'
try:
ds = self._dataset.source_file(str(d['name']))
ds.update(**d)
except NotFoundError:
name = d['name']
del d['name']
try:
ds = self._dataset.new_source(name, **d)
except:
print(name, d)
import pprint
pprint.pprint(d)
raise
except:
print('!!!', header)
print('!!!', row)
raise
s.merge(ds)
self._dataset._database.commit()
| record_to_objects | [
{
"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 fr = self.record\n contents = fr.unpacked_contents\n if not contents:\n return\n non_empty_rows = drop_empty(contents)\n s = self._dataset._database.session\n for i, row in enumerate(non_empty_rows):\n if i == 0:\n header = row\n else:\n d = dict(six.moves.zip(header, row))\n if 'widths' in d:\n del d['widths']\n if 'table' in d:\n d['dest_table_name'] = d['table']\n del d['table']\n if 'order' in d:\n d['stage'] = d['order']\n del d['order']\n if 'dest_table' in d:\n d['dest_table_name'] = d['dest_table']\n del d['dest_table']\n if 'source_table' in d:\n d['source_table_name'] = d['source_table']\n del d['source_table']\n d['d_vid'] = self._dataset.vid\n d['state'] = 'synced'\n try:\n ds = self._dataset.source_file(str(d['name']))\n ds.update(**d)\n except NotFoundError:\n name = d['name']\n del d['name']\n try:\n ds = self._dataset.new_source(name, **d)\n except:\n print(name, d)\n import pprint\n pprint.pprint(d)\n raise\n except:\n print('!!!', header)\n print('!!!', row)\n raise\n s.merge(ds)\n self._dataset._database.commit()\n",
"role": "user"
},
{
"content": "record_to_objects",
"role": "assistant"
}
] |
def x(self):
from ambry.orm import Column, Table, Dataset
def x(i):
if i is None:
return None
elif isinstance(i, int):
return i
elif isinstance(i, string_types):
if len(i) == 0:
return None
return int(i.strip())
bsfile = self.record
contents = bsfile.unpacked_contents
if not contents:
return
line_no = 1
errors = []
warnings = []
extant_tables = {t.name: t for t in self._dataset.tables}
old_types_map = {'varchar': Column.DATATYPE_STR, 'integer': Column.
DATATYPE_INTEGER, 'real': Column.DATATYPE_FLOAT}
def x(line_no):
self._bundle.log('Loading tables from file. Line #{}'.format(line_no))
from ambry.bundle.process import CallInterval
run_progress_f = CallInterval(run_progress_f, 10)
table_number = self._dataset._database.next_sequence_id(Dataset, self.
_dataset.vid, Table)
for row in bsfile.dict_row_reader:
line_no += 1
run_progress_f(line_no)
if not row.get('column', False) and not row.get('table', False):
continue
if not row.get('column', False):
raise ConfigurationError('Row error: no column on line {}'.
format(line_no))
if not row.get('table', False):
raise ConfigurationError('Row error: no table on line {}'.
format(line_no))
if not row.get('datatype', False) and not row.get('valuetype', False):
raise ConfigurationError('Row error: no type on line {}'.format
(line_no))
value_type = row.get('valuetype', '').strip() if row.get('valuetype',
False) else None
data_type = row.get('datatype', '').strip() if row.get('datatype',
False) else None
def x(value_type):
from ambry.valuetype import resolve_value_type
vt_class = resolve_value_type(value_type)
if not vt_class:
raise ConfigurationError("Row error: unknown valuetype '{}'"
.format(value_type))
return vt_class.python_type().__name__
if value_type and not data_type:
data_type = resolve_data_type(value_type)
elif data_type and not value_type:
value_type = data_type
data_type = resolve_data_type(value_type)
data_type = old_types_map.get(data_type.lower(), data_type)
table_name = row['table']
try:
table = extant_tables[table_name]
except KeyError:
table = self._dataset.new_table(table_name, sequence_id=
table_number, description=row.get('description') if row[
'column'] == 'id' else '')
table_number += 1
extant_tables[table_name] = table
data = {k.replace('d_', '', 1): v for k, v in list(row.items()) if
k and k.startswith('d_') and v}
if row['column'] == 'id':
table.data.update(data)
data = {}
table.add_column(row['column'], fk_vid=row['is_fk'] if row.get(
'is_fk', False) else None, description=(row.get('description',
'') or '').strip(), datatype=data_type, valuetype=value_type,
parent=row.get('parent'), proto_vid=row.get('proto_vid'), size=
_clean_int(row.get('size', None)), width=_clean_int(row.get(
'width', None)), data=data, keywords=row.get('keywords'),
measure=row.get('measure'), transform=row.get('transform'),
derivedfrom=row.get('derivedfrom'), units=row.get('units', None
), universe=row.get('universe'), update_existing=True)
self._dataset.t_sequence_id = table_number
return warnings, errors
| record_to_objects | [
{
"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 import Column, Table, Dataset\n\n def x(i):\n if i is None:\n return None\n elif isinstance(i, int):\n return i\n elif isinstance(i, string_types):\n if len(i) == 0:\n return None\n return int(i.strip())\n bsfile = self.record\n contents = bsfile.unpacked_contents\n if not contents:\n return\n line_no = 1\n errors = []\n warnings = []\n extant_tables = {t.name: t for t in self._dataset.tables}\n old_types_map = {'varchar': Column.DATATYPE_STR, 'integer': Column.\n DATATYPE_INTEGER, 'real': Column.DATATYPE_FLOAT}\n\n def x(line_no):\n self._bundle.log('Loading tables from file. Line #{}'.format(line_no))\n from ambry.bundle.process import CallInterval\n run_progress_f = CallInterval(run_progress_f, 10)\n table_number = self._dataset._database.next_sequence_id(Dataset, self.\n _dataset.vid, Table)\n for row in bsfile.dict_row_reader:\n line_no += 1\n run_progress_f(line_no)\n if not row.get('column', False) and not row.get('table', False):\n continue\n if not row.get('column', False):\n raise ConfigurationError('Row error: no column on line {}'.\n format(line_no))\n if not row.get('table', False):\n raise ConfigurationError('Row error: no table on line {}'.\n format(line_no))\n if not row.get('datatype', False) and not row.get('valuetype', False):\n raise ConfigurationError('Row error: no type on line {}'.format\n (line_no))\n value_type = row.get('valuetype', '').strip() if row.get('valuetype',\n False) else None\n data_type = row.get('datatype', '').strip() if row.get('datatype', \n False) else None\n\n def x(value_type):\n from ambry.valuetype import resolve_value_type\n vt_class = resolve_value_type(value_type)\n if not vt_class:\n raise ConfigurationError(\"Row error: unknown valuetype '{}'\"\n .format(value_type))\n return vt_class.python_type().__name__\n if value_type and not data_type:\n data_type = resolve_data_type(value_type)\n elif data_type and not value_type:\n value_type = data_type\n data_type = resolve_data_type(value_type)\n data_type = old_types_map.get(data_type.lower(), data_type)\n table_name = row['table']\n try:\n table = extant_tables[table_name]\n except KeyError:\n table = self._dataset.new_table(table_name, sequence_id=\n table_number, description=row.get('description') if row[\n 'column'] == 'id' else '')\n table_number += 1\n extant_tables[table_name] = table\n data = {k.replace('d_', '', 1): v for k, v in list(row.items()) if \n k and k.startswith('d_') and v}\n if row['column'] == 'id':\n table.data.update(data)\n data = {}\n table.add_column(row['column'], fk_vid=row['is_fk'] if row.get(\n 'is_fk', False) else None, description=(row.get('description',\n '') or '').strip(), datatype=data_type, valuetype=value_type,\n parent=row.get('parent'), proto_vid=row.get('proto_vid'), size=\n _clean_int(row.get('size', None)), width=_clean_int(row.get(\n 'width', None)), data=data, keywords=row.get('keywords'),\n measure=row.get('measure'), transform=row.get('transform'),\n derivedfrom=row.get('derivedfrom'), units=row.get('units', None\n ), universe=row.get('universe'), update_existing=True)\n self._dataset.t_sequence_id = table_number\n return warnings, errors\n",
"role": "user"
},
{
"content": "record_to_objects",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.