source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(node):
if not len(node):
return node.text
return (node.text or '') + ''.join([etree.tostring(c) for c in node]) + (
node.tail or '')
|
innertext
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node):\n if not len(node):\n return node.text\n return (node.text or '') + ''.join([etree.tostring(c) for c in node]) + (\n node.tail or '')\n",
"role": "user"
},
{
"content": "innertext",
"role": "assistant"
}
] |
def x(document, clean_html=True, unix_timestamp=False, encoding=None):
if isinstance(clean_html, bool):
cleaner = default_cleaner if clean_html else fake_cleaner
else:
cleaner = clean_html
result = feedparser.FeedParserDict()
result['feed'] = feedparser.FeedParserDict()
result['entries'] = []
result['bozo'] = 0
try:
parser = SpeedParser(document, cleaner, unix_timestamp, encoding)
parser.update(result)
except Exception as e:
if isinstance(e, UnicodeDecodeError) and encoding is True:
encoding = chardet.detect(document)['encoding']
document = document.decode(encoding, 'replace').encode('utf-8')
return parse(document, clean_html, unix_timestamp, encoding)
import traceback
result['bozo'] = 1
result['bozo_exception'] = e
result['bozo_tb'] = traceback.format_exc()
return result
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(document, clean_html=True, unix_timestamp=False, encoding=None):\n if isinstance(clean_html, bool):\n cleaner = default_cleaner if clean_html else fake_cleaner\n else:\n cleaner = clean_html\n result = feedparser.FeedParserDict()\n result['feed'] = feedparser.FeedParserDict()\n result['entries'] = []\n result['bozo'] = 0\n try:\n parser = SpeedParser(document, cleaner, unix_timestamp, encoding)\n parser.update(result)\n except Exception as e:\n if isinstance(e, UnicodeDecodeError) and encoding is True:\n encoding = chardet.detect(document)['encoding']\n document = document.decode(encoding, 'replace').encode('utf-8')\n return parse(document, clean_html, unix_timestamp, encoding)\n import traceback\n result['bozo'] = 1\n result['bozo_exception'] = e\n result['bozo_tb'] = traceback.format_exc()\n return result\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, entry):
e = feedparser.FeedParserDict()
tag_map = self.tag_map
nslookup = self.nslookup
for child in entry.getchildren():
if isinstance(child, etree._Comment):
continue
ns, tag = clean_ns(child.tag)
mapping = tag_map.get(tag, None)
if mapping:
getattr(self, 'parse_%s' % mapping)(child, e, nslookup.get(ns, ns))
if not ns:
continue
fulltag = '%s:%s' % (nslookup.get(ns, ''), tag)
mapping = tag_map.get(fulltag, None)
if mapping:
getattr(self, 'parse_%s' % mapping)(child, e, nslookup[ns])
lacks_summary = 'summary' not in e or e['summary'] is None
lacks_content = 'content' not in e or not bool(e.get('content', None))
if not lacks_summary and lacks_content:
e['content'] = [{'value': e.summary}]
if lacks_summary and not lacks_content:
e['summary'] = e['content'][0]['value']
if e.get('summary', False) is None:
e['summary'] = u''
if 'guid' in e and 'link' not in e:
e['link'] = full_href(e['guid'], self.baseurl)
return e
|
parse_entry
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entry):\n e = feedparser.FeedParserDict()\n tag_map = self.tag_map\n nslookup = self.nslookup\n for child in entry.getchildren():\n if isinstance(child, etree._Comment):\n continue\n ns, tag = clean_ns(child.tag)\n mapping = tag_map.get(tag, None)\n if mapping:\n getattr(self, 'parse_%s' % mapping)(child, e, nslookup.get(ns, ns))\n if not ns:\n continue\n fulltag = '%s:%s' % (nslookup.get(ns, ''), tag)\n mapping = tag_map.get(fulltag, None)\n if mapping:\n getattr(self, 'parse_%s' % mapping)(child, e, nslookup[ns])\n lacks_summary = 'summary' not in e or e['summary'] is None\n lacks_content = 'content' not in e or not bool(e.get('content', None))\n if not lacks_summary and lacks_content:\n e['content'] = [{'value': e.summary}]\n if lacks_summary and not lacks_content:\n e['summary'] = e['content'][0]['value']\n if e.get('summary', False) is None:\n e['summary'] = u''\n if 'guid' in e and 'link' not in e:\n e['link'] = full_href(e['guid'], self.baseurl)\n return e\n",
"role": "user"
},
{
"content": "parse_entry",
"role": "assistant"
}
] |
def x(self):
result = None
for path in self.paths_to_modification_times:
lastmod = self.paths_to_modification_times[path]
mod = os.path.getmtime(path)
if mod > lastmod:
result = 'Watch file has been modified: ' + repr(path)
self.paths_to_modification_times[path] = mod
for folder in self.folder_paths:
for filename in os.listdir(folder):
subpath = os.path.join(folder, filename)
if os.path.isfile(subpath
) and subpath not in self.paths_to_modification_times:
result = 'New file in watched folder: ' + repr(subpath)
self.add(subpath)
if self.check_python_modules:
self.add_all_modules()
if self.check_javascript:
self.watch_javascript()
return result
|
changed_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = None\n for path in self.paths_to_modification_times:\n lastmod = self.paths_to_modification_times[path]\n mod = os.path.getmtime(path)\n if mod > lastmod:\n result = 'Watch file has been modified: ' + repr(path)\n self.paths_to_modification_times[path] = mod\n for folder in self.folder_paths:\n for filename in os.listdir(folder):\n subpath = os.path.join(folder, filename)\n if os.path.isfile(subpath\n ) and subpath not in self.paths_to_modification_times:\n result = 'New file in watched folder: ' + repr(subpath)\n self.add(subpath)\n if self.check_python_modules:\n self.add_all_modules()\n if self.check_javascript:\n self.watch_javascript()\n return result\n",
"role": "user"
},
{
"content": "changed_path",
"role": "assistant"
}
] |
def x(dateString):
m = None
for _iso8601_match in _iso8601_matches:
m = _iso8601_match(dateString)
if m:
break
if not m:
return
if m.span() == (0, 0):
return
params = m.groupdict()
ordinal = params.get('ordinal', 0)
if ordinal:
ordinal = int(ordinal)
else:
ordinal = 0
year = params.get('year', '--')
if not year or year == '--':
year = time.gmtime()[0]
elif len(year) == 2:
year = 100 * int(time.gmtime()[0] / 100) + int(year)
else:
year = int(year)
month = params.get('month', '-')
if not month or month == '-':
if ordinal:
month = 1
else:
month = time.gmtime()[1]
month = int(month)
day = params.get('day', 0)
if not day:
if ordinal:
day = ordinal
elif params.get('century', 0) or params.get('year', 0) or params.get(
'month', 0):
day = 1
else:
day = time.gmtime()[2]
else:
day = int(day)
if 'century' in params:
year = (int(params['century']) - 1) * 100 + 1
for field in ['hour', 'minute', 'second', 'tzhour', 'tzmin']:
if not params.get(field, None):
params[field] = 0
hour = int(params.get('hour', 0))
minute = int(params.get('minute', 0))
second = int(float(params.get('second', 0)))
weekday = 0
daylight_savings_flag = -1
tm = [year, month, day, hour, minute, second, weekday, ordinal,
daylight_savings_flag]
tz = params.get('tz')
if tz and tz != 'Z':
if tz[0] == '-':
tm[3] += int(params.get('tzhour', 0))
tm[4] += int(params.get('tzmin', 0))
elif tz[0] == '+':
tm[3] -= int(params.get('tzhour', 0))
tm[4] -= int(params.get('tzmin', 0))
else:
return None
return time.localtime(time.mktime(tuple(tm)))
|
parse_date_iso8601
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dateString):\n m = None\n for _iso8601_match in _iso8601_matches:\n m = _iso8601_match(dateString)\n if m:\n break\n if not m:\n return\n if m.span() == (0, 0):\n return\n params = m.groupdict()\n ordinal = params.get('ordinal', 0)\n if ordinal:\n ordinal = int(ordinal)\n else:\n ordinal = 0\n year = params.get('year', '--')\n if not year or year == '--':\n year = time.gmtime()[0]\n elif len(year) == 2:\n year = 100 * int(time.gmtime()[0] / 100) + int(year)\n else:\n year = int(year)\n month = params.get('month', '-')\n if not month or month == '-':\n if ordinal:\n month = 1\n else:\n month = time.gmtime()[1]\n month = int(month)\n day = params.get('day', 0)\n if not day:\n if ordinal:\n day = ordinal\n elif params.get('century', 0) or params.get('year', 0) or params.get(\n 'month', 0):\n day = 1\n else:\n day = time.gmtime()[2]\n else:\n day = int(day)\n if 'century' in params:\n year = (int(params['century']) - 1) * 100 + 1\n for field in ['hour', 'minute', 'second', 'tzhour', 'tzmin']:\n if not params.get(field, None):\n params[field] = 0\n hour = int(params.get('hour', 0))\n minute = int(params.get('minute', 0))\n second = int(float(params.get('second', 0)))\n weekday = 0\n daylight_savings_flag = -1\n tm = [year, month, day, hour, minute, second, weekday, ordinal,\n daylight_savings_flag]\n tz = params.get('tz')\n if tz and tz != 'Z':\n if tz[0] == '-':\n tm[3] += int(params.get('tzhour', 0))\n tm[4] += int(params.get('tzmin', 0))\n elif tz[0] == '+':\n tm[3] -= int(params.get('tzhour', 0))\n tm[4] -= int(params.get('tzmin', 0))\n else:\n return None\n return time.localtime(time.mktime(tuple(tm)))\n",
"role": "user"
},
{
"content": "parse_date_iso8601",
"role": "assistant"
}
] |
def x(dateString):
m = _korean_onblog_date_re.match(dateString)
if not m:
return
w3dtfdate = (
'%(year)s-%(month)s-%(day)sT%(hour)s:%(minute)s:%(second)s%(zonediff)s'
% {'year': m.group(1), 'month': m.group(2), 'day': m.group(3),
'hour': m.group(4), 'minute': m.group(5), 'second': m.group(6),
'zonediff': '+09:00'})
return _parse_date_w3dtf(w3dtfdate)
|
parse_date_onblog
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dateString):\n m = _korean_onblog_date_re.match(dateString)\n if not m:\n return\n w3dtfdate = (\n '%(year)s-%(month)s-%(day)sT%(hour)s:%(minute)s:%(second)s%(zonediff)s'\n % {'year': m.group(1), 'month': m.group(2), 'day': m.group(3),\n 'hour': m.group(4), 'minute': m.group(5), 'second': m.group(6),\n 'zonediff': '+09:00'})\n return _parse_date_w3dtf(w3dtfdate)\n",
"role": "user"
},
{
"content": "parse_date_onblog",
"role": "assistant"
}
] |
def x(dateString):
m = _korean_nate_date_re.match(dateString)
if not m:
return
hour = int(m.group(5))
ampm = m.group(4)
if ampm == _korean_pm:
hour += 12
hour = str(hour)
if len(hour) == 1:
hour = '0' + hour
w3dtfdate = (
'%(year)s-%(month)s-%(day)sT%(hour)s:%(minute)s:%(second)s%(zonediff)s'
% {'year': m.group(1), 'month': m.group(2), 'day': m.group(3),
'hour': hour, 'minute': m.group(6), 'second': m.group(7),
'zonediff': '+09:00'})
return _parse_date_w3dtf(w3dtfdate)
|
parse_date_nate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dateString):\n m = _korean_nate_date_re.match(dateString)\n if not m:\n return\n hour = int(m.group(5))\n ampm = m.group(4)\n if ampm == _korean_pm:\n hour += 12\n hour = str(hour)\n if len(hour) == 1:\n hour = '0' + hour\n w3dtfdate = (\n '%(year)s-%(month)s-%(day)sT%(hour)s:%(minute)s:%(second)s%(zonediff)s'\n % {'year': m.group(1), 'month': m.group(2), 'day': m.group(3),\n 'hour': hour, 'minute': m.group(6), 'second': m.group(7),\n 'zonediff': '+09:00'})\n return _parse_date_w3dtf(w3dtfdate)\n",
"role": "user"
},
{
"content": "parse_date_nate",
"role": "assistant"
}
] |
def x(dateString):
m = _greek_date_format_re.match(dateString)
if not m:
return
wday = _greek_wdays[m.group(1)]
month = _greek_months[m.group(3)]
rfc822date = (
'%(wday)s, %(day)s %(month)s %(year)s %(hour)s:%(minute)s:%(second)s %(zonediff)s'
% {'wday': wday, 'day': m.group(2), 'month': month, 'year': m.
group(4), 'hour': m.group(5), 'minute': m.group(6), 'second': m.
group(7), 'zonediff': m.group(8)})
return _parse_date_rfc822(rfc822date)
|
parse_date_greek
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dateString):\n m = _greek_date_format_re.match(dateString)\n if not m:\n return\n wday = _greek_wdays[m.group(1)]\n month = _greek_months[m.group(3)]\n rfc822date = (\n '%(wday)s, %(day)s %(month)s %(year)s %(hour)s:%(minute)s:%(second)s %(zonediff)s'\n % {'wday': wday, 'day': m.group(2), 'month': month, 'year': m.\n group(4), 'hour': m.group(5), 'minute': m.group(6), 'second': m.\n group(7), 'zonediff': m.group(8)})\n return _parse_date_rfc822(rfc822date)\n",
"role": "user"
},
{
"content": "parse_date_greek",
"role": "assistant"
}
] |
def x(dateString):
m = _hungarian_date_format_re.match(dateString)
if not m or m.group(2) not in _hungarian_months:
return None
month = _hungarian_months[m.group(2)]
day = m.group(3)
if len(day) == 1:
day = '0' + day
hour = m.group(4)
if len(hour) == 1:
hour = '0' + hour
w3dtfdate = (
'%(year)s-%(month)s-%(day)sT%(hour)s:%(minute)s%(zonediff)s' % {
'year': m.group(1), 'month': month, 'day': day, 'hour': hour,
'minute': m.group(5), 'zonediff': m.group(6)})
return _parse_date_w3dtf(w3dtfdate)
|
parse_date_hungarian
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dateString):\n m = _hungarian_date_format_re.match(dateString)\n if not m or m.group(2) not in _hungarian_months:\n return None\n month = _hungarian_months[m.group(2)]\n day = m.group(3)\n if len(day) == 1:\n day = '0' + day\n hour = m.group(4)\n if len(hour) == 1:\n hour = '0' + hour\n w3dtfdate = (\n '%(year)s-%(month)s-%(day)sT%(hour)s:%(minute)s%(zonediff)s' % {\n 'year': m.group(1), 'month': month, 'day': day, 'hour': hour,\n 'minute': m.group(5), 'zonediff': m.group(6)})\n return _parse_date_w3dtf(w3dtfdate)\n",
"role": "user"
},
{
"content": "parse_date_hungarian",
"role": "assistant"
}
] |
def x(dateString):
data = dateString.split()
if not data:
return None
if data[0][-1] in (',', '.') or data[0].lower() in rfc822._daynames:
del data[0]
if len(data) == 4:
s = data[3]
i = s.find('+')
if i > 0:
data[3:] = [s[:i], s[i + 1:]]
else:
data.append('')
dateString = ' '.join(data)
elif len(data) == 5 and data[4].lower().startswith('etc/'):
data[4] = data[4][4:]
dateString = ' '.join(data)
if len(data) < 5:
dateString += ' 00:00:00 GMT'
tm = rfc822.parsedate_tz(dateString)
if tm:
if tm[0] < 100:
tm = (tm[0] + (1900, 2000)[tm[0] < 70],) + tm[1:]
return time.gmtime(rfc822.mktime_tz(tm))
|
parse_date_rfc822
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dateString):\n data = dateString.split()\n if not data:\n return None\n if data[0][-1] in (',', '.') or data[0].lower() in rfc822._daynames:\n del data[0]\n if len(data) == 4:\n s = data[3]\n i = s.find('+')\n if i > 0:\n data[3:] = [s[:i], s[i + 1:]]\n else:\n data.append('')\n dateString = ' '.join(data)\n elif len(data) == 5 and data[4].lower().startswith('etc/'):\n data[4] = data[4][4:]\n dateString = ' '.join(data)\n if len(data) < 5:\n dateString += ' 00:00:00 GMT'\n tm = rfc822.parsedate_tz(dateString)\n if tm:\n if tm[0] < 100:\n tm = (tm[0] + (1900, 2000)[tm[0] < 70],) + tm[1:]\n return time.gmtime(rfc822.mktime_tz(tm))\n",
"role": "user"
},
{
"content": "parse_date_rfc822",
"role": "assistant"
}
] |
def x(aDateString):
_my_date_pattern = re.compile(
'(\\w{,3}), (\\d{,4})/(\\d{,2})/(\\d{2}) (\\d{,2}):(\\d{2}):(\\d{2}) (\\w{,3})'
)
m = _my_date_pattern.search(aDateString)
if m is None:
return None
dow, year, month, day, hour, minute, second, tz = m.groups()
months = ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep',
'Oct', 'Nov', 'Dec']
dateString = '%s, %s %s %s %s:%s:%s %s' % (dow, day, months[int(month) -
1], year, hour, minute, second, tz)
tm = rfc822.parsedate_tz(dateString)
if tm:
return time.gmtime(rfc822.mktime_tz(tm))
|
parse_date_perforce
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aDateString):\n _my_date_pattern = re.compile(\n '(\\\\w{,3}), (\\\\d{,4})/(\\\\d{,2})/(\\\\d{2}) (\\\\d{,2}):(\\\\d{2}):(\\\\d{2}) (\\\\w{,3})'\n )\n m = _my_date_pattern.search(aDateString)\n if m is None:\n return None\n dow, year, month, day, hour, minute, second, tz = m.groups()\n months = ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep',\n 'Oct', 'Nov', 'Dec']\n dateString = '%s, %s %s %s %s:%s:%s %s' % (dow, day, months[int(month) -\n 1], year, hour, minute, second, tz)\n tm = rfc822.parsedate_tz(dateString)\n if tm:\n return time.gmtime(rfc822.mktime_tz(tm))\n",
"role": "user"
},
{
"content": "parse_date_perforce",
"role": "assistant"
}
] |
def x(dateString):
if not dateString:
return None
for handler in _date_handlers:
try:
date9tuple = handler(dateString)
except (KeyError, OverflowError, ValueError):
continue
if not date9tuple:
continue
if len(date9tuple) != 9:
continue
return date9tuple
return None
|
parse_date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dateString):\n if not dateString:\n return None\n for handler in _date_handlers:\n try:\n date9tuple = handler(dateString)\n except (KeyError, OverflowError, ValueError):\n continue\n if not date9tuple:\n continue\n if len(date9tuple) != 9:\n continue\n return date9tuple\n return None\n",
"role": "user"
},
{
"content": "parse_date",
"role": "assistant"
}
] |
def x(self, status, name, content, file_info):
out = self.output
if out is not None:
with out:
print('handling chunk ' + repr(type(content)))
self.handle_chunk(status, name, content, file_info)
else:
self.handle_chunk(status, name, content, file_info)
|
handle_chunk_wrapper
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status, name, content, file_info):\n out = self.output\n if out is not None:\n with out:\n print('handling chunk ' + repr(type(content)))\n self.handle_chunk(status, name, content, file_info)\n else:\n self.handle_chunk(status, name, content, file_info)\n",
"role": "user"
},
{
"content": "handle_chunk_wrapper",
"role": "assistant"
}
] |
def x(self, status, name, content, file_info):
if status == 'error':
msg = repr(file_info.get('message'))
exc = JavaScriptError(msg)
exc.file_info = file_info
self.status = 'Javascript sent exception ' + msg
self.chunk_collector = []
raise exc
if status == 'more':
self.chunk_collector.append(content)
self.progress_callback(self.chunk_collector, file_info)
else:
assert status == 'done', 'Unknown status ' + repr(status)
self.save_chunks = self.chunk_collector
self.chunk_collector.append(content)
all_content = self.combine_chunks(self.chunk_collector)
self.chunk_collector = []
content_callback = self.content_callback
if content_callback is None:
content_callback = self.default_content_callback
self.status = 'calling ' + repr(content_callback)
try:
content_callback(self.widget, name, all_content)
except Exception as e:
self.status += '\n' + repr(content_callback) + ' raised ' + repr(e)
raise
|
handle_chunk
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status, name, content, file_info):\n if status == 'error':\n msg = repr(file_info.get('message'))\n exc = JavaScriptError(msg)\n exc.file_info = file_info\n self.status = 'Javascript sent exception ' + msg\n self.chunk_collector = []\n raise exc\n if status == 'more':\n self.chunk_collector.append(content)\n self.progress_callback(self.chunk_collector, file_info)\n else:\n assert status == 'done', 'Unknown status ' + repr(status)\n self.save_chunks = self.chunk_collector\n self.chunk_collector.append(content)\n all_content = self.combine_chunks(self.chunk_collector)\n self.chunk_collector = []\n content_callback = self.content_callback\n if content_callback is None:\n content_callback = self.default_content_callback\n self.status = 'calling ' + repr(content_callback)\n try:\n content_callback(self.widget, name, all_content)\n except Exception as e:\n self.status += '\\n' + repr(content_callback) + ' raised ' + repr(e)\n raise\n",
"role": "user"
},
{
"content": "handle_chunk",
"role": "assistant"
}
] |
def x(self, scope, redirect_uri, state=None, family_names=None, given_names
=None, email=None, lang=None, show_login=None):
if not isinstance(scope, string_types):
scope = ' '.join(sorted(set(scope)))
data = [('client_id', self._key), ('scope', scope), ('response_type',
'code'), ('redirect_uri', redirect_uri)]
if state:
data.append(('state', state))
if family_names:
data.append(('family_names', family_names.encode('utf-8')))
if given_names:
data.append(('given_names', given_names.encode('utf-8')))
if email:
data.append(('email', email))
if lang:
data.append(('lang', lang))
if show_login is not None:
data.append(('show_login', 'true' if show_login else 'false'))
return self._login_or_register_endpoint + '?' + urlencode(data)
|
get_login_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scope, redirect_uri, state=None, family_names=None, given_names\n =None, email=None, lang=None, show_login=None):\n if not isinstance(scope, string_types):\n scope = ' '.join(sorted(set(scope)))\n data = [('client_id', self._key), ('scope', scope), ('response_type',\n 'code'), ('redirect_uri', redirect_uri)]\n if state:\n data.append(('state', state))\n if family_names:\n data.append(('family_names', family_names.encode('utf-8')))\n if given_names:\n data.append(('given_names', given_names.encode('utf-8')))\n if email:\n data.append(('email', email))\n if lang:\n data.append(('lang', lang))\n if show_login is not None:\n data.append(('show_login', 'true' if show_login else 'false'))\n return self._login_or_register_endpoint + '?' + urlencode(data)\n",
"role": "user"
},
{
"content": "get_login_url",
"role": "assistant"
}
] |
def x(self, query, method='lucene', start=None, rows=None, access_token=None):
if access_token is None:
access_token = self.get_search_token_from_orcid()
headers = {'Accept': 'application/orcid+json', 'Authorization':
'Bearer %s' % access_token}
return self._search(query, method, start, rows, headers, self._endpoint)
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, method='lucene', start=None, rows=None, access_token=None):\n if access_token is None:\n access_token = self.get_search_token_from_orcid()\n headers = {'Accept': 'application/orcid+json', 'Authorization': \n 'Bearer %s' % access_token}\n return self._search(query, method, start, rows, headers, self._endpoint)\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self, query, method='lucene', pagination=10, access_token=None):
if access_token is None:
access_token = self.get_search_token_from_orcid()
headers = {'Accept': 'application/orcid+json', 'Authorization':
'Bearer %s' % access_token}
index = 0
while True:
paginated_result = self._search(query, method, index, pagination,
headers, self._endpoint)
if not paginated_result['result']:
return
for result in paginated_result['result']:
yield result
index += pagination
|
search_generator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, method='lucene', pagination=10, access_token=None):\n if access_token is None:\n access_token = self.get_search_token_from_orcid()\n headers = {'Accept': 'application/orcid+json', 'Authorization': \n 'Bearer %s' % access_token}\n index = 0\n while True:\n paginated_result = self._search(query, method, index, pagination,\n headers, self._endpoint)\n if not paginated_result['result']:\n return\n for result in paginated_result['result']:\n yield result\n index += pagination\n",
"role": "user"
},
{
"content": "search_generator",
"role": "assistant"
}
] |
def x(self, scope='/read-public'):
payload = {'client_id': self._key, 'client_secret': self._secret,
'scope': scope, 'grant_type': 'client_credentials'}
url = '%s/oauth/token' % self._endpoint
headers = {'Accept': 'application/json'}
response = requests.post(url, data=payload, headers=headers, timeout=
self._timeout)
response.raise_for_status()
if self.do_store_raw_response:
self.raw_response = response
return response.json()['access_token']
|
get_search_token_from_orcid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scope='/read-public'):\n payload = {'client_id': self._key, 'client_secret': self._secret,\n 'scope': scope, 'grant_type': 'client_credentials'}\n url = '%s/oauth/token' % self._endpoint\n headers = {'Accept': 'application/json'}\n response = requests.post(url, data=payload, headers=headers, timeout=\n self._timeout)\n response.raise_for_status()\n if self.do_store_raw_response:\n self.raw_response = response\n return response.json()['access_token']\n",
"role": "user"
},
{
"content": "get_search_token_from_orcid",
"role": "assistant"
}
] |
def x(self, user_id, password, redirect_uri, scope='/read-limited'):
response = self._authenticate(user_id, password, redirect_uri, scope)
return response['access_token']
|
get_token
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id, password, redirect_uri, scope='/read-limited'):\n response = self._authenticate(user_id, password, redirect_uri, scope)\n return response['access_token']\n",
"role": "user"
},
{
"content": "get_token",
"role": "assistant"
}
] |
def x(self, authorization_code, redirect_uri):
token_dict = {'client_id': self._key, 'client_secret': self._secret,
'grant_type': 'authorization_code', 'code': authorization_code,
'redirect_uri': redirect_uri}
response = requests.post(self._token_url, data=token_dict, headers={
'Accept': 'application/json'}, timeout=self._timeout)
response.raise_for_status()
if self.do_store_raw_response:
self.raw_response = response
return json.loads(response.text)
|
get_token_from_authorization_code
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, authorization_code, redirect_uri):\n token_dict = {'client_id': self._key, 'client_secret': self._secret,\n 'grant_type': 'authorization_code', 'code': authorization_code,\n 'redirect_uri': redirect_uri}\n response = requests.post(self._token_url, data=token_dict, headers={\n 'Accept': 'application/json'}, timeout=self._timeout)\n response.raise_for_status()\n if self.do_store_raw_response:\n self.raw_response = response\n return json.loads(response.text)\n",
"role": "user"
},
{
"content": "get_token_from_authorization_code",
"role": "assistant"
}
] |
def x(self, orcid_id, request_type, token, put_code=None, accept_type=
'application/orcid+json'):
return self._get_info(orcid_id, self._get_public_info, request_type,
token, put_code, accept_type)
|
read_record_public
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, orcid_id, request_type, token, put_code=None, accept_type=\n 'application/orcid+json'):\n return self._get_info(orcid_id, self._get_public_info, request_type,\n token, put_code, accept_type)\n",
"role": "user"
},
{
"content": "read_record_public",
"role": "assistant"
}
] |
def x(self, orcid_id, token, request_type, data, content_type=
'application/orcid+json'):
return self._update_activities(orcid_id, token, requests.post,
request_type, data, content_type=content_type)
|
add_record
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, orcid_id, token, request_type, data, content_type=\n 'application/orcid+json'):\n return self._update_activities(orcid_id, token, requests.post,\n request_type, data, content_type=content_type)\n",
"role": "user"
},
{
"content": "add_record",
"role": "assistant"
}
] |
def x(self, user_id, password, redirect_uri, scope='/activities/update'):
return super(MemberAPI, self).get_token(user_id, password, redirect_uri,
scope)
|
get_token
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id, password, redirect_uri, scope='/activities/update'):\n return super(MemberAPI, self).get_token(user_id, password, redirect_uri,\n scope)\n",
"role": "user"
},
{
"content": "get_token",
"role": "assistant"
}
] |
def x(self, user_id, password, redirect_uri):
response = self._authenticate(user_id, password, redirect_uri,
'/authenticate')
return response['orcid']
|
get_user_orcid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id, password, redirect_uri):\n response = self._authenticate(user_id, password, redirect_uri,\n '/authenticate')\n return response['orcid']\n",
"role": "user"
},
{
"content": "get_user_orcid",
"role": "assistant"
}
] |
def x(self, orcid_id, request_type, token, put_code=None, accept_type=
'application/orcid+json'):
return self._get_info(orcid_id, self._get_member_info, request_type,
token, put_code, accept_type)
|
read_record_member
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, orcid_id, request_type, token, put_code=None, accept_type=\n 'application/orcid+json'):\n return self._get_info(orcid_id, self._get_member_info, request_type,\n token, put_code, accept_type)\n",
"role": "user"
},
{
"content": "read_record_member",
"role": "assistant"
}
] |
def x(self, orcid_id, token, request_type, put_code):
self._update_activities(orcid_id, token, requests.delete, request_type,
put_code=put_code)
|
remove_record
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, orcid_id, token, request_type, put_code):\n self._update_activities(orcid_id, token, requests.delete, request_type,\n put_code=put_code)\n",
"role": "user"
},
{
"content": "remove_record",
"role": "assistant"
}
] |
def x(self, orcid_id, token, request_type, data, put_code, content_type=
'application/orcid+json'):
self._update_activities(orcid_id, token, requests.put, request_type,
data, put_code, content_type)
|
update_record
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, orcid_id, token, request_type, data, put_code, content_type=\n 'application/orcid+json'):\n self._update_activities(orcid_id, token, requests.put, request_type,\n data, put_code, content_type)\n",
"role": "user"
},
{
"content": "update_record",
"role": "assistant"
}
] |
def x(apps, schema_editor):
EntityRelationship = apps.get_model('entity', 'EntityRelationship')
duplicates = EntityRelationship.objects.all().order_by('sub_entity_id',
'super_entity_id').values('sub_entity_id', 'super_entity_id').annotate(
Count('sub_entity_id'), Count('super_entity_id'), max_id=Max('id')
).filter(super_entity_id__count__gt=1)
for duplicate in duplicates:
EntityRelationship.objects.filter(sub_entity_id=duplicate[
'sub_entity_id'], super_entity_id=duplicate['super_entity_id']
).exclude(id=duplicate['max_id']).delete()
|
remove_duplicates
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apps, schema_editor):\n EntityRelationship = apps.get_model('entity', 'EntityRelationship')\n duplicates = EntityRelationship.objects.all().order_by('sub_entity_id',\n 'super_entity_id').values('sub_entity_id', 'super_entity_id').annotate(\n Count('sub_entity_id'), Count('super_entity_id'), max_id=Max('id')\n ).filter(super_entity_id__count__gt=1)\n for duplicate in duplicates:\n EntityRelationship.objects.filter(sub_entity_id=duplicate[\n 'sub_entity_id'], super_entity_id=duplicate['super_entity_id']\n ).exclude(id=duplicate['max_id']).delete()\n",
"role": "user"
},
{
"content": "remove_duplicates",
"role": "assistant"
}
] |
def x(message):
body = []
returned = dict(cmd='', headers={}, body='')
breakdown = message.split('\n')
returned['cmd'] = breakdown[0]
breakdown = breakdown[1:]
def x(field):
index = field.find(':')
if index:
header = field[:index].strip()
data = field[index + 1:].strip()
returned['headers'][header.strip()] = data.strip()
def x(field):
field = field.strip()
if field:
body.append(field)
handler = headD
for field in breakdown:
if field.strip() == '':
handler = bodyD
continue
handler(field)
body = ''.join(body)
returned['body'] = body.replace('\x00', '')
return returned
|
unpack_frame
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message):\n body = []\n returned = dict(cmd='', headers={}, body='')\n breakdown = message.split('\\n')\n returned['cmd'] = breakdown[0]\n breakdown = breakdown[1:]\n\n def x(field):\n index = field.find(':')\n if index:\n header = field[:index].strip()\n data = field[index + 1:].strip()\n returned['headers'][header.strip()] = data.strip()\n\n def x(field):\n field = field.strip()\n if field:\n body.append(field)\n handler = headD\n for field in breakdown:\n if field.strip() == '':\n handler = bodyD\n continue\n handler(field)\n body = ''.join(body)\n returned['body'] = body.replace('\\x00', '')\n return returned\n",
"role": "user"
},
{
"content": "unpack_frame",
"role": "assistant"
}
] |
def x(messageid, transactionid=None):
header = 'message-id: %s' % messageid
if transactionid:
header = 'message-id: %s\ntransaction: %s' % (messageid, transactionid)
return 'ACK\n%s\n\n\x00\n' % header
|
ack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(messageid, transactionid=None):\n header = 'message-id: %s' % messageid\n if transactionid:\n header = 'message-id: %s\\ntransaction: %s' % (messageid, transactionid)\n return 'ACK\\n%s\\n\\n\\x00\\n' % header\n",
"role": "user"
},
{
"content": "ack",
"role": "assistant"
}
] |
def x(dest, msg, transactionid=None):
transheader = ''
if transactionid:
transheader = 'transaction: %s\n' % transactionid
return 'SEND\ndestination: %s\n%s\n%s\x00\n' % (dest, transheader, msg)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dest, msg, transactionid=None):\n transheader = ''\n if transactionid:\n transheader = 'transaction: %s\\n' % transactionid\n return 'SEND\\ndestination: %s\\n%s\\n%s\\x00\\n' % (dest, transheader, msg)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, cmd):
cmd = cmd.upper()
if cmd not in VALID_COMMANDS:
raise FrameError(
"The cmd '%s' is not valid! It must be one of '%s' (STOMP v%s)." %
(cmd, VALID_COMMANDS, STOMP_VERSION))
else:
self._cmd = cmd
|
setCmd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd):\n cmd = cmd.upper()\n if cmd not in VALID_COMMANDS:\n raise FrameError(\n \"The cmd '%s' is not valid! It must be one of '%s' (STOMP v%s).\" %\n (cmd, VALID_COMMANDS, STOMP_VERSION))\n else:\n self._cmd = cmd\n",
"role": "user"
},
{
"content": "setCmd",
"role": "assistant"
}
] |
def x(self):
headers = ''.join([('%s:%s\n' % (f, v)) for f, v in sorted(self.headers
.items())])
stomp_message = '%s\n%s\n%s%s\n' % (self._cmd, headers, self.body, NULL)
return stomp_message
|
pack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n headers = ''.join([('%s:%s\\n' % (f, v)) for f, v in sorted(self.headers\n .items())])\n stomp_message = '%s\\n%s\\n%s%s\\n' % (self._cmd, headers, self.body, NULL)\n return stomp_message\n",
"role": "user"
},
{
"content": "pack",
"role": "assistant"
}
] |
def x(self, message):
if not message:
raise FrameError(
"Unpack error! The given message isn't valid '%s'!" % message)
msg = unpack_frame(message)
self.cmd = msg['cmd']
self.headers = msg['headers']
self.body = msg['body']
return msg
|
unpack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n if not message:\n raise FrameError(\n \"Unpack error! The given message isn't valid '%s'!\" % message)\n msg = unpack_frame(message)\n self.cmd = msg['cmd']\n self.headers = msg['headers']\n self.body = msg['body']\n return msg\n",
"role": "user"
},
{
"content": "unpack",
"role": "assistant"
}
] |
def x(self, msg):
returned = ''
mtype = type(msg)
if mtype in stringTypes:
msg = unpack_frame(msg)
elif mtype == dict:
pass
else:
raise FrameError(
"Unknown message type '%s', I don't know what to do with this!" %
mtype)
if msg['cmd'] in self.states:
returned = self.states[msg['cmd']](msg)
return returned
|
react
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n returned = ''\n mtype = type(msg)\n if mtype in stringTypes:\n msg = unpack_frame(msg)\n elif mtype == dict:\n pass\n else:\n raise FrameError(\n \"Unknown message type '%s', I don't know what to do with this!\" %\n mtype)\n if msg['cmd'] in self.states:\n returned = self.states[msg['cmd']](msg)\n return returned\n",
"role": "user"
},
{
"content": "react",
"role": "assistant"
}
] |
def x(self, msg):
body = msg['body'].replace(NULL, '')
brief_msg = ''
if 'message' in msg['headers']:
brief_msg = msg['headers']['message']
self.log.error('Received server error - message%s\n\n%s' % (brief_msg,
body))
returned = NO_RESPONSE_NEEDED
if self.testing:
returned = 'error'
return returned
|
error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n body = msg['body'].replace(NULL, '')\n brief_msg = ''\n if 'message' in msg['headers']:\n brief_msg = msg['headers']['message']\n self.log.error('Received server error - message%s\\n\\n%s' % (brief_msg,\n body))\n returned = NO_RESPONSE_NEEDED\n if self.testing:\n returned = 'error'\n return returned\n",
"role": "user"
},
{
"content": "error",
"role": "assistant"
}
] |
def x(self, msg):
body = msg['body'].replace(NULL, '')
brief_msg = ''
if 'receipt-id' in msg['headers']:
brief_msg = msg['headers']['receipt-id']
self.log.info('Received server receipt message - receipt-id:%s\n\n%s' %
(brief_msg, body))
returned = NO_RESPONSE_NEEDED
if self.testing:
returned = 'receipt'
return returned
|
receipt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n body = msg['body'].replace(NULL, '')\n brief_msg = ''\n if 'receipt-id' in msg['headers']:\n brief_msg = msg['headers']['receipt-id']\n self.log.info('Received server receipt message - receipt-id:%s\\n\\n%s' %\n (brief_msg, body))\n returned = NO_RESPONSE_NEEDED\n if self.testing:\n returned = 'receipt'\n return returned\n",
"role": "user"
},
{
"content": "receipt",
"role": "assistant"
}
] |
def x(level):
log = logging.getLogger()
hdlr = logging.StreamHandler()
formatter = logging.Formatter(
'%(asctime)s %(name)s %(levelname)s %(message)s')
hdlr.setFormatter(formatter)
log.addHandler(hdlr)
log.setLevel(level)
|
log_init
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(level):\n log = logging.getLogger()\n hdlr = logging.StreamHandler()\n formatter = logging.Formatter(\n '%(asctime)s %(name)s %(levelname)s %(message)s')\n hdlr.setFormatter(formatter)\n log.addHandler(hdlr)\n log.setLevel(level)\n",
"role": "user"
},
{
"content": "log_init",
"role": "assistant"
}
] |
def x(self, msg):
print('Got a message:\n%s\n' % msg['body'])
return super(Pong, self).ack(msg)
|
ack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n print('Got a message:\\n%s\\n' % msg['body'])\n return super(Pong, self).ack(msg)\n",
"role": "user"
},
{
"content": "ack",
"role": "assistant"
}
] |
def x(num_retries=5, backoff=0.1):
@wrapt.decorator
def x(wrapped, instance, args, kwargs):
num_tries = 0
exception = None
while num_tries <= num_retries:
try:
with transaction.atomic():
return wrapped(*args, **kwargs)
except db.utils.OperationalError as e:
num_tries += 1
exception = e
sleep(backoff * num_tries)
raise exception
return wrapper
|
transaction_atomic_with_retry
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num_retries=5, backoff=0.1):\n\n @wrapt.decorator\n def x(wrapped, instance, args, kwargs):\n num_tries = 0\n exception = None\n while num_tries <= num_retries:\n try:\n with transaction.atomic():\n return wrapped(*args, **kwargs)\n except db.utils.OperationalError as e:\n num_tries += 1\n exception = e\n sleep(backoff * num_tries)\n raise exception\n return wrapper\n",
"role": "user"
},
{
"content": "transaction_atomic_with_retry",
"role": "assistant"
}
] |
def x(wrapped, instance, args, kwargs):
sync_entities.defer = True
try:
return wrapped(*args, **kwargs)
finally:
sync_entities.defer = False
model_objs = list(sync_entities.buffer.values())
if None in sync_entities.buffer:
model_objs = list()
if len(sync_entities.buffer):
sync_entities(*model_objs)
sync_entities.buffer = {}
|
defer_entity_syncing
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wrapped, instance, args, kwargs):\n sync_entities.defer = True\n try:\n return wrapped(*args, **kwargs)\n finally:\n sync_entities.defer = False\n model_objs = list(sync_entities.buffer.values())\n if None in sync_entities.buffer:\n model_objs = list()\n if len(sync_entities.buffer):\n sync_entities(*model_objs)\n sync_entities.buffer = {}\n",
"role": "user"
},
{
"content": "defer_entity_syncing",
"role": "assistant"
}
] |
def x(model_objs_by_ctype, model_ids_to_sync, sync_all):
super_entities_by_ctype = defaultdict(lambda : defaultdict(list))
for ctype, model_objs_for_ctype in model_objs_by_ctype.items():
entity_config = entity_registry.entity_registry.get(ctype.model_class()
)
super_entities = entity_config.get_super_entities(model_objs_for_ctype,
sync_all)
super_entities_by_ctype[ctype] = {ContentType.objects.get_for_model
(model_class, for_concrete_model=False): relationships for
model_class, relationships in super_entities.items()}
for super_entity_ctype, relationships in super_entities_by_ctype[ctype
].items():
for sub_entity_id, super_entity_id in relationships:
model_ids_to_sync[ctype].add(sub_entity_id)
model_ids_to_sync[super_entity_ctype].add(super_entity_id)
return super_entities_by_ctype
|
get_super_entities_by_ctype
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model_objs_by_ctype, model_ids_to_sync, sync_all):\n super_entities_by_ctype = defaultdict(lambda : defaultdict(list))\n for ctype, model_objs_for_ctype in model_objs_by_ctype.items():\n entity_config = entity_registry.entity_registry.get(ctype.model_class()\n )\n super_entities = entity_config.get_super_entities(model_objs_for_ctype,\n sync_all)\n super_entities_by_ctype[ctype] = {ContentType.objects.get_for_model\n (model_class, for_concrete_model=False): relationships for \n model_class, relationships in super_entities.items()}\n for super_entity_ctype, relationships in super_entities_by_ctype[ctype\n ].items():\n for sub_entity_id, super_entity_id in relationships:\n model_ids_to_sync[ctype].add(sub_entity_id)\n model_ids_to_sync[super_entity_ctype].add(super_entity_id)\n return super_entities_by_ctype\n",
"role": "user"
},
{
"content": "get_super_entities_by_ctype",
"role": "assistant"
}
] |
def x(model_ids_to_sync, model_objs_map, sync_all):
model_objs_to_sync = {}
for ctype, model_ids_to_sync_for_ctype in model_ids_to_sync.items():
model_qset = entity_registry.entity_registry.get(ctype.model_class()
).queryset
if not sync_all:
model_objs_to_sync[ctype] = model_qset.filter(id__in=
model_ids_to_sync_for_ctype)
else:
model_objs_to_sync[ctype] = [model_objs_map[ctype, model_id] for
model_id in model_ids_to_sync_for_ctype]
return model_objs_to_sync
|
get_model_objs_to_sync
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model_ids_to_sync, model_objs_map, sync_all):\n model_objs_to_sync = {}\n for ctype, model_ids_to_sync_for_ctype in model_ids_to_sync.items():\n model_qset = entity_registry.entity_registry.get(ctype.model_class()\n ).queryset\n if not sync_all:\n model_objs_to_sync[ctype] = model_qset.filter(id__in=\n model_ids_to_sync_for_ctype)\n else:\n model_objs_to_sync[ctype] = [model_objs_map[ctype, model_id] for\n model_id in model_ids_to_sync_for_ctype]\n return model_objs_to_sync\n",
"role": "user"
},
{
"content": "get_model_objs_to_sync",
"role": "assistant"
}
] |
def x(*model_objs):
if sync_entities.defer:
if not model_objs:
sync_entities.buffer[None] = None
else:
for model_obj in model_objs:
sync_entities.buffer[model_obj.__class__, model_obj.pk
] = model_obj
return False
EntitySyncer(*model_objs).sync()
|
sync_entities
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*model_objs):\n if sync_entities.defer:\n if not model_objs:\n sync_entities.buffer[None] = None\n else:\n for model_obj in model_objs:\n sync_entities.buffer[model_obj.__class__, model_obj.pk\n ] = model_obj\n return False\n EntitySyncer(*model_objs).sync()\n",
"role": "user"
},
{
"content": "sync_entities",
"role": "assistant"
}
] |
def x(instance):
for entity_model, entity_model_getter in entity_registry.entity_watching[
instance.__class__]:
model_objs = list(entity_model_getter(instance))
if model_objs:
sync_entities(*model_objs)
|
sync_entities_watching
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance):\n for entity_model, entity_model_getter in entity_registry.entity_watching[\n instance.__class__]:\n model_objs = list(entity_model_getter(instance))\n if model_objs:\n sync_entities(*model_objs)\n",
"role": "user"
},
{
"content": "sync_entities_watching",
"role": "assistant"
}
] |
def x(self, entity_kinds):
unchanged_entity_kinds = {}
if entity_kinds:
unchanged_entity_kinds = {(entity_kind.name, entity_kind.
display_name): entity_kind for entity_kind in EntityKind.
all_objects.extra(where=['(name, display_name) IN %s'], params=
[tuple((entity_kind.name, entity_kind.display_name) for
entity_kind in entity_kinds)])}
changed_entity_kinds = [entity_kind for entity_kind in entity_kinds if
(entity_kind.name, entity_kind.display_name) not in
unchanged_entity_kinds]
upserted_enitity_kinds = []
if changed_entity_kinds:
list(EntityKind.all_objects.all().select_for_update().values_list(
'id', flat=True))
upserted_enitity_kinds = manager_utils.bulk_upsert(queryset=
EntityKind.all_objects.filter(name__in=[entity_kind.name for
entity_kind in changed_entity_kinds]), model_objs=
changed_entity_kinds, unique_fields=['name'], update_fields=[
'display_name'], return_upserts=True)
return upserted_enitity_kinds + list(unchanged_entity_kinds.values())
|
upsert_entity_kinds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entity_kinds):\n unchanged_entity_kinds = {}\n if entity_kinds:\n unchanged_entity_kinds = {(entity_kind.name, entity_kind.\n display_name): entity_kind for entity_kind in EntityKind.\n all_objects.extra(where=['(name, display_name) IN %s'], params=\n [tuple((entity_kind.name, entity_kind.display_name) for\n entity_kind in entity_kinds)])}\n changed_entity_kinds = [entity_kind for entity_kind in entity_kinds if \n (entity_kind.name, entity_kind.display_name) not in\n unchanged_entity_kinds]\n upserted_enitity_kinds = []\n if changed_entity_kinds:\n list(EntityKind.all_objects.all().select_for_update().values_list(\n 'id', flat=True))\n upserted_enitity_kinds = manager_utils.bulk_upsert(queryset=\n EntityKind.all_objects.filter(name__in=[entity_kind.name for\n entity_kind in changed_entity_kinds]), model_objs=\n changed_entity_kinds, unique_fields=['name'], update_fields=[\n 'display_name'], return_upserts=True)\n return upserted_enitity_kinds + list(unchanged_entity_kinds.values())\n",
"role": "user"
},
{
"content": "upsert_entity_kinds",
"role": "assistant"
}
] |
def x(self, entities, sync=False):
if entities:
select_for_update_query = ('SELECT FROM {table_name} FOR NO KEY UPDATE'
.format(table_name=Entity._meta.db_table))
select_for_update_query_params = []
if not sync:
select_for_update_query = (
'SELECT FROM {table_name} WHERE (entity_type_id, entity_id) IN %s FOR NO KEY UPDATE'
.format(table_name=Entity._meta.db_table))
select_for_update_query_params = [tuple((entity.entity_type_id,
entity.entity_id) for entity in entities)]
with connection.cursor() as cursor:
cursor.execute(select_for_update_query,
select_for_update_query_params)
if sync:
upserted_entities = manager_utils.sync(queryset=Entity.all_objects.
all(), model_objs=entities, unique_fields=['entity_type_id',
'entity_id'], update_fields=['entity_kind_id', 'entity_meta',
'display_name', 'is_active'], return_upserts=True)
else:
upserted_entities = manager_utils.bulk_upsert(queryset=Entity.
all_objects.extra(where=['(entity_type_id, entity_id) IN %s'],
params=[tuple((entity.entity_type_id, entity.entity_id) for
entity in entities)]), model_objs=entities, unique_fields=[
'entity_type_id', 'entity_id'], update_fields=['entity_kind_id',
'entity_meta', 'display_name', 'is_active'], return_upserts=True)
return upserted_entities
|
upsert_entities
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entities, sync=False):\n if entities:\n select_for_update_query = ('SELECT FROM {table_name} FOR NO KEY UPDATE'\n .format(table_name=Entity._meta.db_table))\n select_for_update_query_params = []\n if not sync:\n select_for_update_query = (\n 'SELECT FROM {table_name} WHERE (entity_type_id, entity_id) IN %s FOR NO KEY UPDATE'\n .format(table_name=Entity._meta.db_table))\n select_for_update_query_params = [tuple((entity.entity_type_id,\n entity.entity_id) for entity in entities)]\n with connection.cursor() as cursor:\n cursor.execute(select_for_update_query,\n select_for_update_query_params)\n if sync:\n upserted_entities = manager_utils.sync(queryset=Entity.all_objects.\n all(), model_objs=entities, unique_fields=['entity_type_id',\n 'entity_id'], update_fields=['entity_kind_id', 'entity_meta',\n 'display_name', 'is_active'], return_upserts=True)\n else:\n upserted_entities = manager_utils.bulk_upsert(queryset=Entity.\n all_objects.extra(where=['(entity_type_id, entity_id) IN %s'],\n params=[tuple((entity.entity_type_id, entity.entity_id) for\n entity in entities)]), model_objs=entities, unique_fields=[\n 'entity_type_id', 'entity_id'], update_fields=['entity_kind_id',\n 'entity_meta', 'display_name', 'is_active'], return_upserts=True)\n return upserted_entities\n",
"role": "user"
},
{
"content": "upsert_entities",
"role": "assistant"
}
] |
def x(self, queryset, entity_relationships):
if entity_relationships:
list(queryset.select_for_update().values_list('id', flat=True))
return manager_utils.sync(queryset=queryset, model_objs=
entity_relationships, unique_fields=['sub_entity_id',
'super_entity_id'], update_fields=[], return_upserts=True)
|
upsert_entity_relationships
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queryset, entity_relationships):\n if entity_relationships:\n list(queryset.select_for_update().values_list('id', flat=True))\n return manager_utils.sync(queryset=queryset, model_objs=\n entity_relationships, unique_fields=['sub_entity_id',\n 'super_entity_id'], update_fields=[], return_upserts=True)\n",
"role": "user"
},
{
"content": "upsert_entity_relationships",
"role": "assistant"
}
] |
def x(self, model_obj):
model_obj_ctype = ContentType.objects.get_for_model(self.queryset.model)
return u'{0}.{1}'.format(model_obj_ctype.app_label, model_obj_ctype.model
), u'{0}'.format(model_obj_ctype)
|
get_entity_kind
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model_obj):\n model_obj_ctype = ContentType.objects.get_for_model(self.queryset.model)\n return u'{0}.{1}'.format(model_obj_ctype.app_label, model_obj_ctype.model\n ), u'{0}'.format(model_obj_ctype)\n",
"role": "user"
},
{
"content": "get_entity_kind",
"role": "assistant"
}
] |
def x(self, entity_config):
if not issubclass(entity_config, EntityConfig):
raise ValueError(
'Must register entity config class of subclass EntityConfig')
if entity_config.queryset is None:
raise ValueError('Entity config must define queryset')
model = entity_config.queryset.model
self._entity_registry[model] = entity_config()
for watching_model, entity_model_getter in entity_config.watching:
self._entity_watching[watching_model].append((model,
entity_model_getter))
|
register_entity
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entity_config):\n if not issubclass(entity_config, EntityConfig):\n raise ValueError(\n 'Must register entity config class of subclass EntityConfig')\n if entity_config.queryset is None:\n raise ValueError('Entity config must define queryset')\n model = entity_config.queryset.model\n self._entity_registry[model] = entity_config()\n for watching_model, entity_model_getter in entity_config.watching:\n self._entity_watching[watching_model].append((model,\n entity_model_getter))\n",
"role": "user"
},
{
"content": "register_entity",
"role": "assistant"
}
] |
def x(host='localhost', port=61613, username='', password=''):
StompClientFactory.username = username
StompClientFactory.password = password
reactor.connectTCP(host, port, StompClientFactory())
reactor.run()
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(host='localhost', port=61613, username='', password=''):\n StompClientFactory.username = username\n StompClientFactory.password = password\n reactor.connectTCP(host, port, StompClientFactory())\n reactor.run()\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(self, msg):
stomper.Engine.connected(self, msg)
self.log.info('Connected: session %s. Beginning say hello.' % msg[
'headers']['session'])
def x():
lc = LoopingCall(self.send)
lc.start(2)
reactor.callLater(1, setup_looping_call)
f = stomper.Frame()
f.unpack(stomper.subscribe(DESTINATION))
f.headers['activemq.noLocal'] = 'true'
return f.pack()
|
connected
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n stomper.Engine.connected(self, msg)\n self.log.info('Connected: session %s. Beginning say hello.' % msg[\n 'headers']['session'])\n\n def x():\n lc = LoopingCall(self.send)\n lc.start(2)\n reactor.callLater(1, setup_looping_call)\n f = stomper.Frame()\n f.unpack(stomper.subscribe(DESTINATION))\n f.headers['activemq.noLocal'] = 'true'\n return f.pack()\n",
"role": "user"
},
{
"content": "connected",
"role": "assistant"
}
] |
def x(self):
self.log.info('Saying hello (%d).' % self.counter)
f = stomper.Frame()
f.unpack(stomper.send(DESTINATION, 'hello there (%d)' % self.counter))
self.counter += 1
self.transport.write(f.pack())
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.log.info('Saying hello (%d).' % self.counter)\n f = stomper.Frame()\n f.unpack(stomper.send(DESTINATION, 'hello there (%d)' % self.counter))\n self.counter += 1\n self.transport.write(f.pack())\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
cmd = stomper.connect(self.username, self.password)
self.transport.write(cmd)
|
connectionMade
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cmd = stomper.connect(self.username, self.password)\n self.transport.write(cmd)\n",
"role": "user"
},
{
"content": "connectionMade",
"role": "assistant"
}
] |
def x(self, data):
self.stompBuffer.appendData(data)
while True:
msg = self.stompBuffer.getOneMessage()
if msg is None:
break
returned = self.react(msg)
if returned:
self.transport.write(returned)
|
dataReceived
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self.stompBuffer.appendData(data)\n while True:\n msg = self.stompBuffer.getOneMessage()\n if msg is None:\n break\n returned = self.react(msg)\n if returned:\n self.transport.write(returned)\n",
"role": "user"
},
{
"content": "dataReceived",
"role": "assistant"
}
] |
def x(self, connector, reason):
print('Connection failed. Reason:', reason)
ReconnectingClientFactory.clientConnectionFailed(self, connector, reason)
|
clientConnectionFailed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connector, reason):\n print('Connection failed. Reason:', reason)\n ReconnectingClientFactory.clientConnectionFailed(self, connector, reason)\n",
"role": "user"
},
{
"content": "clientConnectionFailed",
"role": "assistant"
}
] |
def x(self, msg):
self.log.info('receiverId <%s> Received: <%s> ' % (self.receiverId, msg
['body']))
return stomper.NO_REPONSE_NEEDED
|
ack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n self.log.info('receiverId <%s> Received: <%s> ' % (self.receiverId, msg\n ['body']))\n return stomper.NO_REPONSE_NEEDED\n",
"role": "user"
},
{
"content": "ack",
"role": "assistant"
}
] |
def x(self):
cmd = self.sm.connect()
self.transport.write(cmd)
|
connectionMade
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cmd = self.sm.connect()\n self.transport.write(cmd)\n",
"role": "user"
},
{
"content": "connectionMade",
"role": "assistant"
}
] |
def x(self, data):
msg = stomper.unpack_frame(data)
returned = self.sm.react(msg)
if returned:
self.transport.write(returned)
|
dataReceived
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n msg = stomper.unpack_frame(data)\n returned = self.sm.react(msg)\n if returned:\n self.transport.write(returned)\n",
"role": "user"
},
{
"content": "dataReceived",
"role": "assistant"
}
] |
def x(self, name, parent_folder_id=0):
if name is None or len(name) == 0:
return parent_folder_id
offset = 0
resp = self.get_folder_items(parent_folder_id, limit=1000, offset=
offset, fields_list=['name'])
total = int(resp['total_count'])
while offset < total:
found = self.__find_name(resp, name)
if found is not None:
return found
offset += int(len(resp['entries']))
resp = self.get_folder_items(parent_folder_id, limit=1000, offset=
offset, fields_list=['name'])
return None
|
find_id_in_folder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, parent_folder_id=0):\n if name is None or len(name) == 0:\n return parent_folder_id\n offset = 0\n resp = self.get_folder_items(parent_folder_id, limit=1000, offset=\n offset, fields_list=['name'])\n total = int(resp['total_count'])\n while offset < total:\n found = self.__find_name(resp, name)\n if found is not None:\n return found\n offset += int(len(resp['entries']))\n resp = self.get_folder_items(parent_folder_id, limit=1000, offset=\n offset, fields_list=['name'])\n return None\n",
"role": "user"
},
{
"content": "find_id_in_folder",
"role": "assistant"
}
] |
def x(self, name, parent_folder_id=0):
return self.__request('POST', 'folders', data={'name': name, 'parent':
{'id': unicode(parent_folder_id)}})
|
create_folder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, parent_folder_id=0):\n return self.__request('POST', 'folders', data={'name': name, 'parent':\n {'id': unicode(parent_folder_id)}})\n",
"role": "user"
},
{
"content": "create_folder",
"role": "assistant"
}
] |
def x(self, folder_id, recursive=True):
return self.__request('DELETE', 'folders/%s' % (folder_id,),
querystring={'recursive': unicode(recursive).lower()})
|
delete_folder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, folder_id, recursive=True):\n return self.__request('DELETE', 'folders/%s' % (folder_id,),\n querystring={'recursive': unicode(recursive).lower()})\n",
"role": "user"
},
{
"content": "delete_folder",
"role": "assistant"
}
] |
def x(self, folder_id, limit=100, offset=0, fields_list=None):
qs = {'limit': limit, 'offset': offset}
if fields_list:
qs['fields'] = ','.join(fields_list)
return self.__request('GET', 'folders/%s/items' % (folder_id,),
querystring=qs)
|
get_folder_items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, folder_id, limit=100, offset=0, fields_list=None):\n qs = {'limit': limit, 'offset': offset}\n if fields_list:\n qs['fields'] = ','.join(fields_list)\n return self.__request('GET', 'folders/%s/items' % (folder_id,),\n querystring=qs)\n",
"role": "user"
},
{
"content": "get_folder_items",
"role": "assistant"
}
] |
def x(self, file_id, dest_folder_id):
return self.__request('POST', '/files/' + unicode(file_id) + '/copy',
data={'parent': {'id': unicode(dest_folder_id)}})
|
copy_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_id, dest_folder_id):\n return self.__request('POST', '/files/' + unicode(file_id) + '/copy',\n data={'parent': {'id': unicode(dest_folder_id)}})\n",
"role": "user"
},
{
"content": "copy_file",
"role": "assistant"
}
] |
def x(self, file_id, dest_file_path, progress_callback=None, chunk_size=
1024 * 1024 * 1):
with open(dest_file_path, 'wb') as fp:
req = self.__request('GET', 'files/%s/content' % (file_id,), stream
=True, json_data=False)
total = -1
if hasattr(req, 'headers'):
lower_headers = {k.lower(): v for k, v in req.headers.items()}
if 'content-length' in lower_headers:
total = lower_headers['content-length']
transferred = 0
for chunk in req.iter_content(chunk_size=chunk_size):
if chunk:
if progress_callback:
progress_callback(transferred, total)
fp.write(chunk)
fp.flush()
transferred += len(chunk)
if progress_callback:
progress_callback(transferred, total)
|
download_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_id, dest_file_path, progress_callback=None, chunk_size=\n 1024 * 1024 * 1):\n with open(dest_file_path, 'wb') as fp:\n req = self.__request('GET', 'files/%s/content' % (file_id,), stream\n =True, json_data=False)\n total = -1\n if hasattr(req, 'headers'):\n lower_headers = {k.lower(): v for k, v in req.headers.items()}\n if 'content-length' in lower_headers:\n total = lower_headers['content-length']\n transferred = 0\n for chunk in req.iter_content(chunk_size=chunk_size):\n if chunk:\n if progress_callback:\n progress_callback(transferred, total)\n fp.write(chunk)\n fp.flush()\n transferred += len(chunk)\n if progress_callback:\n progress_callback(transferred, total)\n",
"role": "user"
},
{
"content": "download_file",
"role": "assistant"
}
] |
def x(self, **kwargs):
query_string = {}
for key, value in kwargs.iteritems():
query_string[key] = value
return self.__request('GET', 'search', querystring=query_string)
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n query_string = {}\n for key, value in kwargs.iteritems():\n query_string[key] = value\n return self.__request('GET', 'search', querystring=query_string)\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self, *keys):
pickled_keys = (self._pickle_key(k) for k in keys)
pickled_values = self.redis.hmget(self.key, *pickled_keys)
ret = []
for k, v in zip(keys, pickled_values):
value = self.cache.get(k, self._unpickle(v))
ret.append(value)
return ret
|
getmany
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *keys):\n pickled_keys = (self._pickle_key(k) for k in keys)\n pickled_values = self.redis.hmget(self.key, *pickled_keys)\n ret = []\n for k, v in zip(keys, pickled_values):\n value = self.cache.get(k, self._unpickle(v))\n ret.append(value)\n return ret\n",
"role": "user"
},
{
"content": "getmany",
"role": "assistant"
}
] |
def x(self, pipe=None):
pipe = self.redis if pipe is None else pipe
items = pipe.hgetall(self.key).items()
return {self._unpickle_key(k): self._unpickle(v) for k, v in items}
|
data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pipe=None):\n pipe = self.redis if pipe is None else pipe\n items = pipe.hgetall(self.key).items()\n return {self._unpickle_key(k): self._unpickle(v) for k, v in items}\n",
"role": "user"
},
{
"content": "data",
"role": "assistant"
}
] |
def x(self, pipe=None):
pipe = self.redis if pipe is None else pipe
for k, v in self._data(pipe).items():
yield k, self.cache.get(k, v)
|
iteritems
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pipe=None):\n pipe = self.redis if pipe is None else pipe\n for k, v in self._data(pipe).items():\n yield k, self.cache.get(k, v)\n",
"role": "user"
},
{
"content": "iteritems",
"role": "assistant"
}
] |
def x(self, key, default=__marker):
pickled_key = self._pickle_key(key)
if key in self.cache:
self.redis.hdel(self.key, pickled_key)
return self.cache.pop(key)
def x(pipe):
pickled_value = pipe.hget(self.key, pickled_key)
if pickled_value is None:
if default is self.__marker:
raise KeyError(key)
return default
pipe.hdel(self.key, pickled_key)
return self._unpickle(pickled_value)
value = self._transaction(pop_trans)
self.cache.pop(key, None)
return value
|
pop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default=__marker):\n pickled_key = self._pickle_key(key)\n if key in self.cache:\n self.redis.hdel(self.key, pickled_key)\n return self.cache.pop(key)\n\n def x(pipe):\n pickled_value = pipe.hget(self.key, pickled_key)\n if pickled_value is None:\n if default is self.__marker:\n raise KeyError(key)\n return default\n pipe.hdel(self.key, pickled_key)\n return self._unpickle(pickled_value)\n value = self._transaction(pop_trans)\n self.cache.pop(key, None)\n return value\n",
"role": "user"
},
{
"content": "pop",
"role": "assistant"
}
] |
def x(self):
def x(pipe):
try:
pickled_key = pipe.hkeys(self.key)[0]
except IndexError:
raise KeyError
pipe.multi()
pipe.hget(self.key, pickled_key)
pipe.hdel(self.key, pickled_key)
pickled_value, __ = pipe.execute()
return self._unpickle_key(pickled_key), self._unpickle(pickled_value)
key, value = self._transaction(popitem_trans)
return key, self.cache.pop(key, value)
|
popitem
|
[
{
"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(pipe):\n try:\n pickled_key = pipe.hkeys(self.key)[0]\n except IndexError:\n raise KeyError\n pipe.multi()\n pipe.hget(self.key, pickled_key)\n pipe.hdel(self.key, pickled_key)\n pickled_value, __ = pipe.execute()\n return self._unpickle_key(pickled_key), self._unpickle(pickled_value)\n key, value = self._transaction(popitem_trans)\n return key, self.cache.pop(key, value)\n",
"role": "user"
},
{
"content": "popitem",
"role": "assistant"
}
] |
def x(self, key, default=None):
if key in self.cache:
return self.cache[key]
def x(pipe):
pickled_key = self._pickle_key(key)
pipe.multi()
pipe.hsetnx(self.key, pickled_key, self._pickle_value(default))
pipe.hget(self.key, pickled_key)
__, pickled_value = pipe.execute()
return self._unpickle(pickled_value)
value = self._transaction(setdefault_trans)
if self.writeback:
self.cache[key] = value
return value
|
setdefault
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default=None):\n if key in self.cache:\n return self.cache[key]\n\n def x(pipe):\n pickled_key = self._pickle_key(key)\n pipe.multi()\n pipe.hsetnx(self.key, pickled_key, self._pickle_value(default))\n pipe.hget(self.key, pickled_key)\n __, pickled_value = pipe.execute()\n return self._unpickle(pickled_value)\n value = self._transaction(setdefault_trans)\n if self.writeback:\n self.cache[key] = value\n return value\n",
"role": "user"
},
{
"content": "setdefault",
"role": "assistant"
}
] |
def x(self, other=None, **kwargs):
if other is not None:
if self._same_redis(other, RedisCollection):
self._update_helper(other, use_redis=True)
elif hasattr(other, 'keys'):
self._update_helper(other)
else:
self._update_helper({k: v for k, v in other})
if kwargs:
self._update_helper(kwargs)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other=None, **kwargs):\n if other is not None:\n if self._same_redis(other, RedisCollection):\n self._update_helper(other, use_redis=True)\n elif hasattr(other, 'keys'):\n self._update_helper(other)\n else:\n self._update_helper({k: v for k, v in other})\n if kwargs:\n self._update_helper(kwargs)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, key=None):
other = self.__class__(redis=self.redis, key=key)
other.update(self)
return other
|
copy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key=None):\n other = self.__class__(redis=self.redis, key=key)\n other.update(self)\n return other\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(cls, seq, value=None, **kwargs):
values = ((key, value) for key in seq)
return cls(values, **kwargs)
|
fromkeys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, seq, value=None, **kwargs):\n values = ((key, value) for key in seq)\n return cls(values, **kwargs)\n",
"role": "user"
},
{
"content": "fromkeys",
"role": "assistant"
}
] |
def x(self):
for k, v in self.redis.hscan_iter(self.key):
yield self._unpickle_key(k), self._unpickle(v)
|
scan_items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for k, v in self.redis.hscan_iter(self.key):\n yield self._unpickle_key(k), self._unpickle(v)\n",
"role": "user"
},
{
"content": "scan_items",
"role": "assistant"
}
] |
def x(self, other=None, **kwargs):
if other is not None:
if self._same_redis(other, RedisCollection):
self._update_helper(other, operator.add, use_redis=True)
elif hasattr(other, 'keys'):
self._update_helper(other, operator.add)
else:
self._update_helper(collections.Counter(other), operator.add)
if kwargs:
self._update_helper(kwargs, operator.add)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other=None, **kwargs):\n if other is not None:\n if self._same_redis(other, RedisCollection):\n self._update_helper(other, operator.add, use_redis=True)\n elif hasattr(other, 'keys'):\n self._update_helper(other, operator.add)\n else:\n self._update_helper(collections.Counter(other), operator.add)\n if kwargs:\n self._update_helper(kwargs, operator.add)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, other=None, **kwargs):
if other is not None:
if self._same_redis(other, RedisCollection):
self._update_helper(other, operator.sub, use_redis=True)
elif hasattr(other, 'keys'):
self._update_helper(other, operator.sub)
else:
self._update_helper(collections.Counter(other), operator.sub)
if kwargs:
self._update_helper(kwargs, operator.sub)
|
subtract
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other=None, **kwargs):\n if other is not None:\n if self._same_redis(other, RedisCollection):\n self._update_helper(other, operator.sub, use_redis=True)\n elif hasattr(other, 'keys'):\n self._update_helper(other, operator.sub)\n else:\n self._update_helper(collections.Counter(other), operator.sub)\n if kwargs:\n self._update_helper(kwargs, operator.sub)\n",
"role": "user"
},
{
"content": "subtract",
"role": "assistant"
}
] |
def x(self, msg):
self.log.info('senderID:%s Received: %s ' % (self.senderID, msg['body']))
return stomper.NO_REPONSE_NEEDED
|
ack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n self.log.info('senderID:%s Received: %s ' % (self.senderID, msg['body']))\n return stomper.NO_REPONSE_NEEDED\n",
"role": "user"
},
{
"content": "ack",
"role": "assistant"
}
] |
def x(self, pipe=None):
redis = self.redis if pipe is None else pipe
redis.delete(self.key)
|
clear
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pipe=None):\n redis = self.redis if pipe is None else pipe\n redis.delete(self.key)\n",
"role": "user"
},
{
"content": "clear",
"role": "assistant"
}
] |
def x(self, index, pipe=None):
pipe = self.redis if pipe is None else pipe
len_self = self.__len__(pipe)
positive_index = index if index >= 0 else len_self + index
return len_self, positive_index
|
normalize_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, pipe=None):\n pipe = self.redis if pipe is None else pipe\n len_self = self.__len__(pipe)\n positive_index = index if index >= 0 else len_self + index\n return len_self, positive_index\n",
"role": "user"
},
{
"content": "normalize_index",
"role": "assistant"
}
] |
def x(self, index, pipe=None):
if index.step == 0:
raise ValueError
pipe = self.redis if pipe is None else pipe
len_self = self.__len__(pipe)
step = index.step or 1
forward = step > 0
step = abs(step)
if index.start is None:
start = 0 if forward else len_self - 1
elif index.start < 0:
start = max(len_self + index.start, 0)
else:
start = min(index.start, len_self)
if index.stop is None:
stop = len_self if forward else -1
elif index.stop < 0:
stop = max(len_self + index.stop, 0)
else:
stop = min(index.stop, len_self)
if not forward:
start, stop = min(stop + 1, len_self), min(start + 1, len_self)
return start, stop, step, forward, len_self
|
normalize_slice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, pipe=None):\n if index.step == 0:\n raise ValueError\n pipe = self.redis if pipe is None else pipe\n len_self = self.__len__(pipe)\n step = index.step or 1\n forward = step > 0\n step = abs(step)\n if index.start is None:\n start = 0 if forward else len_self - 1\n elif index.start < 0:\n start = max(len_self + index.start, 0)\n else:\n start = min(index.start, len_self)\n if index.stop is None:\n stop = len_self if forward else -1\n elif index.stop < 0:\n stop = max(len_self + index.stop, 0)\n else:\n stop = min(index.stop, len_self)\n if not forward:\n start, stop = min(stop + 1, len_self), min(start + 1, len_self)\n return start, stop, step, forward, len_self\n",
"role": "user"
},
{
"content": "normalize_slice",
"role": "assistant"
}
] |
def x(self, fn, *extra_keys):
results = []
def x(pipe):
results.append(fn(pipe))
self.redis.transaction(trans, self.key, *extra_keys)
return results[0]
|
transaction
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fn, *extra_keys):\n results = []\n\n def x(pipe):\n results.append(fn(pipe))\n self.redis.transaction(trans, self.key, *extra_keys)\n return results[0]\n",
"role": "user"
},
{
"content": "transaction",
"role": "assistant"
}
] |
def x(pack, path):
matches = []
for root, _, filenames in os.walk(os.path.join(pack, path)):
for filename in filenames:
matches.append(os.path.join(root, filename)[len(pack) + 1:])
return matches
|
recursive_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pack, path):\n matches = []\n for root, _, filenames in os.walk(os.path.join(pack, path)):\n for filename in filenames:\n matches.append(os.path.join(root, filename)[len(pack) + 1:])\n return matches\n",
"role": "user"
},
{
"content": "recursive_path",
"role": "assistant"
}
] |
def x(messageid, subscriptionid, transactionid=None):
header = 'subscription:%s\nmessage-id:%s' % (subscriptionid, messageid)
if transactionid:
header += '\ntransaction:%s' % transactionid
return 'NACK\n%s\n\n\x00\n' % header
|
nack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(messageid, subscriptionid, transactionid=None):\n header = 'subscription:%s\\nmessage-id:%s' % (subscriptionid, messageid)\n if transactionid:\n header += '\\ntransaction:%s' % transactionid\n return 'NACK\\n%s\\n\\n\\x00\\n' % header\n",
"role": "user"
},
{
"content": "nack",
"role": "assistant"
}
] |
def x(username, password, host, heartbeats=(0, 0)):
if len(heartbeats) != 2:
raise ValueError('Invalid heartbeat %r' % heartbeats)
cx, cy = heartbeats
return (
'CONNECT\naccept-version:1.1\nhost:%s\nheart-beat:%i,%i\nlogin:%s\npasscode:%s\n\n\x00\n'
% (host, cx, cy, username, password))
|
connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username, password, host, heartbeats=(0, 0)):\n if len(heartbeats) != 2:\n raise ValueError('Invalid heartbeat %r' % heartbeats)\n cx, cy = heartbeats\n return (\n 'CONNECT\\naccept-version:1.1\\nhost:%s\\nheart-beat:%i,%i\\nlogin:%s\\npasscode:%s\\n\\n\\x00\\n'\n % (host, cx, cy, username, password))\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, msg):
message_id = msg['headers']['message-id']
subscription = msg['headers']['subscription']
transaction_id = None
if 'transaction-id' in msg['headers']:
transaction_id = msg['headers']['transaction-id']
return ack(message_id, subscription, transaction_id)
|
ack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n message_id = msg['headers']['message-id']\n subscription = msg['headers']['subscription']\n transaction_id = None\n if 'transaction-id' in msg['headers']:\n transaction_id = msg['headers']['transaction-id']\n return ack(message_id, subscription, transaction_id)\n",
"role": "user"
},
{
"content": "ack",
"role": "assistant"
}
] |
def x(self):
mbytes, hbytes = self._findMessageBytes(self.buffer)
if not mbytes:
return None
msgdata = self.buffer[:mbytes]
self.buffer = self.buffer[mbytes:]
hdata = msgdata[:hbytes]
elems = hdata.split('\n')
cmd = elems.pop(0)
headers = {}
for e in elems:
try:
i = e.find(':')
except ValueError:
continue
k = e[:i].strip()
v = e[i + 1:].strip()
headers[k] = v
body = msgdata[hbytes + 2:-2]
msg = {'cmd': cmd, 'headers': headers, 'body': body}
return msg
|
getOneMessage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mbytes, hbytes = self._findMessageBytes(self.buffer)\n if not mbytes:\n return None\n msgdata = self.buffer[:mbytes]\n self.buffer = self.buffer[mbytes:]\n hdata = msgdata[:hbytes]\n elems = hdata.split('\\n')\n cmd = elems.pop(0)\n headers = {}\n for e in elems:\n try:\n i = e.find(':')\n except ValueError:\n continue\n k = e[:i].strip()\n v = e[i + 1:].strip()\n headers[k] = v\n body = msgdata[hbytes + 2:-2]\n msg = {'cmd': cmd, 'headers': headers, 'body': body}\n return msg\n",
"role": "user"
},
{
"content": "getOneMessage",
"role": "assistant"
}
] |
def x(self, data):
self.syncBuffer()
try:
i = data.index('\n\n')
except ValueError:
return 0, 0
_hdr = self.buffer[:i]
match = content_length_re.search(_hdr)
if match:
content_length = int(match.groups()[0])
req_len = i + len_sep + content_length + len_footer
if len(data) < req_len:
return 0, 0
else:
return req_len, i
else:
try:
j = data.index('\x00\n')
except ValueError:
return 0, 0
return j + 2, i
|
findMessageBytes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self.syncBuffer()\n try:\n i = data.index('\\n\\n')\n except ValueError:\n return 0, 0\n _hdr = self.buffer[:i]\n match = content_length_re.search(_hdr)\n if match:\n content_length = int(match.groups()[0])\n req_len = i + len_sep + content_length + len_footer\n if len(data) < req_len:\n return 0, 0\n else:\n return req_len, i\n else:\n try:\n j = data.index('\\x00\\n')\n except ValueError:\n return 0, 0\n return j + 2, i\n",
"role": "user"
},
{
"content": "findMessageBytes",
"role": "assistant"
}
] |
def x(self):
while True:
if not self.buffer:
break
m = command_re.match(self.buffer)
if m is None:
break
cmd = m.groups()[0]
if cmd in stomper.VALID_COMMANDS:
break
else:
self.buffer, nsubs = sync_re.subn('', self.buffer)
if nsubs:
continue
else:
self.buffer = ''
break
|
syncBuffer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while True:\n if not self.buffer:\n break\n m = command_re.match(self.buffer)\n if m is None:\n break\n cmd = m.groups()[0]\n if cmd in stomper.VALID_COMMANDS:\n break\n else:\n self.buffer, nsubs = sync_re.subn('', self.buffer)\n if nsubs:\n continue\n else:\n self.buffer = ''\n break\n",
"role": "user"
},
{
"content": "syncBuffer",
"role": "assistant"
}
] |
def x(self, msg):
super(MyStomp, self).connected(msg)
self.log.info('connected: session %s' % msg['headers']['session'])
f = stomper.Frame()
f.unpack(stomper.subscribe(DESTINATION))
return f.pack()
|
connected
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n super(MyStomp, self).connected(msg)\n self.log.info('connected: session %s' % msg['headers']['session'])\n f = stomper.Frame()\n f.unpack(stomper.subscribe(DESTINATION))\n return f.pack()\n",
"role": "user"
},
{
"content": "connected",
"role": "assistant"
}
] |
def x(sender, instance, **kwargs):
if instance.__class__ in entity_registry.entity_registry:
Entity.all_objects.delete_for_obj(instance)
|
delete_entity_signal_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, **kwargs):\n if instance.__class__ in entity_registry.entity_registry:\n Entity.all_objects.delete_for_obj(instance)\n",
"role": "user"
},
{
"content": "delete_entity_signal_handler",
"role": "assistant"
}
] |
def x(sender, instance, **kwargs):
if instance.__class__ in entity_registry.entity_registry:
sync_entities(instance)
if instance.__class__ in entity_registry.entity_watching:
sync_entities_watching(instance)
|
save_entity_signal_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, **kwargs):\n if instance.__class__ in entity_registry.entity_registry:\n sync_entities(instance)\n if instance.__class__ in entity_registry.entity_watching:\n sync_entities_watching(instance)\n",
"role": "user"
},
{
"content": "save_entity_signal_handler",
"role": "assistant"
}
] |
def x(sender, instance, action, **kwargs):
if (action == 'post_add' or action == 'post_remove' or action ==
'post_clear'):
save_entity_signal_handler(sender, instance, **kwargs)
|
m2m_changed_entity_signal_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, action, **kwargs):\n if (action == 'post_add' or action == 'post_remove' or action ==\n 'post_clear'):\n save_entity_signal_handler(sender, instance, **kwargs)\n",
"role": "user"
},
{
"content": "m2m_changed_entity_signal_handler",
"role": "assistant"
}
] |
def x(for_post_save=True, for_post_delete=True, for_m2m_changed=True,
for_post_bulk_operation=True):
if for_post_save:
post_save.disconnect(save_entity_signal_handler, dispatch_uid=
'save_entity_signal_handler')
if for_post_delete:
post_delete.disconnect(delete_entity_signal_handler, dispatch_uid=
'delete_entity_signal_handler')
if for_m2m_changed:
m2m_changed.disconnect(m2m_changed_entity_signal_handler,
dispatch_uid='m2m_changed_entity_signal_handler')
if for_post_bulk_operation:
post_bulk_operation.disconnect(bulk_operation_signal_handler,
dispatch_uid='bulk_operation_signal_handler')
|
turn_off_syncing
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(for_post_save=True, for_post_delete=True, for_m2m_changed=True,\n for_post_bulk_operation=True):\n if for_post_save:\n post_save.disconnect(save_entity_signal_handler, dispatch_uid=\n 'save_entity_signal_handler')\n if for_post_delete:\n post_delete.disconnect(delete_entity_signal_handler, dispatch_uid=\n 'delete_entity_signal_handler')\n if for_m2m_changed:\n m2m_changed.disconnect(m2m_changed_entity_signal_handler,\n dispatch_uid='m2m_changed_entity_signal_handler')\n if for_post_bulk_operation:\n post_bulk_operation.disconnect(bulk_operation_signal_handler,\n dispatch_uid='bulk_operation_signal_handler')\n",
"role": "user"
},
{
"content": "turn_off_syncing",
"role": "assistant"
}
] |
def x(for_post_save=True, for_post_delete=True, for_m2m_changed=True,
for_post_bulk_operation=False):
if for_post_save:
post_save.connect(save_entity_signal_handler, dispatch_uid=
'save_entity_signal_handler')
if for_post_delete:
post_delete.connect(delete_entity_signal_handler, dispatch_uid=
'delete_entity_signal_handler')
if for_m2m_changed:
m2m_changed.connect(m2m_changed_entity_signal_handler, dispatch_uid
='m2m_changed_entity_signal_handler')
if for_post_bulk_operation:
post_bulk_operation.connect(bulk_operation_signal_handler,
dispatch_uid='bulk_operation_signal_handler')
|
turn_on_syncing
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(for_post_save=True, for_post_delete=True, for_m2m_changed=True,\n for_post_bulk_operation=False):\n if for_post_save:\n post_save.connect(save_entity_signal_handler, dispatch_uid=\n 'save_entity_signal_handler')\n if for_post_delete:\n post_delete.connect(delete_entity_signal_handler, dispatch_uid=\n 'delete_entity_signal_handler')\n if for_m2m_changed:\n m2m_changed.connect(m2m_changed_entity_signal_handler, dispatch_uid\n ='m2m_changed_entity_signal_handler')\n if for_post_bulk_operation:\n post_bulk_operation.connect(bulk_operation_signal_handler,\n dispatch_uid='bulk_operation_signal_handler')\n",
"role": "user"
},
{
"content": "turn_on_syncing",
"role": "assistant"
}
] |
def x(self, value):
hash(value)
self.redis.sadd(self.key, self._pickle(value))
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n hash(value)\n self.redis.sadd(self.key, self._pickle(value))\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, value):
hash(value)
self.redis.srem(self.key, self._pickle(value))
|
discard
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n hash(value)\n self.redis.srem(self.key, self._pickle(value))\n",
"role": "user"
},
{
"content": "discard",
"role": "assistant"
}
] |
def x(self, other):
def x(pipe):
return not pipe.sinter(self.key, other.key)
def x(pipe):
self_values = set(self.__iter__(pipe))
if use_redis:
other_values = set(other.__iter__(pipe))
else:
other_values = set(other)
return self_values.isdisjoint(other_values)
if self._same_redis(other):
return self._transaction(isdisjoint_trans_pure, other.key)
if self._same_redis(other, RedisCollection):
use_redis = True
return self._transaction(isdisjoint_trans_mixed, other.key)
use_redis = False
return self._transaction(isdisjoint_trans_mixed)
|
isdisjoint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n\n def x(pipe):\n return not pipe.sinter(self.key, other.key)\n\n def x(pipe):\n self_values = set(self.__iter__(pipe))\n if use_redis:\n other_values = set(other.__iter__(pipe))\n else:\n other_values = set(other)\n return self_values.isdisjoint(other_values)\n if self._same_redis(other):\n return self._transaction(isdisjoint_trans_pure, other.key)\n if self._same_redis(other, RedisCollection):\n use_redis = True\n return self._transaction(isdisjoint_trans_mixed, other.key)\n use_redis = False\n return self._transaction(isdisjoint_trans_mixed)\n",
"role": "user"
},
{
"content": "isdisjoint",
"role": "assistant"
}
] |
def x(self):
result = self.redis.spop(self.key)
if result is None:
raise KeyError
return self._unpickle(result)
|
pop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = self.redis.spop(self.key)\n if result is None:\n raise KeyError\n return self._unpickle(result)\n",
"role": "user"
},
{
"content": "pop",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.