source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, field, direct='desc'):
if direct == 'desc':
self._query = self._query.order_by(r.desc(field))
else:
self._query = self._query.order_by(r.asc(field))
return self
| orderBy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field, direct='desc'):\n if direct == 'desc':\n self._query = self._query.order_by(r.desc(field))\n else:\n self._query = self._query.order_by(r.asc(field))\n return self\n",
"role": "user"
},
{
"content": "orderBy",
"role": "assistant"
}
] |
def x(self, value):
self._query = self._query.skip(value)
return self
| offset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n self._query = self._query.skip(value)\n return self\n",
"role": "user"
},
{
"content": "offset",
"role": "assistant"
}
] |
def x(self, value):
self._query = self._query.limit(value)
return self
| limit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n self._query = self._query.limit(value)\n return self\n",
"role": "user"
},
{
"content": "limit",
"role": "assistant"
}
] |
def x(self):
returnResults = []
results = self._query.run()
for result in results:
if self._join:
item = self._model.fromRawEntry(**result['left'])
joined = self._join.fromRawEntry(**result['right'])
item.protectedItems = self._joinedField
item[self._joinedField] = joined
else:
item = self._model.fromRawEntry(**result)
returnResults.append(item)
self._documents = returnResults
return self._documents
| fetch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n returnResults = []\n results = self._query.run()\n for result in results:\n if self._join:\n item = self._model.fromRawEntry(**result['left'])\n joined = self._join.fromRawEntry(**result['right'])\n item.protectedItems = self._joinedField\n item[self._joinedField] = joined\n else:\n item = self._model.fromRawEntry(**result)\n returnResults.append(item)\n self._documents = returnResults\n return self._documents\n",
"role": "user"
},
{
"content": "fetch",
"role": "assistant"
}
] |
def x(request):
if request.method == 'PUT':
if hasattr(request, '_post'):
del request._post
del request._files
try:
request.method = 'POST'
request._load_post_and_files()
request.method = 'PUT'
except AttributeError:
request.META['REQUEST_METHOD'] = 'POST'
request._load_post_and_files()
request.META['REQUEST_METHOD'] = 'PUT'
request.PUT = request.POST
| coerce_put_post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n if request.method == 'PUT':\n if hasattr(request, '_post'):\n del request._post\n del request._files\n try:\n request.method = 'POST'\n request._load_post_and_files()\n request.method = 'PUT'\n except AttributeError:\n request.META['REQUEST_METHOD'] = 'POST'\n request._load_post_and_files()\n request.META['REQUEST_METHOD'] = 'PUT'\n request.PUT = request.POST\n",
"role": "user"
},
{
"content": "coerce_put_post",
"role": "assistant"
}
] |
def x(self, ctype):
for loadee, mimes in Mimer.TYPES.iteritems():
for mime in mimes:
if ctype.startswith(mime):
return loadee
| loader_for_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ctype):\n for loadee, mimes in Mimer.TYPES.iteritems():\n for mime in mimes:\n if ctype.startswith(mime):\n return loadee\n",
"role": "user"
},
{
"content": "loader_for_type",
"role": "assistant"
}
] |
def x(self):
type_formencoded = 'application/x-www-form-urlencoded'
ctype = self.request.META.get('CONTENT_TYPE', type_formencoded)
if type_formencoded in ctype:
return None
return ctype
| content_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n type_formencoded = 'application/x-www-form-urlencoded'\n ctype = self.request.META.get('CONTENT_TYPE', type_formencoded)\n if type_formencoded in ctype:\n return None\n return ctype\n",
"role": "user"
},
{
"content": "content_type",
"role": "assistant"
}
] |
def x(self):
ctype = self.content_type()
self.request.content_type = ctype
if not self.is_multipart() and ctype:
loadee = self.loader_for_type(ctype)
if loadee:
try:
self.request.data = loadee(self.request.raw_post_data)
self.request.POST = self.request.PUT = dict()
except (TypeError, ValueError):
raise MimerDataException
else:
self.request.data = None
return self.request
| translate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ctype = self.content_type()\n self.request.content_type = ctype\n if not self.is_multipart() and ctype:\n loadee = self.loader_for_type(ctype)\n if loadee:\n try:\n self.request.data = loadee(self.request.raw_post_data)\n self.request.POST = self.request.PUT = dict()\n except (TypeError, ValueError):\n raise MimerDataException\n else:\n self.request.data = None\n return self.request\n",
"role": "user"
},
{
"content": "translate",
"role": "assistant"
}
] |
def x(levels, tagmax):
ntw = levels
if ntw < 2:
ntw = 2
steps = [(stp, 1 + stp * int(math.ceil(tagmax * 1.0 / ntw - 1))) for
stp in range(ntw)]
steps[-1] = steps[-1][0], tagmax + 1
return steps
| getsteps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(levels, tagmax):\n ntw = levels\n if ntw < 2:\n ntw = 2\n steps = [(stp, 1 + stp * int(math.ceil(tagmax * 1.0 / ntw - 1))) for\n stp in range(ntw)]\n steps[-1] = steps[-1][0], tagmax + 1\n return steps\n",
"role": "user"
},
{
"content": "getsteps",
"role": "assistant"
}
] |
def x(site, tagdata):
tagdata.sort()
tagmax = 0
for tagname, tagcount in tagdata:
if tagcount > tagmax:
tagmax = tagcount
steps = getsteps(site.tagcloud_levels, tagmax)
tags = []
for tagname, tagcount in tagdata:
weight = [twt[0] for twt in steps if twt[1] >= tagcount and twt[1] > 0
][0] + 1
tags.append({'tagname': tagname, 'count': tagcount, 'weight': weight})
return tags
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(site, tagdata):\n tagdata.sort()\n tagmax = 0\n for tagname, tagcount in tagdata:\n if tagcount > tagmax:\n tagmax = tagcount\n steps = getsteps(site.tagcloud_levels, tagmax)\n tags = []\n for tagname, tagcount in tagdata:\n weight = [twt[0] for twt in steps if twt[1] >= tagcount and twt[1] > 0\n ][0] + 1\n tags.append({'tagname': tagname, 'count': tagcount, 'weight': weight})\n return tags\n",
"role": "user"
},
{
"content": "build",
"role": "assistant"
}
] |
def x(query):
try:
conn = connection.cursor()
conn.execute(query)
data = conn.fetchall()
conn.close()
except:
data = list()
return data
| getquery | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query):\n try:\n conn = connection.cursor()\n conn.execute(query)\n data = conn.fetchall()\n conn.close()\n except:\n data = list()\n return data\n",
"role": "user"
},
{
"content": "getquery",
"role": "assistant"
}
] |
def x(site):
tagdata = getquery(
"""
SELECT feedjack_post.feed_id, feedjack_tag.name, COUNT(*)
FROM feedjack_post, feedjack_subscriber, feedjack_tag,
feedjack_post_tags
WHERE feedjack_post.feed_id=feedjack_subscriber.feed_id AND
feedjack_post_tags.tag_id=feedjack_tag.id AND
feedjack_post_tags.post_id=feedjack_post.id AND
feedjack_subscriber.site_id=%d
GROUP BY feedjack_post.feed_id, feedjack_tag.name
ORDER BY feedjack_post.feed_id, feedjack_tag.name"""
% site.id)
tagdict = {}
globaldict = {}
cloudict = {}
for feed_id, tagname, tagcount in tagdata:
if feed_id not in tagdict:
tagdict[feed_id] = []
tagdict[feed_id].append((tagname, tagcount))
try:
globaldict[tagname] += tagcount
except KeyError:
globaldict[tagname] = tagcount
tagdict[0] = globaldict.items()
for key, val in tagdict.items():
cloudict[key] = build(site, val)
return cloudict
| cloudata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(site):\n tagdata = getquery(\n \"\"\"\n\t\tSELECT feedjack_post.feed_id, feedjack_tag.name, COUNT(*)\n\t\tFROM feedjack_post, feedjack_subscriber, feedjack_tag,\n\t\tfeedjack_post_tags\n\t\tWHERE feedjack_post.feed_id=feedjack_subscriber.feed_id AND\n\t\tfeedjack_post_tags.tag_id=feedjack_tag.id AND\n\t\tfeedjack_post_tags.post_id=feedjack_post.id AND\n\t\tfeedjack_subscriber.site_id=%d\n\t\tGROUP BY feedjack_post.feed_id, feedjack_tag.name\n\t\tORDER BY feedjack_post.feed_id, feedjack_tag.name\"\"\"\n % site.id)\n tagdict = {}\n globaldict = {}\n cloudict = {}\n for feed_id, tagname, tagcount in tagdata:\n if feed_id not in tagdict:\n tagdict[feed_id] = []\n tagdict[feed_id].append((tagname, tagcount))\n try:\n globaldict[tagname] += tagcount\n except KeyError:\n globaldict[tagname] = tagcount\n tagdict[0] = globaldict.items()\n for key, val in tagdict.items():\n cloudict[key] = build(site, val)\n return cloudict\n",
"role": "user"
},
{
"content": "cloudata",
"role": "assistant"
}
] |
def x(site, feed_id=None):
cloudict = fjcache.cache_get(site.id, 'tagclouds')
if not cloudict:
cloudict = cloudata(site)
fjcache.cache_set(site, 'tagclouds', cloudict)
if feed_id:
feed_id = int(feed_id)
if feed_id in cloudict:
return cloudict[feed_id]
return []
return cloudict[0]
| getcloud | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(site, feed_id=None):\n cloudict = fjcache.cache_get(site.id, 'tagclouds')\n if not cloudict:\n cloudict = cloudata(site)\n fjcache.cache_set(site, 'tagclouds', cloudict)\n if feed_id:\n feed_id = int(feed_id)\n if feed_id in cloudict:\n return cloudict[feed_id]\n return []\n return cloudict[0]\n",
"role": "user"
},
{
"content": "getcloud",
"role": "assistant"
}
] |
def x(page):
stations = [_(station.value) for station in page('.stateName')]
return {'terminal': {stations[0]: list(reversed(stations)), stations[-1
]: stations}, 'stations': stations}
| extract_stations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page):\n stations = [_(station.value) for station in page('.stateName')]\n return {'terminal': {stations[0]: list(reversed(stations)), stations[-1\n ]: stations}, 'stations': stations}\n",
"role": "user"
},
{
"content": "extract_stations",
"role": "assistant"
}
] |
def x(page, stations):
current_routines = CURRENT_ROUTINE_PATTERN.findall(page.text())
if not current_routines:
return
terminal_station = stations['stations'][-1]
for routine in current_routines:
if _(routine[0]) == terminal_station:
distance = int(routine[1])
stations_to_this_dir = stations['terminal'][terminal_station]
waiting_station = _(page('.now .stateName').val())
idx = stations_to_this_dir.index(waiting_station)
bus_station = stations_to_this_dir[idx - distance + 1]
return {'destinate_station': terminal_station, 'bus_station':
bus_station, 'waiting_station': waiting_station, 'distance': distance}
| extract_current_routine | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page, stations):\n current_routines = CURRENT_ROUTINE_PATTERN.findall(page.text())\n if not current_routines:\n return\n terminal_station = stations['stations'][-1]\n for routine in current_routines:\n if _(routine[0]) == terminal_station:\n distance = int(routine[1])\n stations_to_this_dir = stations['terminal'][terminal_station]\n waiting_station = _(page('.now .stateName').val())\n idx = stations_to_this_dir.index(waiting_station)\n bus_station = stations_to_this_dir[idx - distance + 1]\n return {'destinate_station': terminal_station, 'bus_station':\n bus_station, 'waiting_station': waiting_station, 'distance': distance}\n",
"role": "user"
},
{
"content": "extract_current_routine",
"role": "assistant"
}
] |
def x(page):
if not isinstance(page, pq):
page = pq(page)
stations = extract_stations(page)
return {'name': extract_routine_name(page), 'stations': stations,
'current': extract_current_routine(page, stations)}
| extract_bus_routine | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page):\n if not isinstance(page, pq):\n page = pq(page)\n stations = extract_stations(page)\n return {'name': extract_routine_name(page), 'stations': stations,\n 'current': extract_current_routine(page, stations)}\n",
"role": "user"
},
{
"content": "extract_bus_routine",
"role": "assistant"
}
] |
def x(self):
validation_code = self.setup_src + '\nvalidation_result = ' + self.stmt
validation_scope = {}
exec(validation_code, validation_scope)
if len(self.groups[self.group]) == 1:
self.result = validation_scope['validation_result']
logging.info(
'PyPerform: Validating group "{b.group}" against function "{b.callable.__name__}"'
.format(b=self))
else:
compare_against_benchmark = self.groups[self.group][0]
test = [benchmark.result_validation for benchmark in self.groups[
self.group]]
if not all(test):
raise ValueError(
'All functions within a group must have the same validation flag.'
)
compare_result = compare_against_benchmark.result
if self.validation_func:
results_are_valid = self.validation_func(compare_result,
validation_scope['validation_result'])
else:
results_are_valid = compare_result == validation_scope[
'validation_result']
if results_are_valid:
logging.info('PyPerform: Validating {}......PASSED!'.format(
self.callable.__name__))
else:
error = (
'Results of functions {0} and {1} are not equivalent.\n{0}:\t {2}\n{1}:\t{3}'
)
raise ValidationError(error.format(compare_against_benchmark.
callable.__name__, self.callable.__name__, compare_result,
validation_scope['validation_result']))
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n validation_code = self.setup_src + '\\nvalidation_result = ' + self.stmt\n validation_scope = {}\n exec(validation_code, validation_scope)\n if len(self.groups[self.group]) == 1:\n self.result = validation_scope['validation_result']\n logging.info(\n 'PyPerform: Validating group \"{b.group}\" against function \"{b.callable.__name__}\"'\n .format(b=self))\n else:\n compare_against_benchmark = self.groups[self.group][0]\n test = [benchmark.result_validation for benchmark in self.groups[\n self.group]]\n if not all(test):\n raise ValueError(\n 'All functions within a group must have the same validation flag.'\n )\n compare_result = compare_against_benchmark.result\n if self.validation_func:\n results_are_valid = self.validation_func(compare_result,\n validation_scope['validation_result'])\n else:\n results_are_valid = compare_result == validation_scope[\n 'validation_result']\n if results_are_valid:\n logging.info('PyPerform: Validating {}......PASSED!'.format(\n self.callable.__name__))\n else:\n error = (\n 'Results of functions {0} and {1} are not equivalent.\\n{0}:\\t {2}\\n{1}:\\t{3}'\n )\n raise ValidationError(error.format(compare_against_benchmark.\n callable.__name__, self.callable.__name__, compare_result,\n validation_scope['validation_result']))\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(group, fs=None, include_source=True):
_line_break = '{0:-<120}\n'.format('')
tests = sorted(ComparisonBenchmark.groups[group], key=lambda t: getattr
(t, 'time_average_seconds'))
log = StringIO.StringIO()
log.write('Call statement:\n\n')
log.write('\t' + tests[0].stmt)
log.write('\n\n\n')
fmt = '{0: <8} {1: <35} {2: <12} {3: <15} {4: <15} {5: <14}\n'
log.write(fmt.format('Rank', 'Function Name', 'Time', '% of Slowest',
'timeit_repeat', 'timeit_number'))
log.write(_line_break)
log.write('\n')
for i, t in enumerate(tests):
func_name = '{}.{}'.format(t.classname, t.callable.__name__
) if t.classname else t.callable.__name__
if i == len(tests) - 1:
time_percent = 'Slowest'
else:
time_percent = '{:.1f}'.format(t.time_average_seconds / tests[-
1].time_average_seconds * 100)
log.write(fmt.format(i + 1, func_name, convert_time_units(t.
time_average_seconds), time_percent, t.timeit_repeat, t.
timeit_number))
log.write(_line_break)
if include_source:
log.write('\n\n\nSource Code:\n')
log.write(_line_break)
for test in tests:
log.write(test.log.getvalue())
log.write(_line_break)
if isinstance(fs, str):
with open(fs, 'w') as f:
f.write(log.getvalue())
elif fs is None:
print(log.getvalue())
else:
try:
fs.write(log.getvalue())
except AttributeError as e:
print(e)
| summarize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(group, fs=None, include_source=True):\n _line_break = '{0:-<120}\\n'.format('')\n tests = sorted(ComparisonBenchmark.groups[group], key=lambda t: getattr\n (t, 'time_average_seconds'))\n log = StringIO.StringIO()\n log.write('Call statement:\\n\\n')\n log.write('\\t' + tests[0].stmt)\n log.write('\\n\\n\\n')\n fmt = '{0: <8} {1: <35} {2: <12} {3: <15} {4: <15} {5: <14}\\n'\n log.write(fmt.format('Rank', 'Function Name', 'Time', '% of Slowest',\n 'timeit_repeat', 'timeit_number'))\n log.write(_line_break)\n log.write('\\n')\n for i, t in enumerate(tests):\n func_name = '{}.{}'.format(t.classname, t.callable.__name__\n ) if t.classname else t.callable.__name__\n if i == len(tests) - 1:\n time_percent = 'Slowest'\n else:\n time_percent = '{:.1f}'.format(t.time_average_seconds / tests[-\n 1].time_average_seconds * 100)\n log.write(fmt.format(i + 1, func_name, convert_time_units(t.\n time_average_seconds), time_percent, t.timeit_repeat, t.\n timeit_number))\n log.write(_line_break)\n if include_source:\n log.write('\\n\\n\\nSource Code:\\n')\n log.write(_line_break)\n for test in tests:\n log.write(test.log.getvalue())\n log.write(_line_break)\n if isinstance(fs, str):\n with open(fs, 'w') as f:\n f.write(log.getvalue())\n elif fs is None:\n print(log.getvalue())\n else:\n try:\n fs.write(log.getvalue())\n except AttributeError as e:\n print(e)\n",
"role": "user"
},
{
"content": "summarize",
"role": "assistant"
}
] |
def x(self, key):
rawCursor = r.table(self.table).get(key).run(self._conn)
if rawCursor:
self._data = rawCursor
self._new = False
return True
else:
return False
| grabData | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n rawCursor = r.table(self.table).get(key).run(self._conn)\n if rawCursor:\n self._data = rawCursor\n self._new = False\n return True\n else:\n return False\n",
"role": "user"
},
{
"content": "grabData",
"role": "assistant"
}
] |
def x(self, item):
if item not in object.__getattribute__(self, '_protectedItems') and item[0
] != '_':
data = object.__getattribute__(self, '_data')
if item in data:
return data[item]
return object.__getattribute__(self, item)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n if item not in object.__getattribute__(self, '_protectedItems') and item[0\n ] != '_':\n data = object.__getattribute__(self, '_data')\n if item in data:\n return data[item]\n return object.__getattribute__(self, item)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, item, value):
if item not in object.__getattribute__(self, '_protectedItems') and item[0
] != '_':
keys = object.__getattribute__(self, '_data')
if not hasattr(value, '__call__'):
keys[item] = value
return value
if hasattr(value, '__call__') and item in keys:
raise Exception(
'Cannot set model data to a function, same name exists in data'
)
return object.__setattr__(self, item, value)
| set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item, value):\n if item not in object.__getattribute__(self, '_protectedItems') and item[0\n ] != '_':\n keys = object.__getattribute__(self, '_data')\n if not hasattr(value, '__call__'):\n keys[item] = value\n return value\n if hasattr(value, '__call__') and item in keys:\n raise Exception(\n 'Cannot set model data to a function, same name exists in data'\n )\n return object.__setattr__(self, item, value)\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(cls, **kwargs):
id = kwargs['id']
kwargs.pop('id')
what = cls(**kwargs)
what._new = False
what.id = id
return what
| fromRawEntry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, **kwargs):\n id = kwargs['id']\n kwargs.pop('id')\n what = cls(**kwargs)\n what._new = False\n what.id = id\n return what\n",
"role": "user"
},
{
"content": "fromRawEntry",
"role": "assistant"
}
] |
def x(cls, id=None, **kwargs):
what = cls(**kwargs)
if id:
setattr(what, cls.primaryKey, id)
what.save()
return what
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, id=None, **kwargs):\n what = cls(**kwargs)\n if id:\n setattr(what, cls.primaryKey, id)\n what.save()\n return what\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self):
if not self._new:
data = self._data.copy()
ID = data.pop(self.primaryKey)
reply = r.table(self.table).get(ID).update(data, durability=self.
durability, non_atomic=self.non_atomic).run(self._conn)
else:
reply = r.table(self.table).insert(self._data, durability=self.
durability, upsert=self.upsert).run(self._conn)
self._new = False
if 'generated_keys' in reply and reply['generated_keys']:
self._data[self.primaryKey] = reply['generated_keys'][0]
if 'errors' in reply and reply['errors'] > 0:
raise Exception('Could not insert entry: %s' % reply['first_error'])
return True
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._new:\n data = self._data.copy()\n ID = data.pop(self.primaryKey)\n reply = r.table(self.table).get(ID).update(data, durability=self.\n durability, non_atomic=self.non_atomic).run(self._conn)\n else:\n reply = r.table(self.table).insert(self._data, durability=self.\n durability, upsert=self.upsert).run(self._conn)\n self._new = False\n if 'generated_keys' in reply and reply['generated_keys']:\n self._data[self.primaryKey] = reply['generated_keys'][0]\n if 'errors' in reply and reply['errors'] > 0:\n raise Exception('Could not insert entry: %s' % reply['first_error'])\n return True\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self):
if self._new:
raise Exception(
"This is a new object, %s not in data, indicating this entry isn't stored."
% self.primaryKey)
r.table(self.table).get(self._data[self.primaryKey]).delete(durability=
self.durability).run(self._conn)
return True
| delete | [
{
"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._new:\n raise Exception(\n \"This is a new object, %s not in data, indicating this entry isn't stored.\"\n % self.primaryKey)\n r.table(self.table).get(self._data[self.primaryKey]).delete(durability=\n self.durability).run(self._conn)\n return True\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, node1_name, node2_name, edge_length=DEFAULT_EDGE_LENGTH):
if not self.__has_node(name=node1_name):
raise ValueError('Can not add an edge to a non-existing node {name}'
.format(name=node1_name))
if self.__has_node(name=node2_name):
raise ValueError('Can not add an edge to already existing node {name}'
.format(name=node2_name))
self.multicolors_are_up_to_date = False
self.__get_node_by_name(name=node1_name).add_child(name=node2_name,
dist=edge_length)
| add_edge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node1_name, node2_name, edge_length=DEFAULT_EDGE_LENGTH):\n if not self.__has_node(name=node1_name):\n raise ValueError('Can not add an edge to a non-existing node {name}'\n .format(name=node1_name))\n if self.__has_node(name=node2_name):\n raise ValueError('Can not add an edge to already existing node {name}'\n .format(name=node2_name))\n self.multicolors_are_up_to_date = False\n self.__get_node_by_name(name=node1_name).add_child(name=node2_name,\n dist=edge_length)\n",
"role": "user"
},
{
"content": "add_edge",
"role": "assistant"
}
] |
def x(self, name):
try:
for entry in filter(lambda x: x.name == name, self.nodes()):
return entry
except StopIteration:
raise ValueError(
'Attempted to retrieve a non-existing tree node with name: {name}'
.format(name=name))
| get_node_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n try:\n for entry in filter(lambda x: x.name == name, self.nodes()):\n return entry\n except StopIteration:\n raise ValueError(\n 'Attempted to retrieve a non-existing tree node with name: {name}'\n .format(name=name))\n",
"role": "user"
},
{
"content": "get_node_by_name",
"role": "assistant"
}
] |
def x(self, node1_name, node2_name, account_for_direction=True):
try:
p1 = self.__get_node_by_name(name=node1_name)
wdir = node2_name in (node.name for node in p1.children)
if account_for_direction:
return wdir
else:
p2 = self.__get_node_by_name(name=node2_name)
return wdir or node1_name in (node.name for node in p2.children)
except ValueError:
return False
| has_edge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node1_name, node2_name, account_for_direction=True):\n try:\n p1 = self.__get_node_by_name(name=node1_name)\n wdir = node2_name in (node.name for node in p1.children)\n if account_for_direction:\n return wdir\n else:\n p2 = self.__get_node_by_name(name=node2_name)\n return wdir or node1_name in (node.name for node in p2.children)\n except ValueError:\n return False\n",
"role": "user"
},
{
"content": "has_edge",
"role": "assistant"
}
] |
def x(self, node1_name, node2_name, account_for_direction=True):
return self.__has_edge(node1_name=node1_name, node2_name=node2_name,
account_for_direction=account_for_direction)
| has_edge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node1_name, node2_name, account_for_direction=True):\n return self.__has_edge(node1_name=node1_name, node2_name=node2_name,\n account_for_direction=account_for_direction)\n",
"role": "user"
},
{
"content": "has_edge",
"role": "assistant"
}
] |
def x(self, node1_name, node2_name):
return self.__root.get_distance(target=node1_name, target2=node2_name)
| get_distance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node1_name, node2_name):\n return self.__root.get_distance(target=node1_name, target2=node2_name)\n",
"role": "user"
},
{
"content": "get_distance",
"role": "assistant"
}
] |
def x(self):
result = []
nodes = deque([self.__root])
while len(nodes) > 0:
current_node = nodes.popleft()
children = current_node.children
nodes.extend(children)
if not current_node.is_leaf():
leaves = filter(lambda node: node.is_leaf(), current_node.
get_descendants())
result.append(Multicolor(*[self.__leaf_wrapper(leaf.name) for
leaf in leaves]))
else:
result.append(Multicolor(self.__leaf_wrapper(current_node.name)))
result.append(Multicolor())
return result
| get_v_tree_consistent_leaf_based_hashable_multicolors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = []\n nodes = deque([self.__root])\n while len(nodes) > 0:\n current_node = nodes.popleft()\n children = current_node.children\n nodes.extend(children)\n if not current_node.is_leaf():\n leaves = filter(lambda node: node.is_leaf(), current_node.\n get_descendants())\n result.append(Multicolor(*[self.__leaf_wrapper(leaf.name) for\n leaf in leaves]))\n else:\n result.append(Multicolor(self.__leaf_wrapper(current_node.name)))\n result.append(Multicolor())\n return result\n",
"role": "user"
},
{
"content": "get_v_tree_consistent_leaf_based_hashable_multicolors",
"role": "assistant"
}
] |
def x(self):
v_t_consistent_multicolors = (self.
__get_v_tree_consistent_leaf_based_hashable_multicolors())
hashed_vtree_consistent_leaves_multicolors = {mc.
hashable_representation for mc in v_t_consistent_multicolors}
self.vtree_consistent_multicolors_set = (
hashed_vtree_consistent_leaves_multicolors)
self.vtree_consistent_multicolors = [Multicolor(*hashed_multicolor) for
hashed_multicolor in hashed_vtree_consistent_leaves_multicolors]
result = []
full_multicolor = v_t_consistent_multicolors[0]
for multicolor in v_t_consistent_multicolors:
result.append(multicolor)
result.append(full_multicolor - multicolor)
hashed_tree_consistent_leaves_multicolors = {mc.hashable_representation for
mc in result}
self.tree_consistent_multicolors_set = (
hashed_tree_consistent_leaves_multicolors)
self.tree_consistent_multicolors = [Multicolor(*hashed_multicolor) for
hashed_multicolor in hashed_tree_consistent_leaves_multicolors]
self.multicolors_are_up_to_date = True
| update_consistent_multicolors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n v_t_consistent_multicolors = (self.\n __get_v_tree_consistent_leaf_based_hashable_multicolors())\n hashed_vtree_consistent_leaves_multicolors = {mc.\n hashable_representation for mc in v_t_consistent_multicolors}\n self.vtree_consistent_multicolors_set = (\n hashed_vtree_consistent_leaves_multicolors)\n self.vtree_consistent_multicolors = [Multicolor(*hashed_multicolor) for\n hashed_multicolor in hashed_vtree_consistent_leaves_multicolors]\n result = []\n full_multicolor = v_t_consistent_multicolors[0]\n for multicolor in v_t_consistent_multicolors:\n result.append(multicolor)\n result.append(full_multicolor - multicolor)\n hashed_tree_consistent_leaves_multicolors = {mc.hashable_representation for\n mc in result}\n self.tree_consistent_multicolors_set = (\n hashed_tree_consistent_leaves_multicolors)\n self.tree_consistent_multicolors = [Multicolor(*hashed_multicolor) for\n hashed_multicolor in hashed_tree_consistent_leaves_multicolors]\n self.multicolors_are_up_to_date = True\n",
"role": "user"
},
{
"content": "update_consistent_multicolors",
"role": "assistant"
}
] |
def x(self, node_name, tree, copy=False):
self.multicolors_are_up_to_date = False
tree_to_append = tree.__root if not copy else deepcopy(tree.__root)
self.__get_node_by_name(node_name).add_child(tree_to_append)
| append | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node_name, tree, copy=False):\n self.multicolors_are_up_to_date = False\n tree_to_append = tree.__root if not copy else deepcopy(tree.__root)\n self.__get_node_by_name(node_name).add_child(tree_to_append)\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self, hashVal=None, hashPath=None, tags=None, galleries=None):
hashVal = hashVal or self.hash
hashPath = hashPath or self.parent / hashVal + self.ext
source = hashPath.replace('\\', '/').replace(ROOT, '')
galleries = galleries or []
tags = tags or []
imagefile = ROOT / source
if imagefile.ext == '.psd':
psd = psd_tools.PSDImage.load(imagefile)
workImage = psd.as_PIL()
else:
workImage = pilImage.open(imagefile)
self.source = source
if imagefile.ext in ('.tif', '.tiff', '.psd'):
png = imagefile.parent / '{}.png'.format(imagefile.namebase)
workImage.save(png)
workImage = pilImage.open(png)
imagefile.move(imagefile.replace(self.hash, self.title))
self.source = png.replace(ROOT, '')
formats = [('image', FROG_IMAGE_SIZE_CAP), ('small', FROG_IMAGE_SMALL_SIZE)
]
for i, n in enumerate(formats):
if workImage.size[0] > n[1] or workImage.size[1] > n[1]:
workImage.thumbnail((n[1], n[1]), pilImage.ANTIALIAS)
setattr(self, n[0], self.source.name.replace(hashVal, '_' * i +
hashVal))
workImage.save(ROOT + getattr(self, n[0]).name)
else:
setattr(self, n[0], self.source)
self.generateThumbnail()
for gal in galleries:
g = Gallery.objects.get(pk=int(gal))
g.images.add(self)
self.tagArtist()
for tagName in tags:
tag = Tag.objects.get_or_create(name=tagName)[0]
self.tags.add(tag)
if not self.guid:
self.guid = self.getGuid().guid
self.save()
| export | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hashVal=None, hashPath=None, tags=None, galleries=None):\n hashVal = hashVal or self.hash\n hashPath = hashPath or self.parent / hashVal + self.ext\n source = hashPath.replace('\\\\', '/').replace(ROOT, '')\n galleries = galleries or []\n tags = tags or []\n imagefile = ROOT / source\n if imagefile.ext == '.psd':\n psd = psd_tools.PSDImage.load(imagefile)\n workImage = psd.as_PIL()\n else:\n workImage = pilImage.open(imagefile)\n self.source = source\n if imagefile.ext in ('.tif', '.tiff', '.psd'):\n png = imagefile.parent / '{}.png'.format(imagefile.namebase)\n workImage.save(png)\n workImage = pilImage.open(png)\n imagefile.move(imagefile.replace(self.hash, self.title))\n self.source = png.replace(ROOT, '')\n formats = [('image', FROG_IMAGE_SIZE_CAP), ('small', FROG_IMAGE_SMALL_SIZE)\n ]\n for i, n in enumerate(formats):\n if workImage.size[0] > n[1] or workImage.size[1] > n[1]:\n workImage.thumbnail((n[1], n[1]), pilImage.ANTIALIAS)\n setattr(self, n[0], self.source.name.replace(hashVal, '_' * i +\n hashVal))\n workImage.save(ROOT + getattr(self, n[0]).name)\n else:\n setattr(self, n[0], self.source)\n self.generateThumbnail()\n for gal in galleries:\n g = Gallery.objects.get(pk=int(gal))\n g.images.add(self)\n self.tagArtist()\n for tagName in tags:\n tag = Tag.objects.get_or_create(name=tagName)[0]\n self.tags.add(tag)\n if not self.guid:\n self.guid = self.getGuid().guid\n self.save()\n",
"role": "user"
},
{
"content": "export",
"role": "assistant"
}
] |
def x(self):
image = pilImage.open(ROOT / self.source.name)
box, width, height = cropBox(self.width, self.height)
image.thumbnail((width, height), pilImage.ANTIALIAS)
box = cropBox(*image.size)[0]
image = image.crop(box)
self.thumbnail = self.source.name.replace(self.hash, '__{}'.format(self
.hash))
image.save(ROOT / self.thumbnail.name)
| generateThumbnail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n image = pilImage.open(ROOT / self.source.name)\n box, width, height = cropBox(self.width, self.height)\n image.thumbnail((width, height), pilImage.ANTIALIAS)\n box = cropBox(*image.size)[0]\n image = image.crop(box)\n self.thumbnail = self.source.name.replace(self.hash, '__{}'.format(self\n .hash))\n image.save(ROOT / self.thumbnail.name)\n",
"role": "user"
},
{
"content": "generateThumbnail",
"role": "assistant"
}
] |
def x(self, hashVal, hashPath, tags=None, galleries=None):
self.source = hashPath.replace('\\', '/').replace(ROOT, '')
galleries = galleries or []
tags = tags or []
videodata = self.info()
self.width = videodata['width']
self.height = videodata['height']
self.framerate = videodata['framerate']
self.duration = videodata['duration']
self.generateThumbnail()
for gal in galleries:
g = Gallery.objects.get(pk=int(gal))
g.videos.add(self)
self.tagArtist()
for tagName in tags:
tag = Tag.objects.get_or_create(name=tagName)[0]
self.tags.add(tag)
if not self.guid:
self.guid = self.getGuid().guid
queuedvideo = VideoQueue.objects.get_or_create(video=self)[0]
queuedvideo.save()
self.save()
try:
item = VideoQueue()
item.video = self
item.save()
except IntegrityError:
pass
| export | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hashVal, hashPath, tags=None, galleries=None):\n self.source = hashPath.replace('\\\\', '/').replace(ROOT, '')\n galleries = galleries or []\n tags = tags or []\n videodata = self.info()\n self.width = videodata['width']\n self.height = videodata['height']\n self.framerate = videodata['framerate']\n self.duration = videodata['duration']\n self.generateThumbnail()\n for gal in galleries:\n g = Gallery.objects.get(pk=int(gal))\n g.videos.add(self)\n self.tagArtist()\n for tagName in tags:\n tag = Tag.objects.get_or_create(name=tagName)[0]\n self.tags.add(tag)\n if not self.guid:\n self.guid = self.getGuid().guid\n queuedvideo = VideoQueue.objects.get_or_create(video=self)[0]\n queuedvideo.save()\n self.save()\n try:\n item = VideoQueue()\n item.video = self\n item.save()\n except IntegrityError:\n pass\n",
"role": "user"
},
{
"content": "export",
"role": "assistant"
}
] |
def x(self):
source = ROOT / self.source.name
thumbnail = source.parent / '_{}.jpg'.format(source.namebase)
poster = source.parent / '__{}.jpg'.format(source.namebase)
cmd = [FROG_FFMPEG, '-i', str(source), '-ss', '1', '-vframes', '1', str
(thumbnail), '-y']
proc = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.
STDOUT)
proc.communicate()
image = pilImage.open(thumbnail)
image.save(poster)
self.poster = poster.replace(ROOT, '')
box, width, height = cropBox(self.width, self.height)
image.thumbnail((width, height), pilImage.ANTIALIAS)
box = cropBox(*image.size)[0]
image = image.crop(box)
self.thumbnail = thumbnail.replace(ROOT, '')
image.save(thumbnail)
| generateThumbnail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n source = ROOT / self.source.name\n thumbnail = source.parent / '_{}.jpg'.format(source.namebase)\n poster = source.parent / '__{}.jpg'.format(source.namebase)\n cmd = [FROG_FFMPEG, '-i', str(source), '-ss', '1', '-vframes', '1', str\n (thumbnail), '-y']\n proc = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.\n STDOUT)\n proc.communicate()\n image = pilImage.open(thumbnail)\n image.save(poster)\n self.poster = poster.replace(ROOT, '')\n box, width, height = cropBox(self.width, self.height)\n image.thumbnail((width, height), pilImage.ANTIALIAS)\n box = cropBox(*image.size)[0]\n image = image.crop(box)\n self.thumbnail = thumbnail.replace(ROOT, '')\n image.save(thumbnail)\n",
"role": "user"
},
{
"content": "generateThumbnail",
"role": "assistant"
}
] |
def x(*command, ignore_patterns=[]):
path = '.'
sig = signal.SIGTERM
delay = 0.25
ignorefile = '.reloadignore'
ignore_patterns = ignore_patterns or load_ignore_patterns(ignorefile)
event_handler = ReloadEventHandler(ignore_patterns)
reloader = Reloader(command, signal)
observer = Observer()
observer.schedule(event_handler, path, recursive=True)
observer.start()
reloader.start_command()
try:
while True:
time.sleep(delay)
sys.stdout.write(reloader.read())
sys.stdout.flush()
if event_handler.modified:
reloader.restart_command()
except KeyboardInterrupt:
observer.stop()
observer.join()
reloader.stop_command()
sys.stdout.write(reloader.read())
sys.stdout.flush()
| reload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*command, ignore_patterns=[]):\n path = '.'\n sig = signal.SIGTERM\n delay = 0.25\n ignorefile = '.reloadignore'\n ignore_patterns = ignore_patterns or load_ignore_patterns(ignorefile)\n event_handler = ReloadEventHandler(ignore_patterns)\n reloader = Reloader(command, signal)\n observer = Observer()\n observer.schedule(event_handler, path, recursive=True)\n observer.start()\n reloader.start_command()\n try:\n while True:\n time.sleep(delay)\n sys.stdout.write(reloader.read())\n sys.stdout.flush()\n if event_handler.modified:\n reloader.restart_command()\n except KeyboardInterrupt:\n observer.stop()\n observer.join()\n reloader.stop_command()\n sys.stdout.write(reloader.read())\n sys.stdout.flush()\n",
"role": "user"
},
{
"content": "reload",
"role": "assistant"
}
] |
def x(*args, ignore_patterns=[]):
command = [sys.executable, sys.argv[0]]
command.extend(args)
reload(*command, ignore_patterns=ignore_patterns)
| reload_me | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, ignore_patterns=[]):\n command = [sys.executable, sys.argv[0]]\n command.extend(args)\n reload(*command, ignore_patterns=ignore_patterns)\n",
"role": "user"
},
{
"content": "reload_me",
"role": "assistant"
}
] |
def x(data_string):
data_string = data_string.strip()
linear_terminator_index = data_string.index('$'
) if '$' in data_string else -1
circular_terminator_index = data_string.index('@'
) if '@' in data_string else -1
if linear_terminator_index < 0 and circular_terminator_index < 0:
raise ValueError(
'Invalid data string. No chromosome termination sign ($|@) found.')
if linear_terminator_index == 0 or circular_terminator_index == 0:
raise ValueError(
'Invalid data string. No data found before chromosome was terminated.'
)
if (linear_terminator_index < 0 or 0 < circular_terminator_index <
linear_terminator_index):
chr_type = '@'
terminator_index = circular_terminator_index
else:
chr_type = '$'
terminator_index = linear_terminator_index
data = data_string[:terminator_index].strip()
split_data = data.split()
blocks = []
for block in split_data:
cut_index = 1 if block.startswith('-') or block.startswith('+') else 0
if cut_index == 1 and len(block) == 1:
raise ValueError('Empty block name definition')
blocks.append(('-' if block.startswith('-') else '+', block[
cut_index:]))
return chr_type, blocks
| parse_data_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data_string):\n data_string = data_string.strip()\n linear_terminator_index = data_string.index('$'\n ) if '$' in data_string else -1\n circular_terminator_index = data_string.index('@'\n ) if '@' in data_string else -1\n if linear_terminator_index < 0 and circular_terminator_index < 0:\n raise ValueError(\n 'Invalid data string. No chromosome termination sign ($|@) found.')\n if linear_terminator_index == 0 or circular_terminator_index == 0:\n raise ValueError(\n 'Invalid data string. No data found before chromosome was terminated.'\n )\n if (linear_terminator_index < 0 or 0 < circular_terminator_index <\n linear_terminator_index):\n chr_type = '@'\n terminator_index = circular_terminator_index\n else:\n chr_type = '$'\n terminator_index = linear_terminator_index\n data = data_string[:terminator_index].strip()\n split_data = data.split()\n blocks = []\n for block in split_data:\n cut_index = 1 if block.startswith('-') or block.startswith('+') else 0\n if cut_index == 1 and len(block) == 1:\n raise ValueError('Empty block name definition')\n blocks.append(('-' if block.startswith('-') else '+', block[\n cut_index:]))\n return chr_type, blocks\n",
"role": "user"
},
{
"content": "parse_data_string",
"role": "assistant"
}
] |
def x(block):
sign, name = block
data = name.split(BlockVertex.NAME_SEPARATOR)
root_name, data = data[0], data[1:]
tags = [entry.split(TaggedVertex.TAG_SEPARATOR) for entry in data]
for tag_entry in tags:
if len(tag_entry) == 1:
tag_entry.append(None)
elif len(tag_entry) > 2:
tag_entry[1:] = [TaggedVertex.TAG_SEPARATOR.join(tag_entry[1:])]
tail, head = root_name + 't', root_name + 'h'
tail, head = TaggedBlockVertex(tail), TaggedBlockVertex(head)
tail.mate_vertex = head
head.mate_vertex = tail
for tag, value in tags:
head.add_tag(tag, value)
tail.add_tag(tag, value)
return (tail, head) if sign == '+' else (head, tail)
| assign_vertex_pair | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block):\n sign, name = block\n data = name.split(BlockVertex.NAME_SEPARATOR)\n root_name, data = data[0], data[1:]\n tags = [entry.split(TaggedVertex.TAG_SEPARATOR) for entry in data]\n for tag_entry in tags:\n if len(tag_entry) == 1:\n tag_entry.append(None)\n elif len(tag_entry) > 2:\n tag_entry[1:] = [TaggedVertex.TAG_SEPARATOR.join(tag_entry[1:])]\n tail, head = root_name + 't', root_name + 'h'\n tail, head = TaggedBlockVertex(tail), TaggedBlockVertex(head)\n tail.mate_vertex = head\n head.mate_vertex = tail\n for tag, value in tags:\n head.add_tag(tag, value)\n tail.add_tag(tag, value)\n return (tail, head) if sign == '+' else (head, tail)\n",
"role": "user"
},
{
"content": "assign_vertex_pair",
"role": "assistant"
}
] |
def x(parsed_data):
chr_type, blocks = parsed_data
vertices = []
for block in blocks:
v1, v2 = GRIMMReader.__assign_vertex_pair(block)
vertices.append(v1)
vertices.append(v2)
if chr_type == '@':
vertex = vertices.pop()
vertices.insert(0, vertex)
elif chr_type == '$':
if vertices[0].is_repeat_vertex:
left_iv_tags = sorted([((tag, value) if tag != 'repeat' else (
tag, BGVertex.get_vertex_name_root(vertices[1].name))) for
tag, value in vertices[1].tags])
left_iv_root_name = BGVertex.get_vertex_name_root(vertices[2].name)
vertices = vertices[2:]
else:
left_iv_tags = []
left_iv_root_name = vertices[0].name
if vertices[-1].is_repeat_vertex:
right_iv_tags = sorted([((tag, value) if tag != 'repeat' else (
tag, BGVertex.get_vertex_name_root(vertices[-2].name))) for
tag, value in vertices[-2].tags])
right_iv_root_name = BGVertex.get_vertex_name_root(vertices[-3]
.name)
vertices = vertices[:-2]
else:
right_iv_tags = []
right_iv_root_name = BGVertex.get_vertex_name_root(vertices[-1]
.name)
left_iv, right_iv = TaggedInfinityVertex(left_iv_root_name
), TaggedInfinityVertex(right_iv_root_name)
left_iv.tags = left_iv_tags
right_iv.tags = right_iv_tags
vertices.insert(0, left_iv)
vertices.append(right_iv)
return [(v1, v2) for v1, v2 in zip(vertices[::2], vertices[1::2])]
| get_edges_from_parsed_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parsed_data):\n chr_type, blocks = parsed_data\n vertices = []\n for block in blocks:\n v1, v2 = GRIMMReader.__assign_vertex_pair(block)\n vertices.append(v1)\n vertices.append(v2)\n if chr_type == '@':\n vertex = vertices.pop()\n vertices.insert(0, vertex)\n elif chr_type == '$':\n if vertices[0].is_repeat_vertex:\n left_iv_tags = sorted([((tag, value) if tag != 'repeat' else (\n tag, BGVertex.get_vertex_name_root(vertices[1].name))) for \n tag, value in vertices[1].tags])\n left_iv_root_name = BGVertex.get_vertex_name_root(vertices[2].name)\n vertices = vertices[2:]\n else:\n left_iv_tags = []\n left_iv_root_name = vertices[0].name\n if vertices[-1].is_repeat_vertex:\n right_iv_tags = sorted([((tag, value) if tag != 'repeat' else (\n tag, BGVertex.get_vertex_name_root(vertices[-2].name))) for\n tag, value in vertices[-2].tags])\n right_iv_root_name = BGVertex.get_vertex_name_root(vertices[-3]\n .name)\n vertices = vertices[:-2]\n else:\n right_iv_tags = []\n right_iv_root_name = BGVertex.get_vertex_name_root(vertices[-1]\n .name)\n left_iv, right_iv = TaggedInfinityVertex(left_iv_root_name\n ), TaggedInfinityVertex(right_iv_root_name)\n left_iv.tags = left_iv_tags\n right_iv.tags = right_iv_tags\n vertices.insert(0, left_iv)\n vertices.append(right_iv)\n return [(v1, v2) for v1, v2 in zip(vertices[::2], vertices[1::2])]\n",
"role": "user"
},
{
"content": "get_edges_from_parsed_data",
"role": "assistant"
}
] |
def x(stream, merge_edges=True):
result = BreakpointGraph()
current_genome = None
fragment_data = {}
for line in stream:
line = line.strip()
if len(line) == 0:
continue
if GRIMMReader.is_genome_declaration_string(data_string=line):
current_genome = GRIMMReader.parse_genome_declaration_string(
data_string=line)
fragment_data = {}
elif GRIMMReader.is_comment_string(data_string=line):
if GRIMMReader.is_comment_data_string(string=line):
path, (key, value) = GRIMMReader.parse_comment_data_string(
comment_data_string=line)
if len(path) > 0 and path[0] == 'fragment':
add_to_dict_with_path(destination_dict=fragment_data,
key=key, value=value, path=path)
else:
continue
elif current_genome is not None:
parsed_data = GRIMMReader.parse_data_string(data_string=line)
edges = GRIMMReader.get_edges_from_parsed_data(parsed_data=
parsed_data)
for v1, v2 in edges:
edge_specific_data = {'fragment': {'forward_orientation': (
v1, v2)}}
edge = BGEdge(vertex1=v1, vertex2=v2, multicolor=Multicolor
(current_genome), data=deepcopy(fragment_data))
edge.update_data(source=edge_specific_data)
result.add_bgedge(bgedge=edge, merge=merge_edges)
return result
| get_breakpoint_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream, merge_edges=True):\n result = BreakpointGraph()\n current_genome = None\n fragment_data = {}\n for line in stream:\n line = line.strip()\n if len(line) == 0:\n continue\n if GRIMMReader.is_genome_declaration_string(data_string=line):\n current_genome = GRIMMReader.parse_genome_declaration_string(\n data_string=line)\n fragment_data = {}\n elif GRIMMReader.is_comment_string(data_string=line):\n if GRIMMReader.is_comment_data_string(string=line):\n path, (key, value) = GRIMMReader.parse_comment_data_string(\n comment_data_string=line)\n if len(path) > 0 and path[0] == 'fragment':\n add_to_dict_with_path(destination_dict=fragment_data,\n key=key, value=value, path=path)\n else:\n continue\n elif current_genome is not None:\n parsed_data = GRIMMReader.parse_data_string(data_string=line)\n edges = GRIMMReader.get_edges_from_parsed_data(parsed_data=\n parsed_data)\n for v1, v2 in edges:\n edge_specific_data = {'fragment': {'forward_orientation': (\n v1, v2)}}\n edge = BGEdge(vertex1=v1, vertex2=v2, multicolor=Multicolor\n (current_genome), data=deepcopy(fragment_data))\n edge.update_data(source=edge_specific_data)\n result.add_bgedge(bgedge=edge, merge=merge_edges)\n return result\n",
"role": "user"
},
{
"content": "get_breakpoint_graph",
"role": "assistant"
}
] |
def x(bg):
result = []
genomes = bg.get_overall_set_of_colors()
for genome in genomes:
genome_graph = bg.get_genome_graph(color=genome)
genome_blocks_orders = genome_graph.get_blocks_order()
blocks_orders = genome_blocks_orders[genome]
if len(blocks_orders) > 0:
result.append('>{genome_name}'.format(genome_name=genome.name))
for chr_type, blocks_order in blocks_orders:
string = ' '.join(value if sign == '+' else sign + value for
sign, value in blocks_order)
string += ' {chr_type}'.format(chr_type=chr_type)
result.append(string)
return result
| get_blocks_in_grimm_from_breakpoint_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bg):\n result = []\n genomes = bg.get_overall_set_of_colors()\n for genome in genomes:\n genome_graph = bg.get_genome_graph(color=genome)\n genome_blocks_orders = genome_graph.get_blocks_order()\n blocks_orders = genome_blocks_orders[genome]\n if len(blocks_orders) > 0:\n result.append('>{genome_name}'.format(genome_name=genome.name))\n for chr_type, blocks_order in blocks_orders:\n string = ' '.join(value if sign == '+' else sign + value for \n sign, value in blocks_order)\n string += ' {chr_type}'.format(chr_type=chr_type)\n result.append(string)\n return result\n",
"role": "user"
},
{
"content": "get_blocks_in_grimm_from_breakpoint_graph",
"role": "assistant"
}
] |
def x(cls, data, json_schema_class=None):
schema = (cls.json_schema if json_schema_class is None else
json_schema_class())
return schema.load(data)
| from_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, data, json_schema_class=None):\n schema = (cls.json_schema if json_schema_class is None else\n json_schema_class())\n return schema.load(data)\n",
"role": "user"
},
{
"content": "from_json",
"role": "assistant"
}
] |
def x(request, filename, content_type='image/jpeg'):
wrapper = FixedFileWrapper(file(filename, 'rb'))
response = HttpResponse(wrapper, content_type=content_type)
response['Content-Length'] = os.path.getsize(filename)
return response
| send_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, filename, content_type='image/jpeg'):\n wrapper = FixedFileWrapper(file(filename, 'rb'))\n response = HttpResponse(wrapper, content_type=content_type)\n response['Content-Length'] = os.path.getsize(filename)\n return response\n",
"role": "user"
},
{
"content": "send_file",
"role": "assistant"
}
] |
def x(request, fileList):
temp = tempfile.TemporaryFile()
archive = zipfile.ZipFile(temp, 'w', zipfile.ZIP_DEFLATED)
for artist, files in fileList.iteritems():
for f in files:
archive.write(f[0], '%s/%s' % (artist, f[1]))
archive.close()
wrapper = FixedFileWrapper(temp)
response = HttpResponse(wrapper, content_type='application/zip')
response['Content-Disposition'] = 'attachment; filename=FrogSources.zip'
response['Content-Length'] = temp.tell()
temp.seek(0)
return response
| send_zipfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, fileList):\n temp = tempfile.TemporaryFile()\n archive = zipfile.ZipFile(temp, 'w', zipfile.ZIP_DEFLATED)\n for artist, files in fileList.iteritems():\n for f in files:\n archive.write(f[0], '%s/%s' % (artist, f[1]))\n archive.close()\n wrapper = FixedFileWrapper(temp)\n response = HttpResponse(wrapper, content_type='application/zip')\n response['Content-Disposition'] = 'attachment; filename=FrogSources.zip'\n response['Content-Length'] = temp.tell()\n temp.seek(0)\n return response\n",
"role": "user"
},
{
"content": "send_zipfile",
"role": "assistant"
}
] |
def x():
Benchmark.enable = True
ComparisonBenchmark.enable = True
BenchmarkedFunction.enable = True
BenchmarkedClass.enable = True
| enable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n Benchmark.enable = True\n ComparisonBenchmark.enable = True\n BenchmarkedFunction.enable = True\n BenchmarkedClass.enable = True\n",
"role": "user"
},
{
"content": "enable",
"role": "assistant"
}
] |
def x():
Benchmark.enable = False
ComparisonBenchmark.enable = False
BenchmarkedFunction.enable = False
BenchmarkedClass.enable = False
| disable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n Benchmark.enable = False\n ComparisonBenchmark.enable = False\n BenchmarkedFunction.enable = False\n BenchmarkedClass.enable = False\n",
"role": "user"
},
{
"content": "disable",
"role": "assistant"
}
] |
def x(cls, data, json_schema_class=None):
json_schema = (cls.json_schema if json_schema_class is None else
json_schema_class())
return super(BlockVertex, cls).from_json(data=data, json_schema_class=
json_schema.__class__)
| from_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, data, json_schema_class=None):\n json_schema = (cls.json_schema if json_schema_class is None else\n json_schema_class())\n return super(BlockVertex, cls).from_json(data=data, json_schema_class=\n json_schema.__class__)\n",
"role": "user"
},
{
"content": "from_json",
"role": "assistant"
}
] |
def x(self):
return self.NAME_SEPARATOR.join([super(InfinityVertex, self).name, self
.NAME_SUFFIX])
| name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return self.NAME_SEPARATOR.join([super(InfinityVertex, self).name, self\n .NAME_SUFFIX])\n",
"role": "user"
},
{
"content": "name",
"role": "assistant"
}
] |
def x(cls, data, json_schema_class=None):
schema = (cls.json_schema if json_schema_class is None else
json_schema_class())
return super(InfinityVertex, cls).from_json(data=data,
json_schema_class=schema.__class__)
| from_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, data, json_schema_class=None):\n schema = (cls.json_schema if json_schema_class is None else\n json_schema_class())\n return super(InfinityVertex, cls).from_json(data=data,\n json_schema_class=schema.__class__)\n",
"role": "user"
},
{
"content": "from_json",
"role": "assistant"
}
] |
def x(self):
return self.NAME_SEPARATOR.join([super(TaggedVertex, self).name] + self
.get_tags_as_list_of_strings())
| name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return self.NAME_SEPARATOR.join([super(TaggedVertex, self).name] + self\n .get_tags_as_list_of_strings())\n",
"role": "user"
},
{
"content": "name",
"role": "assistant"
}
] |
def x(self, tag, value):
index = bisect_left(self.tags, (tag, value))
contains = False
if index < len(self.tags):
contains = self.tags[index] == (tag, value)
if not contains:
self.tags.insert(index, (tag, value))
| add_tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag, value):\n index = bisect_left(self.tags, (tag, value))\n contains = False\n if index < len(self.tags):\n contains = self.tags[index] == (tag, value)\n if not contains:\n self.tags.insert(index, (tag, value))\n",
"role": "user"
},
{
"content": "add_tag",
"role": "assistant"
}
] |
def x(self, tag, value, silent_fail=False):
try:
self.tags.remove((tag, value))
except ValueError as err:
if not silent_fail:
raise err
| remove_tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag, value, silent_fail=False):\n try:\n self.tags.remove((tag, value))\n except ValueError as err:\n if not silent_fail:\n raise err\n",
"role": "user"
},
{
"content": "remove_tag",
"role": "assistant"
}
] |
def x(cls, edge1, edge2):
if edge1.vertex1 != edge2.vertex1 and edge1.vertex1 != edge2.vertex2:
raise ValueError('Edges to be merged do not connect same vertices')
forward = edge1.vertex1 == edge2.vertex1
if forward and edge1.vertex2 != edge2.vertex2:
raise ValueError('Edges to be merged do not connect same vertices')
elif not forward and edge1.vertex2 != edge2.vertex1:
raise ValueError('Edges to be merged do not connect same vertices')
return cls(vertex1=edge1.vertex1, vertex2=edge1.vertex2, multicolor=
edge1.multicolor + edge2.multicolor)
| merge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, edge1, edge2):\n if edge1.vertex1 != edge2.vertex1 and edge1.vertex1 != edge2.vertex2:\n raise ValueError('Edges to be merged do not connect same vertices')\n forward = edge1.vertex1 == edge2.vertex1\n if forward and edge1.vertex2 != edge2.vertex2:\n raise ValueError('Edges to be merged do not connect same vertices')\n elif not forward and edge1.vertex2 != edge2.vertex1:\n raise ValueError('Edges to be merged do not connect same vertices')\n return cls(vertex1=edge1.vertex1, vertex2=edge1.vertex2, multicolor=\n edge1.multicolor + edge2.multicolor)\n",
"role": "user"
},
{
"content": "merge",
"role": "assistant"
}
] |
def x(self):
return [(color.json_id if hasattr(color, 'json_id') else hash(color)) for
color in self.multicolor.multicolors.elements()]
| colors_json_ids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [(color.json_id if hasattr(color, 'json_id') else hash(color)) for\n color in self.multicolor.multicolors.elements()]\n",
"role": "user"
},
{
"content": "colors_json_ids",
"role": "assistant"
}
] |
def x(self, url, timeout, **kwargs):
url = self._decode_url(url, '')
if url.scheme == 'http' or url.scheme == 'https':
return HttpConnection(url.geturl(), timeout=timeout, **kwargs)
else:
if sys.version_info[0] > 2:
raise ValueError('Thrift transport is not available for Python 3')
try:
from thrift_connection import ThriftConnection
except ImportError:
raise ImportError(
"The 'thrift' python package does not seem to be installed.")
return ThriftConnection(url.hostname, url.port, timeout=timeout, **
kwargs)
| get_connection_from_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, timeout, **kwargs):\n url = self._decode_url(url, '')\n if url.scheme == 'http' or url.scheme == 'https':\n return HttpConnection(url.geturl(), timeout=timeout, **kwargs)\n else:\n if sys.version_info[0] > 2:\n raise ValueError('Thrift transport is not available for Python 3')\n try:\n from thrift_connection import ThriftConnection\n except ImportError:\n raise ImportError(\n \"The 'thrift' python package does not seem to be installed.\")\n return ThriftConnection(url.hostname, url.port, timeout=timeout, **\n kwargs)\n",
"role": "user"
},
{
"content": "get_connection_from_url",
"role": "assistant"
}
] |
def x(level, name, logger_name=None):
@CustomLogLevel(level, name, logger_name)
def x(logger, msg, *args, **kwargs):
return msg, args, kwargs
| new_log_level | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(level, name, logger_name=None):\n\n @CustomLogLevel(level, name, logger_name)\n def x(logger, msg, *args, **kwargs):\n return msg, args, kwargs\n",
"role": "user"
},
{
"content": "new_log_level",
"role": "assistant"
}
] |
def x(user):
obj = {'id': user.id, 'username': user.username, 'name': user.
get_full_name(), 'email': user.email}
return obj
| userToJson | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user):\n obj = {'id': user.id, 'username': user.username, 'name': user.\n get_full_name(), 'email': user.email}\n return obj\n",
"role": "user"
},
{
"content": "userToJson",
"role": "assistant"
}
] |
def x(comment):
obj = {'id': comment.id, 'comment': comment.comment, 'user': userToJson
(comment.user), 'date': comment.submit_date.isoformat()}
return obj
| commentToJson | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(comment):\n obj = {'id': comment.id, 'comment': comment.comment, 'user': userToJson\n (comment.user), 'date': comment.submit_date.isoformat()}\n return obj\n",
"role": "user"
},
{
"content": "commentToJson",
"role": "assistant"
}
] |
def x(request):
dataDict = {}
data = request.body
for n in urlparse.parse_qsl(data):
dataDict[n[0]] = n[1]
setattr(request, 'PUT', dataDict)
setattr(request, 'DELETE', dataDict)
| getPutData | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n dataDict = {}\n data = request.body\n for n in urlparse.parse_qsl(data):\n dataDict[n[0]] = n[1]\n setattr(request, 'PUT', dataDict)\n setattr(request, 'DELETE', dataDict)\n",
"role": "user"
},
{
"content": "getPutData",
"role": "assistant"
}
] |
def x(f):
hashVal = hashlib.sha1()
while True:
r = f.read(1024)
if not r:
break
hashVal.update(r)
f.seek(0)
return hashVal.hexdigest()
| getHashForFile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n hashVal = hashlib.sha1()\n while True:\n r = f.read(1024)\n if not r:\n break\n hashVal.update(r)\n f.seek(0)\n return hashVal.hexdigest()\n",
"role": "user"
},
{
"content": "getHashForFile",
"role": "assistant"
}
] |
def x(size=6, chars=string.ascii_uppercase + string.digits):
return ''.join(random.choice(chars) for x in xrange(size))
| uniqueID | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(size=6, chars=string.ascii_uppercase + string.digits):\n return ''.join(random.choice(chars) for x in xrange(size))\n",
"role": "user"
},
{
"content": "uniqueID",
"role": "assistant"
}
] |
def x(guids):
guids = guids[:]
img = list(Image.objects.filter(guid__in=guids))
vid = list(Video.objects.filter(guid__in=guids))
objects = img + vid
sortedobjects = []
if objects:
while guids:
for obj in iter(objects):
if obj.guid == guids[0]:
sortedobjects.append(obj)
guids.pop(0)
break
return sortedobjects
| getObjectsFromGuids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(guids):\n guids = guids[:]\n img = list(Image.objects.filter(guid__in=guids))\n vid = list(Video.objects.filter(guid__in=guids))\n objects = img + vid\n sortedobjects = []\n if objects:\n while guids:\n for obj in iter(objects):\n if obj.guid == guids[0]:\n sortedobjects.append(obj)\n guids.pop(0)\n break\n return sortedobjects\n",
"role": "user"
},
{
"content": "getObjectsFromGuids",
"role": "assistant"
}
] |
def x(request):
forwardedfor = request.META.get('HTTP_X_FORWARDED_FOR')
if forwardedfor:
ip = forwardedfor.split(',')[0]
else:
ip = request.META.get('REMOTE_ADDR')
return ip
| getClientIP | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n forwardedfor = request.META.get('HTTP_X_FORWARDED_FOR')\n if forwardedfor:\n ip = forwardedfor.split(',')[0]\n else:\n ip = request.META.get('REMOTE_ADDR')\n return ip\n",
"role": "user"
},
{
"content": "getClientIP",
"role": "assistant"
}
] |
def x():
for app in settings.INSTALLED_APPS:
if not app.startswith('django'):
module = __import__(app)
moduledir = path.Path(module.__file__).parent
plugin = moduledir / 'frog_plugin.py'
if plugin.exists():
file_, fpath, desc = imp.find_module('frog_plugin', [moduledir]
)
if file_:
imp.load_module('frog_plugin', file_, fpath, desc)
return FrogPluginRegistry.plugins
| discoverPlugins | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n for app in settings.INSTALLED_APPS:\n if not app.startswith('django'):\n module = __import__(app)\n moduledir = path.Path(module.__file__).parent\n plugin = moduledir / 'frog_plugin.py'\n if plugin.exists():\n file_, fpath, desc = imp.find_module('frog_plugin', [moduledir]\n )\n if file_:\n imp.load_module('frog_plugin', file_, fpath, desc)\n return FrogPluginRegistry.plugins\n",
"role": "user"
},
{
"content": "discoverPlugins",
"role": "assistant"
}
] |
def x(self, val):
self.values.append(val)
self.value = self.values[0]
| append | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, val):\n self.values.append(val)\n self.value = self.values[0]\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self):
return {'isError': self.isError, 'message': self.message, 'values':
self.values, 'value': self.value}
| asDict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'isError': self.isError, 'message': self.message, 'values':\n self.values, 'value': self.value}\n",
"role": "user"
},
{
"content": "asDict",
"role": "assistant"
}
] |
def x(self, password):
future = concurrent.TracebackFuture()
def x(response):
exc = response.exception()
if exc:
if exc.args[0] == b'invalid password':
future.set_exception(exceptions.AuthError(exc))
else:
future.set_exception(exc)
else:
future.set_result(response.result())
execute_future = self._execute([b'AUTH', password], b'OK')
self.io_loop.add_future(execute_future, on_response)
return future
| auth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, password):\n future = concurrent.TracebackFuture()\n\n def x(response):\n exc = response.exception()\n if exc:\n if exc.args[0] == b'invalid password':\n future.set_exception(exceptions.AuthError(exc))\n else:\n future.set_exception(exc)\n else:\n future.set_result(response.result())\n execute_future = self._execute([b'AUTH', password], b'OK')\n self.io_loop.add_future(execute_future, on_response)\n return future\n",
"role": "user"
},
{
"content": "auth",
"role": "assistant"
}
] |
def x(self, section=None):
cmd = [b'INFO']
if section:
cmd.append(section)
return self._execute(cmd, format_callback=common.format_info_response)
| info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, section=None):\n cmd = [b'INFO']\n if section:\n cmd.append(section)\n return self._execute(cmd, format_callback=common.format_info_response)\n",
"role": "user"
},
{
"content": "info",
"role": "assistant"
}
] |
def x(self, index=0):
if self._clustering:
raise exceptions.InvalidClusterCommand
future = self._execute([b'SELECT', ascii(index).encode('ascii')], b'OK')
def x(f):
self._connection.database = index
self.io_loop.add_future(future, on_selected)
return future
| select | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index=0):\n if self._clustering:\n raise exceptions.InvalidClusterCommand\n future = self._execute([b'SELECT', ascii(index).encode('ascii')], b'OK')\n\n def x(f):\n self._connection.database = index\n self.io_loop.add_future(future, on_selected)\n return future\n",
"role": "user"
},
{
"content": "select",
"role": "assistant"
}
] |
def x(self):
def x(value):
seconds, micros = value
return float(seconds) + float(micros) / 1000000.0
return self._execute([b'TIME'], format_callback=format_response)
| time | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x(value):\n seconds, micros = value\n return float(seconds) + float(micros) / 1000000.0\n return self._execute([b'TIME'], format_callback=format_response)\n",
"role": "user"
},
{
"content": "time",
"role": "assistant"
}
] |
def x(self):
div = self.soup.find('div', attrs={'data-hover': True})
data = json.loads(div['data-hover'])
show_name = data.get('title')
return show_name
| get_show_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n div = self.soup.find('div', attrs={'data-hover': True})\n data = json.loads(div['data-hover'])\n show_name = data.get('title')\n return show_name\n",
"role": "user"
},
{
"content": "get_show_name",
"role": "assistant"
}
] |
def x(self, url, **kwargs):
req_url = self.base_url + url
req_kwargs = kwargs
req_kwargs['ca_certs'] = req_kwargs.get('ca_certs', self.certs)
req_kwargs['allow_nonstandard_methods'] = req_kwargs.get(
'allow_nonstandard_methods', True)
return HTTPRequest(req_url, **req_kwargs)
| mk_req | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, **kwargs):\n req_url = self.base_url + url\n req_kwargs = kwargs\n req_kwargs['ca_certs'] = req_kwargs.get('ca_certs', self.certs)\n req_kwargs['allow_nonstandard_methods'] = req_kwargs.get(\n 'allow_nonstandard_methods', True)\n return HTTPRequest(req_url, **req_kwargs)\n",
"role": "user"
},
{
"content": "mk_req",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
params = urlencode(kwargs)
url = '/' + '/'.join([x for x in args if x])
if params:
url += '?' + params
return url
| mk_url | [
{
"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 params = urlencode(kwargs)\n url = '/' + '/'.join([x for x in args if x])\n if params:\n url += '?' + params\n return url\n",
"role": "user"
},
{
"content": "mk_url",
"role": "assistant"
}
] |
def x(self, callback=None, **kwargs):
self.client.fetch(self.mk_req('', method='HEAD', **kwargs), callback=
callback)
| ping | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback=None, **kwargs):\n self.client.fetch(self.mk_req('', method='HEAD', **kwargs), callback=\n callback)\n",
"role": "user"
},
{
"content": "ping",
"role": "assistant"
}
] |
def x(self, callback=None, **kwargs):
self.client.fetch(self.mk_req('', method='GET', **kwargs), callback=
callback)
| info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback=None, **kwargs):\n self.client.fetch(self.mk_req('', method='GET', **kwargs), callback=\n callback)\n",
"role": "user"
},
{
"content": "info",
"role": "assistant"
}
] |
def x(self, index, doc_type, body, doc_id=None, params={}, callback=None,
**kwargs):
method = 'PUT' if doc_id else 'POST'
query_params = ('consistency', 'op_type', 'parent', 'refresh',
'replication', 'routing', 'timeout', 'timestamp', 'ttl', 'version',
'version_type')
params = self._filter_params(query_params, params)
url = self.mk_url(*[index, doc_type, doc_id], **params)
self.client.fetch(self.mk_req(url, method=method, body=body, **kwargs),
callback=callback)
| create_doc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, doc_type, body, doc_id=None, params={}, callback=None,\n **kwargs):\n method = 'PUT' if doc_id else 'POST'\n query_params = ('consistency', 'op_type', 'parent', 'refresh',\n 'replication', 'routing', 'timeout', 'timestamp', 'ttl', 'version',\n 'version_type')\n params = self._filter_params(query_params, params)\n url = self.mk_url(*[index, doc_type, doc_id], **params)\n self.client.fetch(self.mk_req(url, method=method, body=body, **kwargs),\n callback=callback)\n",
"role": "user"
},
{
"content": "create_doc",
"role": "assistant"
}
] |
def x(self, scroll_id, params={}, callback=None, **kwargs):
query_params = 'scroll',
params = self._filter_params(query_params, params)
url = self.mk_url(*['/_search/scroll'], **params)
self.client.fetch(self.mk_req(url, method='GET', body=scroll_id, **
kwargs), callback=callback)
| scroll | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scroll_id, params={}, callback=None, **kwargs):\n query_params = 'scroll',\n params = self._filter_params(query_params, params)\n url = self.mk_url(*['/_search/scroll'], **params)\n self.client.fetch(self.mk_req(url, method='GET', body=scroll_id, **\n kwargs), callback=callback)\n",
"role": "user"
},
{
"content": "scroll",
"role": "assistant"
}
] |
def x(self, scroll_id=None, body='', params={}, callback=None, **kwargs):
url = self.mk_url(*['_search', 'scroll', scroll_id])
self.client.fetch(self.mk_req(url, method='DELETE', body=body, **kwargs
), callback=callback)
| clear_scroll | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scroll_id=None, body='', params={}, callback=None, **kwargs):\n url = self.mk_url(*['_search', 'scroll', scroll_id])\n self.client.fetch(self.mk_req(url, method='DELETE', body=body, **kwargs\n ), callback=callback)\n",
"role": "user"
},
{
"content": "clear_scroll",
"role": "assistant"
}
] |
def x(self, name=None, params={}, body='', callback=None, **kwargs):
url = self.mk_url(*['_bench', 'abort', name])
self.client.fetch(self.mk_req(url, method='POST', body=body, **kwargs),
callback=callback)
| abort_benchmark | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, params={}, body='', callback=None, **kwargs):\n url = self.mk_url(*['_bench', 'abort', name])\n self.client.fetch(self.mk_req(url, method='POST', body=body, **kwargs),\n callback=callback)\n",
"role": "user"
},
{
"content": "abort_benchmark",
"role": "assistant"
}
] |
def x(self, index=None, doc_type=None, params={}, cb=None, **kwargs):
url = self.mk_url(*[index, doc_type, '_bench'], **params)
self.client.fetch(self.mk_req(url, method='GET', **kwargs), callback=
callback)
| list_benchmarks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index=None, doc_type=None, params={}, cb=None, **kwargs):\n url = self.mk_url(*[index, doc_type, '_bench'], **params)\n self.client.fetch(self.mk_req(url, method='GET', **kwargs), callback=\n callback)\n",
"role": "user"
},
{
"content": "list_benchmarks",
"role": "assistant"
}
] |
def x(self, lang, script_id, body, params={}, callback=None, **kwargs):
query_params = 'op_type', 'version', 'version_type'
params = self._filter_params(query_params, params)
url = self.mk_url(*['_scripts', lang, script_id], **params)
self.client.fetch(self.mk_req(url, method='PUT', body=body, **kwargs),
callback=callback)
| put_script | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lang, script_id, body, params={}, callback=None, **kwargs):\n query_params = 'op_type', 'version', 'version_type'\n params = self._filter_params(query_params, params)\n url = self.mk_url(*['_scripts', lang, script_id], **params)\n self.client.fetch(self.mk_req(url, method='PUT', body=body, **kwargs),\n callback=callback)\n",
"role": "user"
},
{
"content": "put_script",
"role": "assistant"
}
] |
def x(self, temp_id, body, params={}, callback=None, **kwargs):
url = self.mk_url(*['_search', 'template', temp_id])
self.client.fetch(self.mk_req(url, method='PUT', body=body, **kwargs),
callback=callback)
| put_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, temp_id, body, params={}, callback=None, **kwargs):\n url = self.mk_url(*['_search', 'template', temp_id])\n self.client.fetch(self.mk_req(url, method='PUT', body=body, **kwargs),\n callback=callback)\n",
"role": "user"
},
{
"content": "put_template",
"role": "assistant"
}
] |
def x(self, temp_id=None, params={}, callback=None, **kwargs):
url = self.mk_url(*['_search', 'template', temp_id])
self.client.fetch(self.mk_req(url, method='DELETE', **kwargs), callback
=callback)
| delete_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, temp_id=None, params={}, callback=None, **kwargs):\n url = self.mk_url(*['_search', 'template', temp_id])\n self.client.fetch(self.mk_req(url, method='DELETE', **kwargs), callback\n =callback)\n",
"role": "user"
},
{
"content": "delete_template",
"role": "assistant"
}
] |
def x(title='Unhandled Exception', exec_info=(), **kwargs):
exc_type, exc_value, tb = exec_info or sys.exc_info()
reporter = ExceptionReporter(exc_type, exc_value, tb)
html = reporter.get_traceback_html(**kwargs)
mail_admins(title, 'html only', html_message=html)
| report | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(title='Unhandled Exception', exec_info=(), **kwargs):\n exc_type, exc_value, tb = exec_info or sys.exc_info()\n reporter = ExceptionReporter(exc_type, exc_value, tb)\n html = reporter.get_traceback_html(**kwargs)\n mail_admins(title, 'html only', html_message=html)\n",
"role": "user"
},
{
"content": "report",
"role": "assistant"
}
] |
def x(self):
default_template_engine = None
if default_template_engine is None:
template_loaders = []
frames = self.get_traceback_frames()
for i, frame in enumerate(frames):
if 'vars' in frame:
frame_vars = []
for k, v in frame['vars']:
v = pformat(v)
if isinstance(v, six.binary_type):
v = v.decode('utf-8', 'replace')
if v and len(v) > 4096:
v = '%s... <trimmed %d bytes string>' % (v[0:4096], len(v))
frame_vars.append((k, v))
frame['vars'] = frame_vars
frames[i] = frame
unicode_hint = ''
if self.exc_type and issubclass(self.exc_type, UnicodeError):
start = getattr(self.exc_value, 'start', None)
end = getattr(self.exc_value, 'end', None)
if start is not None and end is not None:
unicode_str = self.exc_value.args[1]
c = {'is_email': False, 'frames': frames, 'sys_executable': sys.
executable, 'sys_version_info': '%d.%d.%d' % sys.version_info[0:3],
'sys_path': sys.path}
if self.exc_type:
c['exception_type'] = self.exc_type.__name__
if self.exc_value:
c['exception_value'] = self.exc_value
if frames:
c['lastframe'] = frames[-1]
return c
| get_traceback_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n default_template_engine = None\n if default_template_engine is None:\n template_loaders = []\n frames = self.get_traceback_frames()\n for i, frame in enumerate(frames):\n if 'vars' in frame:\n frame_vars = []\n for k, v in frame['vars']:\n v = pformat(v)\n if isinstance(v, six.binary_type):\n v = v.decode('utf-8', 'replace')\n if v and len(v) > 4096:\n v = '%s... <trimmed %d bytes string>' % (v[0:4096], len(v))\n frame_vars.append((k, v))\n frame['vars'] = frame_vars\n frames[i] = frame\n unicode_hint = ''\n if self.exc_type and issubclass(self.exc_type, UnicodeError):\n start = getattr(self.exc_value, 'start', None)\n end = getattr(self.exc_value, 'end', None)\n if start is not None and end is not None:\n unicode_str = self.exc_value.args[1]\n c = {'is_email': False, 'frames': frames, 'sys_executable': sys.\n executable, 'sys_version_info': '%d.%d.%d' % sys.version_info[0:3],\n 'sys_path': sys.path}\n if self.exc_type:\n c['exception_type'] = self.exc_type.__name__\n if self.exc_value:\n c['exception_value'] = self.exc_value\n if frames:\n c['lastframe'] = frames[-1]\n return c\n",
"role": "user"
},
{
"content": "get_traceback_data",
"role": "assistant"
}
] |
def x(self, **kwargs):
t = Template(TECHNICAL_500_TEMPLATE)
c = self.get_traceback_data()
c['kwargs'] = kwargs
return t.render(Context(c))
| get_traceback_html | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n t = Template(TECHNICAL_500_TEMPLATE)\n c = self.get_traceback_data()\n c['kwargs'] = kwargs\n return t.render(Context(c))\n",
"role": "user"
},
{
"content": "get_traceback_html",
"role": "assistant"
}
] |
def x(self, filename, lineno, context_lines, loader=None, module_name=None):
source = None
if loader is not None and hasattr(loader, 'get_source'):
try:
source = loader.get_source(module_name)
except ImportError:
pass
if source is not None:
source = source.splitlines()
if source is None:
try:
with open(filename, 'rb') as fp:
source = fp.read().splitlines()
except (OSError, IOError):
pass
if source is None:
return None, [], None, []
if isinstance(source[0], six.binary_type):
encoding = 'ascii'
for line in source[:2]:
match = re.search(b'coding[:=]\\s*([-\\w.]+)', line)
if match:
encoding = match.group(1).decode('ascii')
break
source = [six.text_type(sline, encoding, 'replace') for sline in source
]
lower_bound = max(0, lineno - context_lines)
upper_bound = lineno + context_lines
pre_context = source[lower_bound:lineno]
context_line = source[lineno]
post_context = source[lineno + 1:upper_bound]
return lower_bound, pre_context, context_line, post_context
| get_lines_from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, lineno, context_lines, loader=None, module_name=None):\n source = None\n if loader is not None and hasattr(loader, 'get_source'):\n try:\n source = loader.get_source(module_name)\n except ImportError:\n pass\n if source is not None:\n source = source.splitlines()\n if source is None:\n try:\n with open(filename, 'rb') as fp:\n source = fp.read().splitlines()\n except (OSError, IOError):\n pass\n if source is None:\n return None, [], None, []\n if isinstance(source[0], six.binary_type):\n encoding = 'ascii'\n for line in source[:2]:\n match = re.search(b'coding[:=]\\\\s*([-\\\\w.]+)', line)\n if match:\n encoding = match.group(1).decode('ascii')\n break\n source = [six.text_type(sline, encoding, 'replace') for sline in source\n ]\n lower_bound = max(0, lineno - context_lines)\n upper_bound = lineno + context_lines\n pre_context = source[lower_bound:lineno]\n context_line = source[lineno]\n post_context = source[lineno + 1:upper_bound]\n return lower_bound, pre_context, context_line, post_context\n",
"role": "user"
},
{
"content": "get_lines_from_file",
"role": "assistant"
}
] |
def x(self):
frames = []
tb = self.tb
while tb is not None:
if tb.tb_frame.f_locals.get('__traceback_hide__'):
tb = tb.tb_next
continue
filename = tb.tb_frame.f_code.co_filename
function = tb.tb_frame.f_code.co_name
lineno = tb.tb_lineno - 1
loader = tb.tb_frame.f_globals.get('__loader__')
module_name = tb.tb_frame.f_globals.get('__name__') or ''
pre_context_lineno, pre_context, context_line, post_context = (self
._get_lines_from_file(filename, lineno, 7, loader, module_name))
if pre_context_lineno is not None:
frames.append({'tb': tb, 'type': 'django' if module_name.
startswith('django.') else 'user', 'filename': filename,
'function': function, 'lineno': lineno + 1, 'vars': list(
six.iteritems(tb.tb_frame.f_locals)), 'id': id(tb),
'pre_context': pre_context, 'context_line': context_line,
'post_context': post_context, 'pre_context_lineno':
pre_context_lineno + 1})
tb = tb.tb_next
return frames
| get_traceback_frames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n frames = []\n tb = self.tb\n while tb is not None:\n if tb.tb_frame.f_locals.get('__traceback_hide__'):\n tb = tb.tb_next\n continue\n filename = tb.tb_frame.f_code.co_filename\n function = tb.tb_frame.f_code.co_name\n lineno = tb.tb_lineno - 1\n loader = tb.tb_frame.f_globals.get('__loader__')\n module_name = tb.tb_frame.f_globals.get('__name__') or ''\n pre_context_lineno, pre_context, context_line, post_context = (self\n ._get_lines_from_file(filename, lineno, 7, loader, module_name))\n if pre_context_lineno is not None:\n frames.append({'tb': tb, 'type': 'django' if module_name.\n startswith('django.') else 'user', 'filename': filename,\n 'function': function, 'lineno': lineno + 1, 'vars': list(\n six.iteritems(tb.tb_frame.f_locals)), 'id': id(tb),\n 'pre_context': pre_context, 'context_line': context_line,\n 'post_context': post_context, 'pre_context_lineno': \n pre_context_lineno + 1})\n tb = tb.tb_next\n return frames\n",
"role": "user"
},
{
"content": "get_traceback_frames",
"role": "assistant"
}
] |
def x(self):
import traceback
frames = self.get_traceback_frames()
tb = [(f['filename'], f['lineno'], f['function'], f['context_line']) for
f in frames]
list = ['Traceback (most recent call last):\n']
list += traceback.format_list(tb)
list += traceback.format_exception_only(self.exc_type, self.exc_value)
return list
| format_exception | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n import traceback\n frames = self.get_traceback_frames()\n tb = [(f['filename'], f['lineno'], f['function'], f['context_line']) for\n f in frames]\n list = ['Traceback (most recent call last):\\n']\n list += traceback.format_list(tb)\n list += traceback.format_exception_only(self.exc_type, self.exc_value)\n return list\n",
"role": "user"
},
{
"content": "format_exception",
"role": "assistant"
}
] |
def x(self, *keys):
return self._execute([b'DEL'] + list(keys), len(keys))
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *keys):\n return self._execute([b'DEL'] + list(keys), len(keys))\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, key, timeout):
return self._execute([b'EXPIRE', key, ascii(timeout).encode('ascii')], 1)
| expire | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, timeout):\n return self._execute([b'EXPIRE', key, ascii(timeout).encode('ascii')], 1)\n",
"role": "user"
},
{
"content": "expire",
"role": "assistant"
}
] |
def x(self, key, timestamp):
return self._execute([b'EXPIREAT', key, ascii(timestamp).encode('ascii'
)], 1)
| expireat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, timestamp):\n return self._execute([b'EXPIREAT', key, ascii(timestamp).encode('ascii'\n )], 1)\n",
"role": "user"
},
{
"content": "expireat",
"role": "assistant"
}
] |
def x(self, host, port, key, destination_db, timeout, copy=False, replace=False
):
command = [b'MIGRATE', host, ascii(port).encode('ascii'), key, ascii(
destination_db).encode('ascii'), ascii(timeout).encode('ascii')]
if copy is True:
command.append(b'COPY')
if replace is True:
command.append(b'REPLACE')
return self._execute(command, b'OK')
| migrate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, host, port, key, destination_db, timeout, copy=False, replace=False\n ):\n command = [b'MIGRATE', host, ascii(port).encode('ascii'), key, ascii(\n destination_db).encode('ascii'), ascii(timeout).encode('ascii')]\n if copy is True:\n command.append(b'COPY')\n if replace is True:\n command.append(b'REPLACE')\n return self._execute(command, b'OK')\n",
"role": "user"
},
{
"content": "migrate",
"role": "assistant"
}
] |
def x(self, key, db):
return self._execute([b'MOVE', key, ascii(db).encode('ascii')], 1)
| move | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, db):\n return self._execute([b'MOVE', key, ascii(db).encode('ascii')], 1)\n",
"role": "user"
},
{
"content": "move",
"role": "assistant"
}
] |
def x(self, key, timeout):
return self._execute([b'PEXPIRE', key, ascii(timeout).encode('ascii')], 1)
| pexpire | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, timeout):\n return self._execute([b'PEXPIRE', key, ascii(timeout).encode('ascii')], 1)\n",
"role": "user"
},
{
"content": "pexpire",
"role": "assistant"
}
] |
def x(self, key, timestamp):
return self._execute([b'PEXPIREAT', key, ascii(timestamp).encode(
'ascii')], 1)
| pexpireat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, timestamp):\n return self._execute([b'PEXPIREAT', key, ascii(timestamp).encode(\n 'ascii')], 1)\n",
"role": "user"
},
{
"content": "pexpireat",
"role": "assistant"
}
] |
def x(self, key, new_key):
return self._execute([b'RENAME', key, new_key], b'OK')
| rename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, new_key):\n return self._execute([b'RENAME', key, new_key], b'OK')\n",
"role": "user"
},
{
"content": "rename",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.