source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, subreddit, *args, **kwargs):
return self.add_subreddit(subreddit, True, *args, **kwargs)
| remove_subreddit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subreddit, *args, **kwargs):\n return self.add_subreddit(subreddit, True, *args, **kwargs)\n",
"role": "user"
},
{
"content": "remove_subr... |
def x(self, new_name, *args, **kwargs):
new = self.reddit_session.rename_multireddit(self.name, new_name, *args,
**kwargs)
self.__dict__ = new.__dict__
return self
| rename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_name, *args, **kwargs):\n new = self.reddit_session.rename_multireddit(self.name, new_name, *args,\n **kwargs)\n self.__dict__ = new.__d... |
def x(reddit_session, data):
retval = Redditor(reddit_session, data['name'], fetch=False)
retval.id = data['id'].split('_')[1]
return retval
| convert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reddit_session, data):\n retval = Redditor(reddit_session, data['name'], fetch=False)\n retval.id = data['id'].split('_')[1]\n return retval\n",
"... |
def x(cls, reddit_session, json_dict):
parts = reddit_session._request_url.split('/', 6)
subreddit = parts[4]
page = parts[6].split('.', 1)[0]
return cls(reddit_session, subreddit, page, json_dict=json_dict)
| from_api_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, reddit_session, json_dict):\n parts = reddit_session._request_url.split('/', 6)\n subreddit = parts[4]\n page = parts[6].split('.', 1)[0]\n re... |
def x(self, username, _delete=False, *args, **kwargs):
url = self.reddit_session.config['wiki_page_editor']
url = url.format(subreddit=six.text_type(self.subreddit), method='del' if
_delete else 'add')
data = {'page': self.page, 'username': six.text_type(username)}
return self.reddit_session.request_json(url, *args, data=data, **kwargs)
| add_editor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, _delete=False, *args, **kwargs):\n url = self.reddit_session.config['wiki_page_editor']\n url = url.format(subreddit=six.text_type(self.s... |
def x(self, *args, **kwargs):
url = self.reddit_session.config['wiki_page_settings']
url = url.format(subreddit=six.text_type(self.subreddit), page=self.page)
return self.reddit_session.request_json(url, *args, **kwargs)['data']
| get_settings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n url = self.reddit_session.config['wiki_page_settings']\n url = url.format(subreddit=six.text_type(self.subreddit), page=self.pa... |
def x(self, *args, **kwargs):
return self.subreddit.edit_wiki_page(self.page, *args, **kwargs)
| edit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n return self.subreddit.edit_wiki_page(self.page, *args, **kwargs)\n",
"role": "user"
},
{
"content": "edit",
"role"... |
def x(self, permlevel, listed, *args, **kwargs):
url = self.reddit_session.config['wiki_page_settings']
url = url.format(subreddit=six.text_type(self.subreddit), page=self.page)
data = {'permlevel': permlevel, 'listed': 'on' if listed else 'off'}
return self.reddit_session.request_json(url, *args, data=data, **kwargs)[
'data']
| edit_settings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, permlevel, listed, *args, **kwargs):\n url = self.reddit_session.config['wiki_page_settings']\n url = url.format(subreddit=six.text_type(self.subre... |
def x(self, username, *args, **kwargs):
return self.add_editor(*args, username=username, _delete=True, **kwargs)
| remove_editor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, *args, **kwargs):\n return self.add_editor(*args, username=username, _delete=True, **kwargs)\n",
"role": "user"
},
{
"content": ... |
def x(reddit_session, data):
subreddit = reddit_session._request_url.rsplit('/', 4)[1]
return WikiPage(reddit_session, subreddit, data, fetch=False)
| convert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reddit_session, data):\n subreddit = reddit_session._request_url.rsplit('/', 4)[1]\n return WikiPage(reddit_session, subreddit, data, fetch=False)\n",
... |
def x(reddit_session, subreddit, limit=None, verbosity=1):
get_function = partial(reddit_session.get_comments, six.text_type(
subreddit))
return _stream_generator(get_function, limit, verbosity)
| comment_stream | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reddit_session, subreddit, limit=None, verbosity=1):\n get_function = partial(reddit_session.get_comments, six.text_type(\n subreddit))\n return _... |
def x(reddit_session, subreddit, limit=None, verbosity=1):
if six.text_type(subreddit).lower() == 'all':
if limit is None:
limit = 1000
if not hasattr(subreddit, 'reddit_session'):
subreddit = reddit_session.get_subreddit(subreddit)
return _stream_generator(subreddit.get_new, limit, verbosity)
| submission_stream | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reddit_session, subreddit, limit=None, verbosity=1):\n if six.text_type(subreddit).lower() == 'all':\n if limit is None:\n limit = 1000\n ... |
def x(redditors, sub):
simplified = list(set(six.text_type(x).lower() for x in redditors))
return [sub.reddit_session.get_redditor(simplified[i], fetch=False) for
i, resp in enumerate(sub.set_flair_csv({'user': x, 'flair_text': x} for
x in simplified)) if resp['ok']]
| valid_redditors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(redditors, sub):\n simplified = list(set(six.text_type(x).lower() for x in redditors))\n return [sub.reddit_session.get_redditor(simplified[i], fetch=Fal... |
def x(reddit_session, subreddit, lowest_timestamp=None, highest_timestamp=
None, newest_first=True, extra_cloudsearch_fields=None, verbosity=1):
def x(msg, level):
if verbosity >= level:
sys.stderr.write(msg + '\n')
def x(k, v):
if k in ['nsfw', 'self']:
if v not in [0, 1, '0', '1']:
raise PRAWException(
"Invalid value for the extrafield {}. Only '0' and '1' arevalid values."
.format(k))
return '{}:{}'.format(k, v)
return "{}:'{}'".format(k, v)
if extra_cloudsearch_fields is None:
extra_cloudsearch_fields = {}
extra_query_part = ' '.join([format_query_field(k, v) for k, v in
sorted(extra_cloudsearch_fields.items())])
if highest_timestamp is None:
highest_timestamp = int(time.time()) + REDDIT_TIMESTAMP_OFFSET
else:
highest_timestamp = int(highest_timestamp) + REDDIT_TIMESTAMP_OFFSET
if lowest_timestamp is not None:
lowest_timestamp = int(lowest_timestamp) + REDDIT_TIMESTAMP_OFFSET
elif not isinstance(subreddit, six.string_types):
lowest_timestamp = int(subreddit.created)
elif subreddit not in ('all', 'contrib', 'mod', 'friend'):
lowest_timestamp = int(reddit_session.get_subreddit(subreddit).created)
else:
lowest_timestamp = 0
original_highest_timestamp = highest_timestamp
original_lowest_timestamp = lowest_timestamp
out_of_order_submissions_workaround_offset = 7200
highest_timestamp += out_of_order_submissions_workaround_offset
lowest_timestamp -= out_of_order_submissions_workaround_offset
window_size = 60 * 60
search_limit = 100
min_search_results_in_window = 50
window_adjustment_ratio = 1.25
backoff = BACKOFF_START
processed_submissions = 0
prev_win_increased = False
prev_win_decreased = False
while highest_timestamp >= lowest_timestamp:
try:
if newest_first:
t1 = max(highest_timestamp - window_size, lowest_timestamp)
t2 = highest_timestamp
else:
t1 = lowest_timestamp
t2 = min(lowest_timestamp + window_size, highest_timestamp)
search_query = 'timestamp:{}..{}'.format(t1, t2)
if extra_query_part:
search_query = '(and {} {})'.format(search_query,
extra_query_part)
debug(search_query, 3)
search_results = list(reddit_session.search(search_query,
subreddit=subreddit, limit=search_limit, syntax=
'cloudsearch', sort='new'))
debug('Received {0} search results for query {1}'.format(len(
search_results), search_query), 2)
backoff = BACKOFF_START
except HTTPException as exc:
debug('{0}. Sleeping for {1} seconds'.format(exc, backoff), 2)
time.sleep(backoff)
backoff *= 2
continue
if len(search_results) >= search_limit:
power = 2 if prev_win_decreased else 1
window_size = int(window_size / window_adjustment_ratio ** power)
prev_win_decreased = True
debug('Decreasing window size to {0} seconds'.format(
window_size), 2)
continue
else:
prev_win_decreased = False
search_results = [s for s in search_results if
original_lowest_timestamp <= s.created and s.created <=
original_highest_timestamp]
for submission in sorted(search_results, key=attrgetter(
'created_utc', 'id'), reverse=newest_first):
yield submission
processed_submissions += len(search_results)
debug('Total processed submissions: {}'.format(
processed_submissions), 1)
if newest_first:
highest_timestamp -= window_size + 1
else:
lowest_timestamp += window_size + 1
if len(search_results) < min_search_results_in_window:
power = 2 if prev_win_increased else 1
window_size = int(window_size * window_adjustment_ratio ** power)
prev_win_increased = True
debug('Increasing window size to {0} seconds'.format(
window_size), 2)
else:
prev_win_increased = False
| submissions_between | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reddit_session, subreddit, lowest_timestamp=None, highest_timestamp=\n None, newest_first=True, extra_cloudsearch_fields=None, verbosity=1):\n\n def x(ms... |
def x(sequence, chunk_length, allow_incomplete=True):
complete, leftover = divmod(len(sequence), chunk_length)
if not allow_incomplete:
leftover = 0
chunk_count = complete + min(leftover, 1)
chunks = []
for x in range(chunk_count):
left = chunk_length * x
right = left + chunk_length
chunks.append(sequence[left:right])
return chunks
| chunk_sequence | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sequence, chunk_length, allow_incomplete=True):\n complete, leftover = divmod(len(sequence), chunk_length)\n if not allow_incomplete:\n leftover =... |
def x(id36):
if not isinstance(id36, six.string_types) or id36.count('_') > 0:
raise ValueError(
'must supply base36 string, not fullname (e.g. use xxxxx, not t3_xxxxx)'
)
return int(id36, 36)
| convert_id36_to_numeric_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id36):\n if not isinstance(id36, six.string_types) or id36.count('_') > 0:\n raise ValueError(\n 'must supply base36 string, not fullname ... |
def x(numeric_id):
if not isinstance(numeric_id, six.integer_types) or numeric_id < 0:
raise ValueError('must supply a positive int/long')
alphabet = '0123456789abcdefghijklmnopqrstuvwxyz'
alphabet_len = len(alphabet)
current_number = numeric_id
base36 = []
if 0 <= current_number < alphabet_len:
return alphabet[current_number]
while current_number != 0:
current_number, rem = divmod(current_number, alphabet_len)
base36.append(alphabet[rem])
return ''.join(reversed(base36))
| convert_numeric_id_to_id36 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(numeric_id):\n if not isinstance(numeric_id, six.integer_types) or numeric_id < 0:\n raise ValueError('must supply a positive int/long')\n alphabe... |
def x(tree, nested_attr='replies', depth_first=False):
stack = deque(tree)
extend = stack.extend if depth_first else stack.extendleft
retval = []
while stack:
item = stack.popleft()
nested = getattr(item, nested_attr, None)
if nested:
extend(nested)
retval.append(item)
return retval
| flatten_tree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tree, nested_attr='replies', depth_first=False):\n stack = deque(tree)\n extend = stack.extend if depth_first else stack.extendleft\n retval = []\n ... |
def x(url):
if url.endswith('.json'):
url = url[:-5]
if url.endswith('/'):
url = url[:-1]
return url
| normalize_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n if url.endswith('.json'):\n url = url[:-5]\n if url.endswith('/'):\n url = url[:-1]\n return url\n",
"role": "user"
},
{... |
def x(self, item):
if item in self._set:
self._fifo.remove(item)
elif len(self._set) == self.max_items:
self._set.remove(self._fifo.pop(0))
self._fifo.append(item)
self._set.add(item)
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n if item in self._set:\n self._fifo.remove(item)\n elif len(self._set) == self.max_items:\n self._set.remove(self._fifo.pop(0... |
def x(datatable_code, **kwargs):
if 'authtoken' in kwargs:
raise InvalidRequestError(Message.ERROR_AUTHTOKEN_NOT_SUPPORTED)
ApiKeyUtil.init_api_key_from_args(kwargs)
filename = kwargs.pop('filename', '.')
return Datatable(datatable_code).download_file(filename, **kwargs)
| export_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(datatable_code, **kwargs):\n if 'authtoken' in kwargs:\n raise InvalidRequestError(Message.ERROR_AUTHTOKEN_NOT_SUPPORTED)\n ApiKeyUtil.init_api_ke... |
def x(dataset, **kwargs):
_convert_params_to_v3(kwargs)
data_format = kwargs.pop('returns', 'pandas')
ApiKeyUtil.init_api_key_from_args(kwargs)
if isinstance(dataset, string_types):
dataset_args = _parse_dataset_code(dataset)
if dataset_args['column_index'] is not None:
kwargs.update({'column_index': dataset_args['column_index']})
data = Dataset(dataset_args['code']).data(params=kwargs,
handle_column_not_found=True)
elif isinstance(dataset, list):
args = _build_merged_dataset_args(dataset)
data = MergedDataset(args).data(params=kwargs,
handle_not_found_error=True, handle_column_not_found=True)
else:
raise InvalidRequestError(Message.ERROR_DATASET_FORMAT)
if data_format == 'numpy':
return data.to_numpy()
return data.to_pandas()
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dataset, **kwargs):\n _convert_params_to_v3(kwargs)\n data_format = kwargs.pop('returns', 'pandas')\n ApiKeyUtil.init_api_key_from_args(kwargs)\n i... |
def x(database, **kwargs):
if 'authtoken' in kwargs:
raise InvalidRequestError(Message.ERROR_AUTHTOKEN_NOT_SUPPORTED)
ApiKeyUtil.init_api_key_from_args(kwargs)
filename = kwargs.pop('filename', '.')
return Database(database).bulk_download_to_file(filename, params=kwargs)
| bulkdownload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(database, **kwargs):\n if 'authtoken' in kwargs:\n raise InvalidRequestError(Message.ERROR_AUTHTOKEN_NOT_SUPPORTED)\n ApiKeyUtil.init_api_key_from... |
def x(self):
result = '<h1>JSON-RPC map</h1><pre>{0}</pre>'.format('\n\n'.join([
'{0}: {1}'.format(fname, f.__doc__) for fname, f in self.dispatcher
.items()]))
return Response(result)
| jsonrpc_map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = '<h1>JSON-RPC map</h1><pre>{0}</pre>'.format('\\n\\n'.join([\n '{0}: {1}'.format(fname, f.__doc__) for fname, f in self.dispatcher\... |
def x(self, cmd, type=None):
type = type or 'text'
self.hunter.script(cmd, lang=type)
| command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd, type=None):\n type = type or 'text'\n self.hunter.script(cmd, lang=type)\n",
"role": "user"
},
{
"content": "command",
"role":... |
def x(self, f, name=None):
self.method_map[name or f.__name__] = f
return f
| add_method | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, f, name=None):\n self.method_map[name or f.__name__] = f\n return f\n",
"role": "user"
},
{
"content": "add_method",
"role": "assis... |
def x(self, prototype, prefix=''):
if not isinstance(prototype, dict):
prototype = dict((method, getattr(prototype, method)) for method in
dir(prototype) if not method.startswith('_'))
for attr, method in prototype.items():
if callable(method):
self[prefix + attr] = method
| build_method_map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prototype, prefix=''):\n if not isinstance(prototype, dict):\n prototype = dict((method, getattr(prototype, method)) for method in\n ... |
def x(self, data):
self.buf += data
while len(self.buf) > HEADER_SIZE:
data_len = struct.unpack('i', self.buf[0:HEADER_SIZE])[0]
if len(self.buf) >= data_len + HEADER_SIZE:
content = self.buf[HEADER_SIZE:data_len + HEADER_SIZE]
self.buf = self.buf[data_len + HEADER_SIZE:]
yield content
else:
break
| input | [
{
"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.buf += data\n while len(self.buf) > HEADER_SIZE:\n data_len = struct.unpack('i', self.buf[0:HEADER_SIZE])[0]\n if len(s... |
def x(content):
if isinstance(content, six.text_type):
content = content.encode('utf-8')
return struct.pack('i', len(content)) + content
| pack | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(content):\n if isinstance(content, six.text_type):\n content = content.encode('utf-8')\n return struct.pack('i', len(content)) + content\n",
"... |
def x(data):
length = struct.unpack('i', data[0:HEADER_SIZE])
return length[0], data[HEADER_SIZE:]
| unpack | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n length = struct.unpack('i', data[0:HEADER_SIZE])\n return length[0], data[HEADER_SIZE:]\n",
"role": "user"
},
{
"content": "unpack",... |
def x(self, data):
opcode = BINARY
if _check_unicode(data):
opcode = TEXT
self._sendMessage(True, opcode, data)
| sendFragmentStart | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n opcode = BINARY\n if _check_unicode(data):\n opcode = TEXT\n self._sendMessage(True, opcode, data)\n",
"role": "user"
},
... |
def x(self, data):
opcode = BINARY
if _check_unicode(data):
opcode = TEXT
self._sendMessage(False, opcode, data)
| sendMessage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n opcode = BINARY\n if _check_unicode(data):\n opcode = TEXT\n self._sendMessage(False, opcode, data)\n",
"role": "user"
},
... |
def x(func):
@wraps(func)
def x(self, nodes, name, *args, **kwargs):
tolerance_exc_types = ('NodeHasBeenRemovedException',
'RemoteObjectNotFoundException')
try:
return func(self, nodes, name, *args, **kwargs)
except RpcRemoteException as e:
for t in tolerance_exc_types:
if e.error_type == t or e.error_type.endswith('.' + t):
raise PocoTargetRemovedException('{}: {}'.format(func.
__name__, name), safe_repr(nodes))
else:
raise
return wrapped
| transform_node_has_been_removed_exception | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n @wraps(func)\n def x(self, nodes, name, *args, **kwargs):\n tolerance_exc_types = ('NodeHasBeenRemovedException',\n 'RemoteO... |
def x(cls, request, dispatcher):
rs = request if isinstance(request, JSONRPC20BatchRequest) else [request]
responses = [r for r in cls._get_responses(rs, dispatcher) if r is not None
]
if not responses:
return
if isinstance(request, JSONRPC20BatchRequest):
return JSONRPC20BatchResponse(*responses)
else:
return responses[0]
| handle_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, request, dispatcher):\n rs = request if isinstance(request, JSONRPC20BatchRequest) else [request]\n responses = [r for r in cls._get_responses(rs, d... |
def x(cls, requests, dispatcher):
for request in requests:
def x(**kwargs):
return cls.RESPONSE_CLASS_MAP[request.JSONRPC_VERSION](_id=
request._id, **kwargs)
try:
method = dispatcher[request.method]
except KeyError:
output = response(error=JSONRPCMethodNotFound()._data)
else:
try:
result = method(*request.args, **request.kwargs)
except JSONRPCDispatchException as e:
output = response(error=e.error._data)
except Exception as e:
data = {'type': e.__class__.__name__, 'args': e.args,
'message': str(e)}
if isinstance(e, TypeError) and is_invalid_params(method, *
request.args, **request.kwargs):
output = response(error=JSONRPCInvalidParams(data=data)
._data)
else:
print('API Exception: {0}'.format(data))
output = response(error=JSONRPCServerError(data=data)._data
)
else:
output = response(result=result)
finally:
if not request.is_notification:
yield output
| get_responses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, requests, dispatcher):\n for request in requests:\n\n def x(**kwargs):\n return cls.RESPONSE_CLASS_MAP[request.JSONRPC_VERSION](_id=\... |
def x(self, request):
if request.method != 'POST':
return HttpResponseNotAllowed(['POST'])
request_str = request.body.decode('utf8')
try:
jsonrpc_request = JSONRPCRequest.from_json(request_str)
except (TypeError, ValueError, JSONRPCInvalidRequestException):
response = JSONRPCResponseManager.handle(request_str, self.dispatcher)
else:
jsonrpc_request.params = jsonrpc_request.params or {}
jsonrpc_request_params = copy.copy(jsonrpc_request.params)
if isinstance(jsonrpc_request.params, dict):
jsonrpc_request.params.update(request=request)
t1 = time.time()
response = JSONRPCResponseManager.handle_request(jsonrpc_request,
self.dispatcher)
t2 = time.time()
logger.info('{0}({1}) {2:.2f} sec'.format(jsonrpc_request.method,
jsonrpc_request_params, t2 - t1))
if response:
def x(s):
return json.dumps(s, cls=DatetimeDecimalEncoder)
response.serialize = serialize
response = response.json
return HttpResponse(response, content_type='application/json')
| jsonrpc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n if request.method != 'POST':\n return HttpResponseNotAllowed(['POST'])\n request_str = request.body.decode('utf8')\n try:\n ... |
def x(self, request):
result = '<h1>JSON-RPC map</h1><pre>{0}</pre>'.format('\n\n'.join([
'{0}: {1}'.format(fname, f.__doc__) for fname, f in self.dispatcher
.items()]))
return HttpResponse(result)
| jsonrpc_map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n result = '<h1>JSON-RPC map</h1><pre>{0}</pre>'.format('\\n\\n'.join([\n '{0}: {1}'.format(fname, f.__doc__) for fname, f in self.di... |
def x(self, contact_id=0, accuracy=0.004, dt=0.001):
if not self.event_points:
return []
events = []
action_dt = accuracy / self.speed
dt = dt or action_dt
ep0 = self.event_points[0]
for _ in range(int(ep0[0] / dt)):
events.append(['s', dt])
events.append(['d', ep0[1], contact_id])
for i, ep in enumerate(self.event_points[1:]):
prev_ts = self.event_points[i][0]
curr_ts = ep[0]
p0 = self.event_points[i][1]
p1 = ep[1]
if p0 == p1:
for _ in range(int((curr_ts - prev_ts) / dt)):
events.append(['s', dt])
else:
dpoints = track_sampling([p0, p1], accuracy)
for p in dpoints:
events.append(['m', p, contact_id])
for _ in range(int(action_dt / dt)):
events.append(['s', dt])
events.append(['u', contact_id])
return events
| discretize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, contact_id=0, accuracy=0.004, dt=0.001):\n if not self.event_points:\n return []\n events = []\n action_dt = accuracy / self.speed\n d... |
def x(self):
root = Node(self.dumpHierarchy())
self._linkParent(root)
return root
| getRoot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n root = Node(self.dumpHierarchy())\n self._linkParent(root)\n return root\n",
"role": "user"
},
{
"content": "getRoot",
"role"... |
def x(func, *args, **kwargs):
if not inspect.isfunction(func):
return True
funcargs, varargs, varkwargs, defaults = inspect.getargspec(func)
if defaults:
funcargs = funcargs[:-len(defaults)]
if args and len(args) != len(funcargs):
return True
if kwargs and set(kwargs.keys()) != set(funcargs):
return True
if not args and not kwargs and funcargs:
return True
return False
| is_invalid_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, *args, **kwargs):\n if not inspect.isfunction(func):\n return True\n funcargs, varargs, varkwargs, defaults = inspect.getargspec(func)\n ... |
def x(cls, bundleId):
ra = AppKit.NSRunningApplication
apps = ra.runningApplicationsWithBundleIdentifier_(bundleId)
if len(apps) == 0:
raise ValueError(
'Specified bundle ID not found in running apps: %s' % bundleId)
pid = apps[0].processIdentifier()
return cls.getAppRefByPid(pid)
| getAppRefByBundleId | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, bundleId):\n ra = AppKit.NSRunningApplication\n apps = ra.runningApplicationsWithBundleIdentifier_(bundleId)\n if len(apps) == 0:\n raise ... |
def x(self):
if not self._driver:
raise AttributeError(
'`driver` is not bound on this agent implementation({}). Do you forget to call `super().on_bind_driver` when you override the method `on_bind_driver` in your sub class?'
.format(repr(self)))
return self._driver
| driver | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._driver:\n raise AttributeError(\n '`driver` is not bound on this agent implementation({}). Do you forget to call `su... |
def x(self, node, onlyVisibleNode=True):
if not node:
return None
payload = {}
for attrName, attrVal in node.enumerateAttrs():
if attrVal is not None:
payload[attrName] = attrVal
result = {}
children = []
for child in node.getChildren():
if not onlyVisibleNode or child.getAttr('visible'):
children.append(self.dumpHierarchyImpl(child, onlyVisibleNode))
if len(children) > 0:
result['children'] = children
result['name'] = payload.get('name') or node.getAttr('name')
result['payload'] = payload
return result
| dumpHierarchyImpl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node, onlyVisibleNode=True):\n if not node:\n return None\n payload = {}\n for attrName, attrVal in node.enumerateAttrs():\n if at... |
def x(self, name=None, **attrs):
sub_query = build_query(name, **attrs)
query = '/', (self.query, sub_query)
obj = UIObjectProxy(self.poco)
obj.query = query
return obj
| child | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, **attrs):\n sub_query = build_query(name, **attrs)\n query = '/', (self.query, sub_query)\n obj = UIObjectProxy(self.poco)\n obj.q... |
def x(self):
sub_query = build_query(None)
query = '^', (self.query, sub_query)
obj = UIObjectProxy(self.poco)
obj.query = query
return obj
| parent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sub_query = build_query(None)\n query = '^', (self.query, sub_query)\n obj = UIObjectProxy(self.poco)\n obj.query = query\n return obj\... |
def x(self, focus=None, sleep_interval=None):
focus = focus or self._focus or 'anchor'
pos_in_percentage = self.get_position(focus)
self.poco.pre_action('click', self, pos_in_percentage)
ret = self.poco.click(pos_in_percentage)
if sleep_interval:
time.sleep(sleep_interval)
else:
self.poco.wait_stable()
self.poco.post_action('click', self, pos_in_percentage)
return ret
| click | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, focus=None, sleep_interval=None):\n focus = focus or self._focus or 'anchor'\n pos_in_percentage = self.get_position(focus)\n self.poco.pre_acti... |
def x(self, duration=2.0):
try:
duration = float(duration)
except ValueError:
raise ValueError('Argument `duration` should be <float>. Got {}'.
format(repr(duration)))
pos_in_percentage = self.get_position(self._focus or 'anchor')
self.poco.pre_action('long_click', self, pos_in_percentage)
ret = self.poco.long_click(pos_in_percentage, duration)
self.poco.post_action('long_click', self, pos_in_percentage)
return ret
| long_click | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, duration=2.0):\n try:\n duration = float(duration)\n except ValueError:\n raise ValueError('Argument `duration` should be <float>. Go... |
def x(self, direction, focus=None, duration=0.5):
try:
duration = float(duration)
except ValueError:
raise ValueError('Argument `duration` should be <float>. Got {}'.
format(repr(duration)))
focus = focus or self._focus or 'anchor'
dir_vec = self._direction_vector_of(direction)
origin = self.get_position(focus)
self.poco.pre_action('swipe', self, (origin, dir_vec))
ret = self.poco.swipe(origin, direction=dir_vec, duration=duration)
self.poco.post_action('swipe', self, (origin, dir_vec))
return ret
| swipe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, direction, focus=None, duration=0.5):\n try:\n duration = float(duration)\n except ValueError:\n raise ValueError('Argument `duration... |
def x(self, target, duration=2.0):
try:
duration = float(duration)
except ValueError:
raise ValueError('Argument `duration` should be <float>. Got {}'.
format(repr(duration)))
if type(target) in (list, tuple):
target_pos = target
else:
target_pos = target.get_position()
origin_pos = self.get_position()
dir_ = [target_pos[0] - origin_pos[0], target_pos[1] - origin_pos[1]]
return self.swipe(dir_, duration=duration)
| drag_to | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, duration=2.0):\n try:\n duration = float(duration)\n except ValueError:\n raise ValueError('Argument `duration` should be <fl... |
def x(self, direction='vertical', percent=0.6, duration=2.0):
if direction not in ('vertical', 'horizontal'):
raise ValueError(
'Argument `direction` should be one of "vertical" or "horizontal". Got {}'
.format(repr(direction)))
focus1 = self._focus or [0.5, 0.5]
focus2 = list(focus1)
half_distance = percent / 2
if direction == 'vertical':
focus1[1] += half_distance
focus2[1] -= half_distance
else:
focus1[0] += half_distance
focus2[0] -= half_distance
return self.focus(focus1).drag_to(self.focus(focus2), duration=duration)
| scroll | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, direction='vertical', percent=0.6, duration=2.0):\n if direction not in ('vertical', 'horizontal'):\n raise ValueError(\n 'Argument ... |
def x(self, direction='in', percent=0.6, duration=2.0, dead_zone=0.1):
if direction not in ('in', 'out'):
raise ValueError(
'Argument `direction` should be one of "in" or "out". Got {}'.
format(repr(direction)))
if dead_zone >= percent:
raise ValueError(
'Argument `dead_zone` should not be greater than `percent`. dead_zoon={}, percent={}'
.format(repr(dead_zone), repr(percent)))
w, h = self.get_size()
x, y = self.get_position()
tracks = make_pinching(direction, [x, y], [w, h], percent, dead_zone,
duration)
speed = math.sqrt(w * h) * (percent - dead_zone) / 2 / duration
ret = self.poco.apply_motion_tracks(tracks, accuracy=speed * 0.03)
return ret
| pinch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, direction='in', percent=0.6, duration=2.0, dead_zone=0.1):\n if direction not in ('in', 'out'):\n raise ValueError(\n 'Argument `dir... |
def x(self, f):
ret = copy.copy(self)
ret._focus = f
return ret
| focus | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, f):\n ret = copy.copy(self)\n ret._focus = f\n return ret\n",
"role": "user"
},
{
"content": "focus",
"role": "assistant"
}
] |
def x(self, focus=None):
focus = focus or self._focus or 'anchor'
if focus == 'anchor':
pos = self.attr('pos')
elif focus == 'center':
x, y = self.attr('pos')
w, h = self.get_size()
ap_x, ap_y = self.attr('anchorPoint')
fx, fy = 0.5, 0.5
pos = [x + w * (fx - ap_x), y + h * (fy - ap_y)]
elif type(focus) in (list, tuple):
x, y = self.attr('pos')
w, h = self.get_size()
ap_x, ap_y = self.attr('anchorPoint')
fx, fy = focus
pos = [x + w * (fx - ap_x), y + h * (fy - ap_y)]
else:
raise TypeError(
'Unsupported focus type {}. Only "anchor/center" or 2-list/2-tuple available.'
.format(type(focus)))
return pos
| get_position | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, focus=None):\n focus = focus or self._focus or 'anchor'\n if focus == 'anchor':\n pos = self.attr('pos')\n elif focus == 'center':\n ... |
def x(self, timeout=3):
start = time.time()
while not self.exists():
self.poco.sleep_for_polling_interval()
if time.time() - start > timeout:
break
return self
| wait | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=3):\n start = time.time()\n while not self.exists():\n self.poco.sleep_for_polling_interval()\n if time.time() - start > time... |
def x(self, timeout=120):
start = time.time()
while self.exists():
self.poco.sleep_for_polling_interval()
if time.time() - start > timeout:
raise PocoTargetTimeout('disappearance', self)
| wait_for_disappearance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=120):\n start = time.time()\n while self.exists():\n self.poco.sleep_for_polling_interval()\n if time.time() - start > timeou... |
def x(self, name):
nodes = self._do_query(multiple=False)
val = self.poco.agent.hierarchy.getAttr(nodes, name)
if six.PY2 and isinstance(val, six.text_type):
val = val.encode('utf-8')
return val
| attr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n nodes = self._do_query(multiple=False)\n val = self.poco.agent.hierarchy.getAttr(nodes, name)\n if six.PY2 and isinstance(val, six.text... |
def x(self, name, val):
nodes = self._do_query(multiple=False)
try:
return self.poco.agent.hierarchy.setAttr(nodes, name, val)
except UnableToSetAttributeException as e:
raise InvalidOperationException('"{}" of "{}"'.format(str(e), self))
| setattr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, val):\n nodes = self._do_query(multiple=False)\n try:\n return self.poco.agent.hierarchy.setAttr(nodes, name, val)\n except UnableT... |
def x(self):
size = self.get_size()
top_left = self.get_position([0, 0])
bounds = [top_left[1], top_left[0] + size[0], top_left[1] + size[1],
top_left[0]]
return bounds
| get_bounds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n size = self.get_size()\n top_left = self.get_position([0, 0])\n bounds = [top_left[1], top_left[0] + size[0], top_left[1] + size[1],\n ... |
def x(self, origin, pattern):
if origin is None or pattern is None:
return False
return re.match(pattern, origin) is not None
| compare | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, origin, pattern):\n if origin is None or pattern is None:\n return False\n return re.match(pattern, origin) is not None\n",
"role": "use... |
def x(self, cond, node):
op, args = cond
if op == 'and':
for arg in args:
if not self.match(arg, node):
return False
return True
if op == 'or':
for arg in args:
if self.match(arg, node):
return True
return False
comparator = self.comparators.get(op)
if comparator:
attribute, value = args
targetValue = node.getAttr(attribute)
return comparator.compare(targetValue, value)
raise NoSuchComparatorException(op, 'poco.sdk.DefaultMatcher')
| match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cond, node):\n op, args = cond\n if op == 'and':\n for arg in args:\n if not self.match(arg, node):\n return False... |
def x(self, objects, timeout=120):
start = time.time()
while True:
for obj in objects:
if obj.exists():
return obj
if time.time() - start > timeout:
raise PocoTargetTimeout('any to appear', objects)
self.sleep_for_polling_interval()
| wait_for_any | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, objects, timeout=120):\n start = time.time()\n while True:\n for obj in objects:\n if obj.exists():\n return obj\n... |
def x(self, objects, timeout=120):
start = time.time()
while True:
all_exist = True
for obj in objects:
if not obj.exists():
all_exist = False
break
if all_exist:
return
if time.time() - start > timeout:
raise PocoTargetTimeout('all to appear', objects)
self.sleep_for_polling_interval()
| wait_for_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, objects, timeout=120):\n start = time.time()\n while True:\n all_exist = True\n for obj in objects:\n if not obj.exists():... |
def x(this):
class FrozenPoco(Poco):
def x(self, **kwargs):
hierarchy_dict = this.agent.hierarchy.dump()
hierarchy = create_immutable_hierarchy(hierarchy_dict)
agent_ = PocoAgent(hierarchy, this.agent.input, this.agent.screen)
kwargs['action_interval'] = 0.01
kwargs['pre_action_wait_for_appearance'] = 0
super(FrozenPoco, self).__init__(agent_, **kwargs)
self.this = this
def x(self):
return self
def x(self, exc_type, exc_val, exc_tb):
pass
def x(self, item):
return getattr(self.this, item)
return FrozenPoco()
| freeze | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(this):\n\n\n class FrozenPoco(Poco):\n\n def x(self, **kwargs):\n hierarchy_dict = this.agent.hierarchy.dump()\n hierarchy = cr... |
def x(self, pos):
if not 0 <= pos[0] <= 1 or not 0 <= pos[1] <= 1:
raise InvalidOperationException('Click position out of screen. pos={}'
.format(repr(pos)))
ret = self.agent.input.click(pos[0], pos[1])
self.wait_stable()
return ret
| click | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pos):\n if not 0 <= pos[0] <= 1 or not 0 <= pos[1] <= 1:\n raise InvalidOperationException('Click position out of screen. pos={}'\n ... |
def x(self, p1, p2=None, direction=None, duration=2.0):
try:
duration = float(duration)
except ValueError:
raise ValueError('Argument `duration` should be <float>. Got {}'.
format(repr(duration)))
if not 0 <= p1[0] <= 1 or not 0 <= p1[1] <= 1:
raise InvalidOperationException('Swipe origin out of screen. {}'.
format(repr(p1)))
if direction is not None:
p2 = [p1[0] + direction[0], p1[1] + direction[1]]
elif p2 is not None:
p2 = p2
else:
raise TypeError('Swipe end not set.')
return self.agent.input.swipe(p1[0], p1[1], p2[0], p2[1], duration)
| swipe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p1, p2=None, direction=None, duration=2.0):\n try:\n duration = float(duration)\n except ValueError:\n raise ValueError('Argument `du... |
def x(self, pos, duration=2.0):
try:
duration = float(duration)
except ValueError:
raise ValueError('Argument `duration` should be <float>. Got {}'.
format(repr(duration)))
if not 0 <= pos[0] <= 1 or not 0 <= pos[1] <= 1:
raise InvalidOperationException('Click position out of screen. {}'.
format(repr(pos)))
return self.agent.input.longClick(pos[0], pos[1], duration)
| long_click | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pos, duration=2.0):\n try:\n duration = float(duration)\n except ValueError:\n raise ValueError('Argument `duration` should be <float... |
def x(self, direction='vertical', percent=0.6, duration=2.0):
if direction not in ('vertical', 'horizontal'):
raise ValueError(
'Argument `direction` should be one of "vertical" or "horizontal". Got {}'
.format(repr(direction)))
start = [0.5, 0.5]
half_distance = percent / 2
if direction == 'vertical':
start[1] += half_distance
direction = [0, -percent]
else:
start[0] += half_distance
direction = [-percent, 0]
return self.swipe(start, direction=direction, duration=duration)
| scroll | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, direction='vertical', percent=0.6, duration=2.0):\n if direction not in ('vertical', 'horizontal'):\n raise ValueError(\n 'Argument ... |
def x(self, direction='in', percent=0.6, duration=2.0, dead_zone=0.1):
if direction not in ('in', 'out'):
raise ValueError(
'Argument `direction` should be one of "in" or "out". Got {}'.
format(repr(direction)))
if dead_zone >= percent:
raise ValueError(
'Argument `dead_zone` should not be greater than `percent`. dead_zoon={}, percent={}'
.format(repr(dead_zone), repr(percent)))
tracks = make_pinching(direction, [0.5, 0.5], [1, 1], percent,
dead_zone, duration)
speed = (percent - dead_zone) / 2 / duration
ret = self.apply_motion_tracks(tracks, accuracy=speed * 0.03)
return ret
| pinch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, direction='in', percent=0.6, duration=2.0, dead_zone=0.1):\n if direction not in ('in', 'out'):\n raise ValueError(\n 'Argument `dir... |
def x(self, tracks, accuracy=0.004):
if not tracks:
raise ValueError('Please provide at least one track. Got {}'.format
(repr(tracks)))
tb = MotionTrackBatch(tracks)
return self.agent.input.applyMotionEvents(tb.discretize(accuracy))
| apply_motion_tracks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tracks, accuracy=0.004):\n if not tracks:\n raise ValueError('Please provide at least one track. Got {}'.format\n (repr(tracks)))\n ... |
def x(cls, device):
if cls._nuis.get(device) is None:
cls._nuis[device] = AndroidUiautomationPoco(device)
return cls._nuis[device]
| get_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, device):\n if cls._nuis.get(device) is None:\n cls._nuis[device] = AndroidUiautomationPoco(device)\n return cls._nuis[device]\n",
"role":... |
def x(self, targets, exit_when=None, sleep_interval=0.5, appearance_timeout
=20, timeout=120):
try:
self.wait_for_any(targets, timeout=appearance_timeout)
except PocoTargetTimeout:
warnings.warn(
'Waiting timeout when trying to dismiss something before them appear. Targets are {}'
.encode('utf-8').format(targets))
return
start_time = time.time()
while True:
no_target = True
for t in targets:
if t.exists():
try:
for n in t:
try:
n.click(sleep_interval=sleep_interval)
no_target = False
except:
pass
except:
pass
time.sleep(sleep_interval)
should_exit = exit_when() if exit_when else False
if no_target or should_exit:
return
if time.time() - start_time > timeout:
raise PocoTargetTimeout('dismiss', targets)
| dismiss | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, targets, exit_when=None, sleep_interval=0.5, appearance_timeout\n =20, timeout=120):\n try:\n self.wait_for_any(targets, timeout=appearance_... |
def x(self, cond, multiple=False):
return self.selectImpl(cond, multiple, self.getRoot(), 9999, True, True)
| select | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cond, multiple=False):\n return self.selectImpl(cond, multiple, self.getRoot(), 9999, True, True)\n",
"role": "user"
},
{
"content": "sele... |
def x(self, cond, multiple, root, maxDepth, onlyVisibleNode, includeRoot):
result = []
if not root:
return result
op, args = cond
if op in ('>', '/'):
parents = [root]
for index, arg in enumerate(args):
midResult = []
for parent in parents:
if op == '/' and index != 0:
_maxDepth = 1
else:
_maxDepth = maxDepth
_res = self.selectImpl(arg, True, parent, _maxDepth,
onlyVisibleNode, False)
[midResult.append(r) for r in _res if r not in midResult]
parents = midResult
result = parents
elif op == '-':
query1, query2 = args
result1 = self.selectImpl(query1, multiple, root, maxDepth,
onlyVisibleNode, includeRoot)
for n in result1:
sibling_result = self.selectImpl(query2, multiple, n.getParent(
), 1, onlyVisibleNode, includeRoot)
[result.append(r) for r in sibling_result if r not in result]
elif op == 'index':
cond, i = args
try:
result = [self.selectImpl(cond, multiple, root, maxDepth,
onlyVisibleNode, includeRoot)[i]]
except IndexError:
raise NoSuchTargetException(
u'Query results index out of range. Index={} condition "{}" from root "{}".'
.format(i, cond, root))
elif op == '^':
query1, _ = args
result1 = self.selectImpl(query1, False, root, maxDepth,
onlyVisibleNode, includeRoot)
if result1:
parent_node = result1[0].getParent()
if parent_node is not None:
result = [parent_node]
else:
self._selectTraverse(cond, root, result, multiple, maxDepth,
onlyVisibleNode, includeRoot)
return result
| selectImpl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cond, multiple, root, maxDepth, onlyVisibleNode, includeRoot):\n result = []\n if not root:\n return result\n op, args = cond\n if op ... |
def x(key: str, user: str=None) ->Optional['ApiKey']:
return ApiKey.from_db(db.get_key(key, user))
| find_by_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key: str, user: str=None) ->Optional['ApiKey']:\n return ApiKey.from_db(db.get_key(key, user))\n",
"role": "user"
},
{
"content": "find_by_id",
... |
def x(query: Query=None) ->List['ApiKey']:
return [ApiKey.from_db(key) for key in db.get_keys(query)]
| find_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query: Query=None) ->List['ApiKey']:\n return [ApiKey.from_db(key) for key in db.get_keys(query)]\n",
"role": "user"
},
{
"content": "find_all",... |
def x(user: str) ->List['ApiKey']:
return [ApiKey.from_db(key) for key in db.get_keys(qb.from_dict({'user':
user}))]
| find_by_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user: str) ->List['ApiKey']:\n return [ApiKey.from_db(key) for key in db.get_keys(qb.from_dict({'user':\n user}))]\n",
"role": "user"
},
{
... |
def x(username, key, all):
if username and username not in current_app.config['ADMIN_USERS']:
raise click.UsageError('User {} not an admin'.format(username))
def x(admin, key):
key = ApiKey(user=admin, key=key, scopes=[Scope.admin, Scope.write,
Scope.read], text='Admin key created by alertad script',
expire_time=None)
try:
db.get_db()
key = key.create()
except Exception as e:
click.echo('ERROR: {}'.format(e))
else:
click.echo('{} {}'.format(key.key, key.user))
if all:
for admin in current_app.config['ADMIN_USERS']:
create_key(admin, key)
elif username:
create_key(username, key)
else:
raise click.UsageError("Must set '--username' or use '--all'")
| key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username, key, all):\n if username and username not in current_app.config['ADMIN_USERS']:\n raise click.UsageError('User {} not an admin'.format(user... |
def x():
for admin in current_app.config['ADMIN_USERS']:
try:
db.get_db()
keys = ApiKey.find_by_user(admin)
except Exception as e:
click.echo('ERROR: {}'.format(e))
else:
for key in keys:
click.echo('{:40} {}'.format(key.key, key.user))
| keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n for admin in current_app.config['ADMIN_USERS']:\n try:\n db.get_db()\n keys = ApiKey.find_by_user(admin)\n except E... |
def x(username, password, all):
if current_app.config['AUTH_PROVIDER'] != 'basic':
raise click.UsageError('Not required for {} admin users'.format(
current_app.config['AUTH_PROVIDER']))
if username and username not in current_app.config['ADMIN_USERS']:
raise click.UsageError('User {} not an admin'.format(username))
if not username and not all:
raise click.UsageError('Missing option "--username".')
def x(admin):
email = admin if '@' in admin else None
user = User(name='Admin user', login=admin, password=
generate_password_hash(password), roles=['admin'], text=
'Created by alertad script', email=email, email_verified=bool(
email))
try:
db.get_db()
user = user.create()
except Exception as e:
click.echo('ERROR: {}'.format(e))
else:
click.echo('{} {}'.format(user.id, user.name))
if all:
for admin in current_app.config['ADMIN_USERS']:
create_user(admin)
else:
create_user(username)
| user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username, password, all):\n if current_app.config['AUTH_PROVIDER'] != 'basic':\n raise click.UsageError('Not required for {} admin users'.format(\n ... |
def x():
for admin in current_app.config['ADMIN_USERS']:
try:
db.get_db()
user = User.find_by_username(admin)
except Exception as e:
click.echo('ERROR: {}'.format(e))
else:
if user:
click.echo('{} {}'.format(user.id, user.name))
| users | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n for admin in current_app.config['ADMIN_USERS']:\n try:\n db.get_db()\n user = User.find_by_username(admin)\n except... |
def x(self, alert):
query = {'environment': alert.environment, 'resource': alert.resource,
'$or': [{'event': alert.event, 'severity': {'$ne': alert.severity}},
{'event': {'$ne': alert.event}, 'correlate': alert.event}],
'customer': alert.customer}
r = self.get_db().alerts.find_one(query, projection={'severity': 1,
'_id': 0})
return r['severity'] if r else None
| get_severity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, alert):\n query = {'environment': alert.environment, 'resource': alert.resource,\n '$or': [{'event': alert.event, 'severity': {'$ne': alert.sev... |
def x(self, alert, window=1800, count=2):
pipeline = [{'$match': {'environment': alert.environment, 'resource':
alert.resource, 'event': alert.event, 'customer': alert.customer}},
{'$unwind': '$history'}, {'$match': {'history.updateTime': {'$gt':
datetime.utcnow() - timedelta(seconds=window)}, 'history.type':
'severity'}}, {'$group': {'_id': '$history.type', 'count': {'$sum':
1}}}]
responses = self.get_db().alerts.aggregate(pipeline)
for r in responses:
if r['count'] > count:
return True
return False
| is_flapping | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, alert, window=1800, count=2):\n pipeline = [{'$match': {'environment': alert.environment, 'resource':\n alert.resource, 'event': alert.event, '... |
def x(self, alert, history):
query = {'environment': alert.environment, 'resource': alert.resource,
'event': alert.event, 'severity': alert.severity, 'customer': alert
.customer}
now = datetime.utcnow()
update = {'$set': {'status': alert.status, 'service': alert.service,
'value': alert.value, 'text': alert.text, 'timeout': alert.timeout,
'rawData': alert.raw_data, 'repeat': True, 'lastReceiveId': alert.
id, 'lastReceiveTime': now}, '$addToSet': {'tags': {'$each': alert.
tags}}, '$inc': {'duplicateCount': 1}}
attributes = {('attributes.' + k): v for k, v in alert.attributes.items()}
update['$set'].update(attributes)
if alert.update_time:
update['$set']['updateTime'] = alert.update_time
if history:
update['$push'] = {'history': {'$each': [history.serialize],
'$slice': -abs(current_app.config['HISTORY_LIMIT'])}}
return self.get_db().alerts.find_one_and_update(query, update=update,
return_document=ReturnDocument.AFTER)
| dedup_alert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, alert, history):\n query = {'environment': alert.environment, 'resource': alert.resource,\n 'event': alert.event, 'severity': alert.severity, '... |
def x(self, alert, history):
query = {'environment': alert.environment, 'resource': alert.resource,
'$or': [{'event': alert.event, 'severity': {'$ne': alert.severity}},
{'event': {'$ne': alert.event}, 'correlate': alert.event}],
'customer': alert.customer}
update = {'$set': {'event': alert.event, 'severity': alert.severity,
'status': alert.status, 'service': alert.service, 'value': alert.
value, 'text': alert.text, 'createTime': alert.create_time,
'timeout': alert.timeout, 'rawData': alert.raw_data,
'duplicateCount': alert.duplicate_count, 'repeat': alert.repeat,
'previousSeverity': alert.previous_severity, 'trendIndication':
alert.trend_indication, 'receiveTime': alert.receive_time,
'lastReceiveId': alert.last_receive_id, 'lastReceiveTime': alert.
last_receive_time}, '$addToSet': {'tags': {'$each': alert.tags}},
'$push': {'history': {'$each': [h.serialize for h in history],
'$slice': -abs(current_app.config['HISTORY_LIMIT'])}}}
attributes = {('attributes.' + k): v for k, v in alert.attributes.items()}
update['$set'].update(attributes)
if alert.update_time:
update['$set']['updateTime'] = alert.update_time
return self.get_db().alerts.find_one_and_update(query, update=update,
return_document=ReturnDocument.AFTER)
| correlate_alert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, alert, history):\n query = {'environment': alert.environment, 'resource': alert.resource,\n '$or': [{'event': alert.event, 'severity': {'$ne': ... |
def x(self, id, status, timeout, update_time, history=None):
query = {'_id': {'$regex': '^' + id}}
update = {'$set': {'status': status, 'timeout': timeout, 'updateTime':
update_time}, '$push': {'history': {'$each': [history.serialize],
'$slice': -abs(current_app.config['HISTORY_LIMIT'])}}}
return self.get_db().alerts.find_one_and_update(query, update=update,
projection={'history': 0}, return_document=ReturnDocument.AFTER)
| set_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, status, timeout, update_time, history=None):\n query = {'_id': {'$regex': '^' + id}}\n update = {'$set': {'status': status, 'timeout': timeout,... |
def x(self, id, tags):
response = self.get_db().alerts.update_one({'_id': {'$regex': '^' + id}
}, {'$addToSet': {'tags': {'$each': tags}}})
return response.matched_count > 0
| tag_alert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, tags):\n response = self.get_db().alerts.update_one({'_id': {'$regex': '^' + id}\n }, {'$addToSet': {'tags': {'$each': tags}}})\n return... |
def x(self, id, old_attrs, new_attrs):
update = dict()
set_value = {('attributes.' + k): v for k, v in new_attrs.items() if v
is not None}
if set_value:
update['$set'] = set_value
unset_value = {('attributes.' + k): v for k, v in new_attrs.items() if
v is None}
if unset_value:
update['$unset'] = unset_value
if update:
response = self.get_db().alerts.update_one({'_id': {'$regex': '^' +
id}}, update=update)
return response.matched_count > 0
| update_attributes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, old_attrs, new_attrs):\n update = dict()\n set_value = {('attributes.' + k): v for k, v in new_attrs.items() if v\n is not None}\n i... |
def x(self, query=None):
query = query or Query()
return self.get_db().alerts.find(query.where).count()
| get_count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query=None):\n query = query or Query()\n return self.get_db().alerts.find(query.where).count()\n",
"role": "user"
},
{
"content": "get... |
def x(self, id, old_attrs, new_attrs):
from alerta.utils.collections import merge
merge(old_attrs, new_attrs)
attrs = {k: v for k, v in old_attrs.items() if v is not None}
update = {'$set': {'attributes': attrs}}
response = self.get_db().users.update_one({'_id': {'$regex': '^' + id}},
update=update)
return response.matched_count > 0
| update_user_attributes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, old_attrs, new_attrs):\n from alerta.utils.collections import merge\n merge(old_attrs, new_attrs)\n attrs = {k: v for k, v in old_attrs.item... |
def x(self) ->bool:
if not current_app.config['NOTIFICATION_BLACKOUT']:
if self.severity in current_app.config['BLACKOUT_ACCEPT']:
return False
return db.is_blackout_period(self)
| is_blackout | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->bool:\n if not current_app.config['NOTIFICATION_BLACKOUT']:\n if self.severity in current_app.config['BLACKOUT_ACCEPT']:\n return ... |
def x(self, alert, action, text, **kwargs):
BASE_URL = '{}/projects/{}'.format(GITLAB_URL, quote(GITLAB_PROJECT_ID,
safe=''))
if action == 'createIssue':
if 'issue_iid' not in alert.attributes:
url = BASE_URL + '/issues?title=' + alert.text
r = requests.post(url, headers=self.headers)
alert.attributes['issue_iid'] = r.json().get('iid', None)
alert.attributes['gitlabUrl'
] = '<a href="{}" target="_blank">Issue #{}</a>'.format(r.
json().get('web_url', None), r.json().get('iid', None))
elif action == 'updateIssue':
if 'issue_iid' in alert.attributes:
issue_iid = alert.attributes['issue_iid']
body = 'Update: ' + alert.text
url = BASE_URL + '/issues/{}/discussions?body={}'.format(issue_iid,
body)
r = requests.post(url, headers=self.headers)
return alert, action, text
| take_action | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, alert, action, text, **kwargs):\n BASE_URL = '{}/projects/{}'.format(GITLAB_URL, quote(GITLAB_PROJECT_ID,\n safe=''))\n if action == 'create... |
def x(func):
@wraps(func)
def x(*args, **kwargs):
callback = request.args.get('callback', False)
if callback:
data = str(func(*args, **kwargs).data)
content = str(callback) + '(' + data + ')'
mimetype = 'application/javascript'
return current_app.response_class(content, mimetype=mimetype)
else:
return func(*args, **kwargs)
return decorated
| jsonp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n @wraps(func)\n def x(*args, **kwargs):\n callback = request.args.get('callback', False)\n if callback:\n data = str(f... |
def x(self, alert, window=1800, count=2):
select = (
"""
SELECT COUNT(*)
FROM alerts, unnest(history) h
WHERE environment=%(environment)s
AND resource=%(resource)s
AND h.event=%(event)s
AND h.update_time > (NOW() at time zone 'utc' - INTERVAL '{window} seconds')
AND h.type='severity'
AND {customer}
"""
.format(window=window, customer='customer=%(customer)s' if alert.
customer else 'customer IS NULL'))
return self._fetchone(select, vars(alert)).count > count
| is_flapping | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, alert, window=1800, count=2):\n select = (\n \"\"\"\n SELECT COUNT(*)\n FROM alerts, unnest(history) h\n WH... |
def x(self, alert, history):
alert.history = history
update = (
"""
UPDATE alerts
SET status=%(status)s, service=%(service)s, value=%(value)s, text=%(text)s,
timeout=%(timeout)s, raw_data=%(raw_data)s, repeat=%(repeat)s,
last_receive_id=%(last_receive_id)s, last_receive_time=%(last_receive_time)s,
tags=ARRAY(SELECT DISTINCT UNNEST(tags || %(tags)s)), attributes=attributes || %(attributes)s,
duplicate_count=duplicate_count + 1, {update_time}, history=(%(history)s || history)[1:{limit}]
WHERE environment=%(environment)s
AND resource=%(resource)s
AND event=%(event)s
AND severity=%(severity)s
AND {customer}
RETURNING *
"""
.format(limit=current_app.config['HISTORY_LIMIT'], update_time=
'update_time=%(update_time)s' if alert.update_time else
'update_time=update_time', customer='customer=%(customer)s' if
alert.customer else 'customer IS NULL'))
return self._updateone(update, vars(alert), returning=True)
| dedup_alert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, alert, history):\n alert.history = history\n update = (\n \"\"\"\n UPDATE alerts\n SET status=%(status)s, service=%... |
def x(self, query, vars):
cursor = self.get_db().cursor()
self._log(cursor, query, vars)
cursor.execute(query, vars)
self.get_db().commit()
return cursor.fetchone()
| insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, vars):\n cursor = self.get_db().cursor()\n self._log(cursor, query, vars)\n cursor.execute(query, vars)\n self.get_db().commit()\n ... |
def x(self, query, vars):
cursor = self.get_db().cursor()
self._log(cursor, query, vars)
cursor.execute(query, vars)
return cursor.fetchone()
| fetchone | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, vars):\n cursor = self.get_db().cursor()\n self._log(cursor, query, vars)\n cursor.execute(query, vars)\n return cursor.fetchone()\n",... |
def x(self, query, vars, limit=None, offset=0):
if limit is None:
limit = current_app.config['DEFAULT_PAGE_SIZE']
query += ' LIMIT %s OFFSET %s' % (limit, offset)
cursor = self.get_db().cursor()
self._log(cursor, query, vars)
cursor.execute(query, vars)
return cursor.fetchall()
| fetchall | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, vars, limit=None, offset=0):\n if limit is None:\n limit = current_app.config['DEFAULT_PAGE_SIZE']\n query += ' LIMIT %s OFFSET %s' %... |
def x(self, query, vars, returning=False):
cursor = self.get_db().cursor()
self._log(cursor, query, vars)
cursor.execute(query, vars)
self.get_db().commit()
return cursor.fetchone() if returning else None
| updateone | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, vars, returning=False):\n cursor = self.get_db().cursor()\n self._log(cursor, query, vars)\n cursor.execute(query, vars)\n self.get_db... |
def x(self, query, vars, returning=False):
cursor = self.get_db().cursor()
self._log(cursor, query, vars)
cursor.execute(query, vars)
self.get_db().commit()
return cursor.fetchall() if returning else None
| updateall | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, vars, returning=False):\n cursor = self.get_db().cursor()\n self._log(cursor, query, vars)\n cursor.execute(query, vars)\n self.get_db... |
def x(cls, want_scope: str, have_scopes: List[Scope]) ->bool:
if not want_scope:
return True
if want_scope in have_scopes or want_scope.split(':')[0] in have_scopes:
return True
elif want_scope.startswith('read'):
return cls.is_in_scope(want_scope.replace('read', 'write'), have_scopes
)
elif want_scope.startswith('write'):
return cls.is_in_scope(want_scope.replace('write', 'admin'),
have_scopes)
else:
return False
| is_in_scope | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, want_scope: str, have_scopes: List[Scope]) ->bool:\n if not want_scope:\n return True\n if want_scope in have_scopes or want_scope.split(':')... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.