source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(data_header, array):
shape = tuple(r.size for r in data_header.section.range)
if shape:
return array.reshape(*shape)
else:
return array
|
reshape_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data_header, array):\n shape = tuple(r.size for r in data_header.section.range)\n if shape:\n return array.reshape(*shape)\n else:\n return array\n",
"role": "user"
},
{
"content": "reshape_array",
"role": "assistant"
}
] |
def x(datatype, unsigned=False):
basic_type = _dtypeLookup[datatype]
if datatype in (stream.STRING, stream.OPAQUE):
return np.dtype(basic_type)
if unsigned:
basic_type = basic_type.replace('i', 'u')
return np.dtype('=' + basic_type)
|
data_type_to_numpy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(datatype, unsigned=False):\n basic_type = _dtypeLookup[datatype]\n if datatype in (stream.STRING, stream.OPAQUE):\n return np.dtype(basic_type)\n if unsigned:\n basic_type = basic_type.replace('i', 'u')\n return np.dtype('=' + basic_type)\n",
"role": "user"
},
{
"content": "data_type_to_numpy",
"role": "assistant"
}
] |
def x(struct):
fields = [(str(var.name), data_type_to_numpy(var.dataType, var.unsigned
)) for var in struct.vars]
for s in struct.structs:
fields.append((str(s.name), struct_to_dtype(s)))
log.debug('Structure fields: %s', fields)
dt = np.dtype(fields)
return dt
|
struct_to_dtype
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(struct):\n fields = [(str(var.name), data_type_to_numpy(var.dataType, var.unsigned\n )) for var in struct.vars]\n for s in struct.structs:\n fields.append((str(s.name), struct_to_dtype(s)))\n log.debug('Structure fields: %s', fields)\n dt = np.dtype(fields)\n return dt\n",
"role": "user"
},
{
"content": "struct_to_dtype",
"role": "assistant"
}
] |
def x(var):
if var.dataType == stream.STRUCTURE:
return None, struct_to_dtype(var), 'Structure'
elif var.dataType == stream.SEQUENCE:
log.warning('Sequence support not implemented!')
dt = data_type_to_numpy(var.dataType, var.unsigned)
if var.dataType == stream.OPAQUE:
type_name = 'opaque'
elif var.dataType == stream.STRING:
type_name = 'string'
else:
type_name = dt.name
if var.data:
log.debug('Storing variable data: %s %s', dt, var.data)
if var.dataType == stream.STRING:
data = var.data
else:
data = np.frombuffer(var.data, dtype=dt.newbyteorder('>'))
else:
data = None
return data, dt, type_name
|
unpack_variable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(var):\n if var.dataType == stream.STRUCTURE:\n return None, struct_to_dtype(var), 'Structure'\n elif var.dataType == stream.SEQUENCE:\n log.warning('Sequence support not implemented!')\n dt = data_type_to_numpy(var.dataType, var.unsigned)\n if var.dataType == stream.OPAQUE:\n type_name = 'opaque'\n elif var.dataType == stream.STRING:\n type_name = 'string'\n else:\n type_name = dt.name\n if var.data:\n log.debug('Storing variable data: %s %s', dt, var.data)\n if var.dataType == stream.STRING:\n data = var.data\n else:\n data = np.frombuffer(var.data, dtype=dt.newbyteorder('>'))\n else:\n data = None\n return data, dt, type_name\n",
"role": "user"
},
{
"content": "unpack_variable",
"role": "assistant"
}
] |
def x(att):
if att.unsigned:
log.warning('Unsupported unsigned attribute!')
if att.len == 0:
val = None
elif att.dataType == stream.STRING:
val = att.sdata
elif att.dataType:
val = np.frombuffer(att.data, dtype='>' + _dtypeLookup[att.dataType
], count=att.len)
elif att.type:
val = np.frombuffer(att.data, dtype=_attrConverters[att.type],
count=att.len)
elif att.sdata:
val = att.sdata
else:
val = np.array(att.data, dtype=_dtypeLookup[att.dataType])
if att.len == 1:
val = val[0]
return att.name, val
|
unpack_attribute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(att):\n if att.unsigned:\n log.warning('Unsupported unsigned attribute!')\n if att.len == 0:\n val = None\n elif att.dataType == stream.STRING:\n val = att.sdata\n elif att.dataType:\n val = np.frombuffer(att.data, dtype='>' + _dtypeLookup[att.dataType\n ], count=att.len)\n elif att.type:\n val = np.frombuffer(att.data, dtype=_attrConverters[att.type],\n count=att.len)\n elif att.sdata:\n val = att.sdata\n else:\n val = np.array(att.data, dtype=_dtypeLookup[att.dataType])\n if att.len == 1:\n val = val[0]\n return att.name, val\n",
"role": "user"
},
{
"content": "unpack_attribute",
"role": "assistant"
}
] |
def x(file_obj):
val = 0
shift = 0
while True:
next_val = ord(file_obj.read(1))
val |= (next_val & 127) << shift
shift += 7
if not next_val & 128:
break
return val
|
read_var_int
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_obj):\n val = 0\n shift = 0\n while True:\n next_val = ord(file_obj.read(1))\n val |= (next_val & 127) << shift\n shift += 7\n if not next_val & 128:\n break\n return val\n",
"role": "user"
},
{
"content": "read_var_int",
"role": "assistant"
}
] |
def x(self, **var):
varstr = ','.join(name + self._convert_indices(ind) for name, ind in
var.items())
query = self.query().add_query_parameter(req='data', var=varstr)
return self._fetch(query)
|
fetch_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **var):\n varstr = ','.join(name + self._convert_indices(ind) for name, ind in\n var.items())\n query = self.query().add_query_parameter(req='data', var=varstr)\n return self._fetch(query)\n",
"role": "user"
},
{
"content": "fetch_data",
"role": "assistant"
}
] |
def x(self):
q = super(CDMRemote, self).query()
if self.deflate:
q.add_query_parameter(deflate=self.deflate)
return q
|
query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n q = super(CDMRemote, self).query()\n if self.deflate:\n q.add_query_parameter(deflate=self.deflate)\n return q\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
def x(func):
@wraps(func)
def x(*args, **kwargs):
response = func(*args, **kwargs)
if response.status_code == 401:
raise InvalidToken('Access token invalid or no longer valid')
else:
return response
return wrapper
|
check_token
|
[
{
"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 response = func(*args, **kwargs)\n if response.status_code == 401:\n raise InvalidToken('Access token invalid or no longer valid')\n else:\n return response\n return wrapper\n",
"role": "user"
},
{
"content": "check_token",
"role": "assistant"
}
] |
def x(self, remote_path, file_content, ondup=None, **kwargs):
params = {'path': remote_path, 'ondup': ondup}
files = {'file': ('file', file_content, '')}
url = 'https://c.pcs.baidu.com/rest/2.0/pcs/file'
return self._request('file', 'upload', url=url, extra_params=params,
files=files, **kwargs)
|
upload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, remote_path, file_content, ondup=None, **kwargs):\n params = {'path': remote_path, 'ondup': ondup}\n files = {'file': ('file', file_content, '')}\n url = 'https://c.pcs.baidu.com/rest/2.0/pcs/file'\n return self._request('file', 'upload', url=url, extra_params=params,\n files=files, **kwargs)\n",
"role": "user"
},
{
"content": "upload",
"role": "assistant"
}
] |
def x(self, file_content, **kwargs):
params = {'type': 'tmpfile'}
files = {'file': ('file', file_content, '')}
url = 'https://c.pcs.baidu.com/rest/2.0/pcs/file'
return self._request('file', 'upload', url=url, extra_params=params,
files=files, **kwargs)
|
upload_tmpfile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_content, **kwargs):\n params = {'type': 'tmpfile'}\n files = {'file': ('file', file_content, '')}\n url = 'https://c.pcs.baidu.com/rest/2.0/pcs/file'\n return self._request('file', 'upload', url=url, extra_params=params,\n files=files, **kwargs)\n",
"role": "user"
},
{
"content": "upload_tmpfile",
"role": "assistant"
}
] |
def x(self, remote_path, block_list, ondup=None, **kwargs):
params = {'path': remote_path, 'ondup': ondup}
data = {'param': json.dumps({'block_list': block_list})}
return self._request('file', 'createsuperfile', extra_params=params,
data=data, **kwargs)
|
upload_superfile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, remote_path, block_list, ondup=None, **kwargs):\n params = {'path': remote_path, 'ondup': ondup}\n data = {'param': json.dumps({'block_list': block_list})}\n return self._request('file', 'createsuperfile', extra_params=params,\n data=data, **kwargs)\n",
"role": "user"
},
{
"content": "upload_superfile",
"role": "assistant"
}
] |
def x(self, remote_path, **kwargs):
data = {'path': remote_path}
return self._request('file', 'mkdir', data=data, **kwargs)
|
mkdir
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, remote_path, **kwargs):\n data = {'path': remote_path}\n return self._request('file', 'mkdir', data=data, **kwargs)\n",
"role": "user"
},
{
"content": "mkdir",
"role": "assistant"
}
] |
def x(self, remote_path, **kwargs):
params = {'path': remote_path}
return self._request('file', 'meta', extra_params=params, **kwargs)
|
meta
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, remote_path, **kwargs):\n params = {'path': remote_path}\n return self._request('file', 'meta', extra_params=params, **kwargs)\n",
"role": "user"
},
{
"content": "meta",
"role": "assistant"
}
] |
def x(self, remote_path, by=None, order=None, limit=None, **kwargs):
params = {'path': remote_path, 'by': by, 'order': order, 'limit': limit}
return self._request('file', 'list', extra_params=params, **kwargs)
|
list_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, remote_path, by=None, order=None, limit=None, **kwargs):\n params = {'path': remote_path, 'by': by, 'order': order, 'limit': limit}\n return self._request('file', 'list', extra_params=params, **kwargs)\n",
"role": "user"
},
{
"content": "list_files",
"role": "assistant"
}
] |
def x(self, from_path, to_path, **kwargs):
data = {'from': from_path, 'to': to_path}
return self._request('file', 'move', data=data, **kwargs)
|
move
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, from_path, to_path, **kwargs):\n data = {'from': from_path, 'to': to_path}\n return self._request('file', 'move', data=data, **kwargs)\n",
"role": "user"
},
{
"content": "move",
"role": "assistant"
}
] |
def x(self, path_list, **kwargs):
data = {'param': json.dumps({'list': [{'from': x[0], 'to': x[1]} for x in
path_list]})}
return self._request('file', 'move', data=data, **kwargs)
|
multi_move
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path_list, **kwargs):\n data = {'param': json.dumps({'list': [{'from': x[0], 'to': x[1]} for x in\n path_list]})}\n return self._request('file', 'move', data=data, **kwargs)\n",
"role": "user"
},
{
"content": "multi_move",
"role": "assistant"
}
] |
def x(self, from_path, to_path, **kwargs):
data = {'from': from_path, 'to': to_path}
return self._request('file', 'copy', data=data, **kwargs)
|
copy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, from_path, to_path, **kwargs):\n data = {'from': from_path, 'to': to_path}\n return self._request('file', 'copy', data=data, **kwargs)\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(self, remote_path, **kwargs):
data = {'path': remote_path}
return self._request('file', 'delete', data=data, **kwargs)
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, remote_path, **kwargs):\n data = {'path': remote_path}\n return self._request('file', 'delete', data=data, **kwargs)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, path_list, **kwargs):
data = {'param': json.dumps({'list': [{'path': path} for path in
path_list]})}
return self._request('file', 'delete', data=data, **kwargs)
|
multi_delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path_list, **kwargs):\n data = {'param': json.dumps({'list': [{'path': path} for path in\n path_list]})}\n return self._request('file', 'delete', data=data, **kwargs)\n",
"role": "user"
},
{
"content": "multi_delete",
"role": "assistant"
}
] |
def x(self, remote_path, keyword, recurrent='0', **kwargs):
params = {'path': remote_path, 'wd': keyword, 're': recurrent}
return self._request('file', 'search', extra_params=params, **kwargs)
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, remote_path, keyword, recurrent='0', **kwargs):\n params = {'path': remote_path, 'wd': keyword, 're': recurrent}\n return self._request('file', 'search', extra_params=params, **kwargs)\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self, remote_path, height, width, quality=100, **kwargs):
params = {'path': remote_path, 'height': height, 'width': width,
'quality': quality}
return self._request('thumbnail', 'generate', extra_params=params, **kwargs
)
|
thumbnail
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, remote_path, height, width, quality=100, **kwargs):\n params = {'path': remote_path, 'height': height, 'width': width,\n 'quality': quality}\n return self._request('thumbnail', 'generate', extra_params=params, **kwargs\n )\n",
"role": "user"
},
{
"content": "thumbnail",
"role": "assistant"
}
] |
def x(self, cursor='null', **kwargs):
params = {'cursor': cursor}
return self._request('file', 'diff', extra_params=params, **kwargs)
|
diff
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cursor='null', **kwargs):\n params = {'cursor': cursor}\n return self._request('file', 'diff', extra_params=params, **kwargs)\n",
"role": "user"
},
{
"content": "diff",
"role": "assistant"
}
] |
def x(self, remote_path, video_type, **kwargs):
params = {'path': remote_path, 'type': video_type}
return self._request('file', 'streaming', extra_params=params, **kwargs)
|
video_convert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, remote_path, video_type, **kwargs):\n params = {'path': remote_path, 'type': video_type}\n return self._request('file', 'streaming', extra_params=params, **kwargs)\n",
"role": "user"
},
{
"content": "video_convert",
"role": "assistant"
}
] |
def x(self, file_type, start=0, limit=100, filter_path=None, **kwargs):
params = {'type': file_type, 'start': start, 'limit': limit,
'filter_path': filter_path}
return self._request('stream', 'list', extra_params=params, **kwargs)
|
list_streams
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_type, start=0, limit=100, filter_path=None, **kwargs):\n params = {'type': file_type, 'start': start, 'limit': limit,\n 'filter_path': filter_path}\n return self._request('stream', 'list', extra_params=params, **kwargs)\n",
"role": "user"
},
{
"content": "list_streams",
"role": "assistant"
}
] |
def x(self, remote_path, **kwargs):
params = {'path': remote_path}
url = 'https://d.pcs.baidu.com/rest/2.0/pcs/file'
return self._request('stream', 'download', url=url, extra_params=params,
**kwargs)
|
download_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, remote_path, **kwargs):\n params = {'path': remote_path}\n url = 'https://d.pcs.baidu.com/rest/2.0/pcs/file'\n return self._request('stream', 'download', url=url, extra_params=params,\n **kwargs)\n",
"role": "user"
},
{
"content": "download_stream",
"role": "assistant"
}
] |
def x(self, remote_path, content_length, content_md5, content_crc32,
slice_md5, ondup=None, **kwargs):
data = {'path': remote_path, 'content-length': content_length,
'content-md5': content_md5, 'content-crc32': content_crc32,
'slice-md5': slice_md5, 'ondup': ondup}
return self._request('file', 'rapidupload', data=data, **kwargs)
|
rapid_upload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, remote_path, content_length, content_md5, content_crc32,\n slice_md5, ondup=None, **kwargs):\n data = {'path': remote_path, 'content-length': content_length,\n 'content-md5': content_md5, 'content-crc32': content_crc32,\n 'slice-md5': slice_md5, 'ondup': ondup}\n return self._request('file', 'rapidupload', data=data, **kwargs)\n",
"role": "user"
},
{
"content": "rapid_upload",
"role": "assistant"
}
] |
def x(self, source_url, remote_path, rate_limit=None, timeout=60 * 60,
expires=None, callback='', **kwargs):
data = {'source_url': source_url, 'save_path': remote_path, 'expires':
expires, 'rate_limit': rate_limit, 'timeout': timeout, 'callback':
callback}
return self._request('services/cloud_dl', 'add_task', data=data, **kwargs)
|
add_download_task
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_url, remote_path, rate_limit=None, timeout=60 * 60,\n expires=None, callback='', **kwargs):\n data = {'source_url': source_url, 'save_path': remote_path, 'expires':\n expires, 'rate_limit': rate_limit, 'timeout': timeout, 'callback':\n callback}\n return self._request('services/cloud_dl', 'add_task', data=data, **kwargs)\n",
"role": "user"
},
{
"content": "add_download_task",
"role": "assistant"
}
] |
def x(self, task_ids, operate_type=1, expires=None, **kwargs):
params = {'task_ids': ','.join(map(str, task_ids)), 'op_type':
operate_type, 'expires': expires}
return self._request('services/cloud_dl', 'query_task', extra_params=
params, **kwargs)
|
query_download_tasks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, task_ids, operate_type=1, expires=None, **kwargs):\n params = {'task_ids': ','.join(map(str, task_ids)), 'op_type':\n operate_type, 'expires': expires}\n return self._request('services/cloud_dl', 'query_task', extra_params=\n params, **kwargs)\n",
"role": "user"
},
{
"content": "query_download_tasks",
"role": "assistant"
}
] |
def x(self, need_task_info=1, start=0, limit=10, asc=0, create_time=None,
status=None, source_url=None, remote_path=None, expires=None, **kwargs):
data = {'expires': expires, 'start': start, 'limit': limit, 'asc': asc,
'source_url': source_url, 'save_path': remote_path, 'create_time':
create_time, 'status': status, 'need_task_info': need_task_info}
return self._request('services/cloud_dl', 'list_task', data=data, **kwargs)
|
list_download_tasks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, need_task_info=1, start=0, limit=10, asc=0, create_time=None,\n status=None, source_url=None, remote_path=None, expires=None, **kwargs):\n data = {'expires': expires, 'start': start, 'limit': limit, 'asc': asc,\n 'source_url': source_url, 'save_path': remote_path, 'create_time':\n create_time, 'status': status, 'need_task_info': need_task_info}\n return self._request('services/cloud_dl', 'list_task', data=data, **kwargs)\n",
"role": "user"
},
{
"content": "list_download_tasks",
"role": "assistant"
}
] |
def x(self, task_id, expires=None, **kwargs):
data = {'expires': expires, 'task_id': task_id}
return self._request('services/cloud_dl', 'cancle_task', data=data, **
kwargs)
|
cancel_download_task
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, task_id, expires=None, **kwargs):\n data = {'expires': expires, 'task_id': task_id}\n return self._request('services/cloud_dl', 'cancle_task', data=data, **\n kwargs)\n",
"role": "user"
},
{
"content": "cancel_download_task",
"role": "assistant"
}
] |
def x(self, start=0, limit=1000, **kwargs):
params = {'start': start, 'limit': limit}
return self._request('file', 'listrecycle', extra_params=params, **kwargs)
|
list_recycle_bin
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start=0, limit=1000, **kwargs):\n params = {'start': start, 'limit': limit}\n return self._request('file', 'listrecycle', extra_params=params, **kwargs)\n",
"role": "user"
},
{
"content": "list_recycle_bin",
"role": "assistant"
}
] |
def x(self, fs_id, **kwargs):
data = {'fs_id': fs_id}
return self._request('file', 'restore', data=data, **kwargs)
|
restore_recycle_bin
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fs_id, **kwargs):\n data = {'fs_id': fs_id}\n return self._request('file', 'restore', data=data, **kwargs)\n",
"role": "user"
},
{
"content": "restore_recycle_bin",
"role": "assistant"
}
] |
def x(self, fs_ids, **kwargs):
data = {'param': json.dumps({'list': [{'fs_id': fs_id} for fs_id in
fs_ids]})}
return self._request('file', 'restore', data=data, **kwargs)
|
multi_restore_recycle_bin
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fs_ids, **kwargs):\n data = {'param': json.dumps({'list': [{'fs_id': fs_id} for fs_id in\n fs_ids]})}\n return self._request('file', 'restore', data=data, **kwargs)\n",
"role": "user"
},
{
"content": "multi_restore_recycle_bin",
"role": "assistant"
}
] |
def x(refresh_token, client_id, client_secret, scope=None, **kwargs):
data = {'grant_type': 'refresh_token', 'refresh_token': refresh_token,
'client_id': client_id, 'client_secret': client_secret}
if scope:
data['scope'] = scope
url = 'https://openapi.baidu.com/oauth/2.0/token'
return requests.post(url, data=data)
|
get_new_access_token
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(refresh_token, client_id, client_secret, scope=None, **kwargs):\n data = {'grant_type': 'refresh_token', 'refresh_token': refresh_token,\n 'client_id': client_id, 'client_secret': client_secret}\n if scope:\n data['scope'] = scope\n url = 'https://openapi.baidu.com/oauth/2.0/token'\n return requests.post(url, data=data)\n",
"role": "user"
},
{
"content": "get_new_access_token",
"role": "assistant"
}
] |
def x(self):
if os.path.exists(self._cookieFileName):
with open(self._cookieFileName, 'r') as cookieFile:
self._vid = cookieFile.read().strip()
try:
self._get_installations()
except ResponseError:
self._vid = None
os.remove(self._cookieFileName)
if self._vid is None:
self._create_cookie()
with open(self._cookieFileName, 'w') as cookieFile:
cookieFile.write(self._vid)
self._get_installations()
self._giid = self.installations[0]['giid']
|
login
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if os.path.exists(self._cookieFileName):\n with open(self._cookieFileName, 'r') as cookieFile:\n self._vid = cookieFile.read().strip()\n try:\n self._get_installations()\n except ResponseError:\n self._vid = None\n os.remove(self._cookieFileName)\n if self._vid is None:\n self._create_cookie()\n with open(self._cookieFileName, 'w') as cookieFile:\n cookieFile.write(self._vid)\n self._get_installations()\n self._giid = self.installations[0]['giid']\n",
"role": "user"
},
{
"content": "login",
"role": "assistant"
}
] |
def x(self):
response = None
for base_url in urls.BASE_URLS:
urls.BASE_URL = base_url
try:
response = requests.get(urls.get_installations(self._username),
headers={'Cookie': 'vid={}'.format(self._vid), 'Accept':
'application/json,text/javascript, */*; q=0.01'})
if 2 == response.status_code // 100:
break
elif 503 == response.status_code:
continue
else:
raise ResponseError(response.status_code, response.text)
except requests.exceptions.RequestException as ex:
raise RequestError(ex)
_validate_response(response)
self.installations = json.loads(response.text)
|
get_installations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = None\n for base_url in urls.BASE_URLS:\n urls.BASE_URL = base_url\n try:\n response = requests.get(urls.get_installations(self._username),\n headers={'Cookie': 'vid={}'.format(self._vid), 'Accept':\n 'application/json,text/javascript, */*; q=0.01'})\n if 2 == response.status_code // 100:\n break\n elif 503 == response.status_code:\n continue\n else:\n raise ResponseError(response.status_code, response.text)\n except requests.exceptions.RequestException as ex:\n raise RequestError(ex)\n _validate_response(response)\n self.installations = json.loads(response.text)\n",
"role": "user"
},
{
"content": "get_installations",
"role": "assistant"
}
] |
def x(self):
response = None
try:
response = requests.get(urls.overview(self._giid), headers={
'Accept': 'application/json, text/javascript, */*; q=0.01',
'Accept-Encoding': 'gzip, deflate', 'Content-Type':
'application/json', 'Cookie': 'vid={}'.format(self._vid)})
except requests.exceptions.RequestException as ex:
raise RequestError(ex)
_validate_response(response)
return json.loads(response.text)
|
get_overview
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = None\n try:\n response = requests.get(urls.overview(self._giid), headers={\n 'Accept': 'application/json, text/javascript, */*; q=0.01',\n 'Accept-Encoding': 'gzip, deflate', 'Content-Type':\n 'application/json', 'Cookie': 'vid={}'.format(self._vid)})\n except requests.exceptions.RequestException as ex:\n raise RequestError(ex)\n _validate_response(response)\n return json.loads(response.text)\n",
"role": "user"
},
{
"content": "get_overview",
"role": "assistant"
}
] |
def x(self, device_label, state):
response = None
try:
response = requests.post(urls.smartplug(self._giid), headers={
'Content-Type': 'application/json', 'Cookie': 'vid={}'.format(
self._vid)}, data=json.dumps([{'deviceLabel': device_label,
'state': state}]))
except requests.exceptions.RequestException as ex:
raise RequestError(ex)
_validate_response(response)
|
set_smartplug_state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, device_label, state):\n response = None\n try:\n response = requests.post(urls.smartplug(self._giid), headers={\n 'Content-Type': 'application/json', 'Cookie': 'vid={}'.format(\n self._vid)}, data=json.dumps([{'deviceLabel': device_label,\n 'state': state}]))\n except requests.exceptions.RequestException as ex:\n raise RequestError(ex)\n _validate_response(response)\n",
"role": "user"
},
{
"content": "set_smartplug_state",
"role": "assistant"
}
] |
def x(self, filters=(), pagesize=15, offset=0):
response = None
try:
response = requests.get(urls.history(self._giid), headers={'Accept':
'application/json, text/javascript, */*; q=0.01', 'Cookie':
'vid={}'.format(self._vid)}, params={'offset': int(offset),
'pagesize': int(pagesize), 'notificationCategories': filters})
except requests.exceptions.RequestException as ex:
raise RequestError(ex)
_validate_response(response)
return json.loads(response.text)
|
get_history
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filters=(), pagesize=15, offset=0):\n response = None\n try:\n response = requests.get(urls.history(self._giid), headers={'Accept':\n 'application/json, text/javascript, */*; q=0.01', 'Cookie':\n 'vid={}'.format(self._vid)}, params={'offset': int(offset),\n 'pagesize': int(pagesize), 'notificationCategories': filters})\n except requests.exceptions.RequestException as ex:\n raise RequestError(ex)\n _validate_response(response)\n return json.loads(response.text)\n",
"role": "user"
},
{
"content": "get_history",
"role": "assistant"
}
] |
def x(self, device_label):
response = None
try:
response = requests.get(urls.climate(self._giid), headers={'Accept':
'application/json, text/javascript, */*; q=0.01', 'Cookie':
'vid={}'.format(self._vid)}, params={'deviceLabel': device_label})
except requests.exceptions.RequestException as ex:
raise RequestError(ex)
_validate_response(response)
return json.loads(response.text)
|
get_climate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, device_label):\n response = None\n try:\n response = requests.get(urls.climate(self._giid), headers={'Accept':\n 'application/json, text/javascript, */*; q=0.01', 'Cookie':\n 'vid={}'.format(self._vid)}, params={'deviceLabel': device_label})\n except requests.exceptions.RequestException as ex:\n raise RequestError(ex)\n _validate_response(response)\n return json.loads(response.text)\n",
"role": "user"
},
{
"content": "get_climate",
"role": "assistant"
}
] |
def x(self, code, device_label, state):
response = None
try:
response = requests.put(urls.set_lockstate(self._giid, device_label,
state), headers={'Accept':
'application/json, text/javascript, */*; q=0.01',
'Content-Type': 'application/json', 'Cookie': 'vid={}'.format(
self._vid)}, data=json.dumps({'code': str(code)}))
except requests.exceptions.RequestException as ex:
raise RequestError(ex)
_validate_response(response)
return json.loads(response.text)
|
set_lock_state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, code, device_label, state):\n response = None\n try:\n response = requests.put(urls.set_lockstate(self._giid, device_label,\n state), headers={'Accept':\n 'application/json, text/javascript, */*; q=0.01',\n 'Content-Type': 'application/json', 'Cookie': 'vid={}'.format(\n self._vid)}, data=json.dumps({'code': str(code)}))\n except requests.exceptions.RequestException as ex:\n raise RequestError(ex)\n _validate_response(response)\n return json.loads(response.text)\n",
"role": "user"
},
{
"content": "set_lock_state",
"role": "assistant"
}
] |
def x(self, transaction_id):
response = None
try:
response = requests.get(urls.get_lockstate_transaction(self._giid,
transaction_id), headers={'Accept':
'application/json, text/javascript, */*; q=0.01', 'Cookie':
'vid={}'.format(self._vid)})
except requests.exceptions.RequestException as ex:
raise RequestError(ex)
_validate_response(response)
return json.loads(response.text)
|
get_lock_state_transaction
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, transaction_id):\n response = None\n try:\n response = requests.get(urls.get_lockstate_transaction(self._giid,\n transaction_id), headers={'Accept':\n 'application/json, text/javascript, */*; q=0.01', 'Cookie':\n 'vid={}'.format(self._vid)})\n except requests.exceptions.RequestException as ex:\n raise RequestError(ex)\n _validate_response(response)\n return json.loads(response.text)\n",
"role": "user"
},
{
"content": "get_lock_state_transaction",
"role": "assistant"
}
] |
def x(self, device_label):
response = None
try:
response = requests.get(urls.lockconfig(self._giid, device_label),
headers={'Accept':
'application/json, text/javascript, */*; q=0.01', 'Cookie':
'vid={}'.format(self._vid)})
except requests.exceptions.RequestException as ex:
raise RequestError(ex)
_validate_response(response)
return json.loads(response.text)
|
get_lock_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, device_label):\n response = None\n try:\n response = requests.get(urls.lockconfig(self._giid, device_label),\n headers={'Accept':\n 'application/json, text/javascript, */*; q=0.01', 'Cookie':\n 'vid={}'.format(self._vid)})\n except requests.exceptions.RequestException as ex:\n raise RequestError(ex)\n _validate_response(response)\n return json.loads(response.text)\n",
"role": "user"
},
{
"content": "get_lock_config",
"role": "assistant"
}
] |
def x(self, device_label, volume=None, voice_level=None, auto_lock_enabled=None
):
response = None
data = {}
if volume:
data['volume'] = volume
if voice_level:
data['voiceLevel'] = voice_level
if auto_lock_enabled is not None:
data['autoLockEnabled'] = auto_lock_enabled
try:
response = requests.put(urls.lockconfig(self._giid, device_label),
headers={'Content-Type': 'application/json', 'Cookie': 'vid={}'
.format(self._vid)}, data=json.dumps(data))
except requests.exceptions.RequestException as ex:
raise RequestError(ex)
_validate_response(response)
|
set_lock_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, device_label, volume=None, voice_level=None, auto_lock_enabled=None\n ):\n response = None\n data = {}\n if volume:\n data['volume'] = volume\n if voice_level:\n data['voiceLevel'] = voice_level\n if auto_lock_enabled is not None:\n data['autoLockEnabled'] = auto_lock_enabled\n try:\n response = requests.put(urls.lockconfig(self._giid, device_label),\n headers={'Content-Type': 'application/json', 'Cookie': 'vid={}'\n .format(self._vid)}, data=json.dumps(data))\n except requests.exceptions.RequestException as ex:\n raise RequestError(ex)\n _validate_response(response)\n",
"role": "user"
},
{
"content": "set_lock_config",
"role": "assistant"
}
] |
def x(self, device_label):
response = None
try:
response = requests.post(urls.imagecapture(self._giid, device_label
), headers={'Content-Type': 'application/json', 'Cookie':
'vid={}'.format(self._vid)})
except requests.exceptions.RequestException as ex:
raise RequestError(ex)
_validate_response(response)
|
capture_image
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, device_label):\n response = None\n try:\n response = requests.post(urls.imagecapture(self._giid, device_label\n ), headers={'Content-Type': 'application/json', 'Cookie':\n 'vid={}'.format(self._vid)})\n except requests.exceptions.RequestException as ex:\n raise RequestError(ex)\n _validate_response(response)\n",
"role": "user"
},
{
"content": "capture_image",
"role": "assistant"
}
] |
def x(self, number_of_imageseries=10, offset=0):
response = None
try:
response = requests.get(urls.get_imageseries(self._giid), headers={
'Accept': 'application/json, text/javascript, */*; q=0.01',
'Cookie': 'vid={}'.format(self._vid)}, params={
'numberOfImageSeries': int(number_of_imageseries), 'offset':
int(offset), 'fromDate': '', 'toDate': '', 'onlyNotViewed': '',
'_': self._giid})
except requests.exceptions.RequestException as ex:
raise RequestError(ex)
_validate_response(response)
return json.loads(response.text)
|
get_camera_imageseries
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, number_of_imageseries=10, offset=0):\n response = None\n try:\n response = requests.get(urls.get_imageseries(self._giid), headers={\n 'Accept': 'application/json, text/javascript, */*; q=0.01',\n 'Cookie': 'vid={}'.format(self._vid)}, params={\n 'numberOfImageSeries': int(number_of_imageseries), 'offset':\n int(offset), 'fromDate': '', 'toDate': '', 'onlyNotViewed': '',\n '_': self._giid})\n except requests.exceptions.RequestException as ex:\n raise RequestError(ex)\n _validate_response(response)\n return json.loads(response.text)\n",
"role": "user"
},
{
"content": "get_camera_imageseries",
"role": "assistant"
}
] |
def x(self, device_label, image_id, file_name):
response = None
try:
response = requests.get(urls.download_image(self._giid,
device_label, image_id), headers={'Cookie': 'vid={}'.format(
self._vid)}, stream=True)
except requests.exceptions.RequestException as ex:
raise RequestError(ex)
_validate_response(response)
with open(file_name, 'wb') as image_file:
for chunk in response.iter_content(chunk_size=1024):
if chunk:
image_file.write(chunk)
|
download_image
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, device_label, image_id, file_name):\n response = None\n try:\n response = requests.get(urls.download_image(self._giid,\n device_label, image_id), headers={'Cookie': 'vid={}'.format(\n self._vid)}, stream=True)\n except requests.exceptions.RequestException as ex:\n raise RequestError(ex)\n _validate_response(response)\n with open(file_name, 'wb') as image_file:\n for chunk in response.iter_content(chunk_size=1024):\n if chunk:\n image_file.write(chunk)\n",
"role": "user"
},
{
"content": "download_image",
"role": "assistant"
}
] |
def x(self):
response = None
try:
response = requests.delete(urls.login(), headers={'Cookie':
'vid={}'.format(self._vid)})
except requests.exceptions.RequestException as ex:
raise RequestError(ex)
_validate_response(response)
|
logout
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = None\n try:\n response = requests.delete(urls.login(), headers={'Cookie':\n 'vid={}'.format(self._vid)})\n except requests.exceptions.RequestException as ex:\n raise RequestError(ex)\n _validate_response(response)\n",
"role": "user"
},
{
"content": "logout",
"role": "assistant"
}
] |
def x(self, device_label, mode):
response = None
try:
response = requests.put(urls.set_heatpump_state(self._giid,
device_label), headers={'Accept': 'application/json',
'Content-Type': 'application/json', 'Cookie': 'vid={}'.format(
self._vid)}, data=json.dumps({'mode': mode}))
except requests.exceptions.RequestException as ex:
raise RequestError(ex)
_validate_response(response)
return json.loads(response.text)
|
set_heat_pump_mode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, device_label, mode):\n response = None\n try:\n response = requests.put(urls.set_heatpump_state(self._giid,\n device_label), headers={'Accept': 'application/json',\n 'Content-Type': 'application/json', 'Cookie': 'vid={}'.format(\n self._vid)}, data=json.dumps({'mode': mode}))\n except requests.exceptions.RequestException as ex:\n raise RequestError(ex)\n _validate_response(response)\n return json.loads(response.text)\n",
"role": "user"
},
{
"content": "set_heat_pump_mode",
"role": "assistant"
}
] |
def x(self, device_label, feature):
response = None
try:
response = requests.put(urls.set_heatpump_feature(self._giid,
device_label, feature), headers={'Accept': 'application/json',
'Content-Type': 'application/json', 'Cookie': 'vid={}'.format(
self._vid)})
except requests.exceptions.RequestException as ex:
raise RequestError(ex)
_validate_response(response)
return json.loads(response.text)
|
set_heat_pump_feature
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, device_label, feature):\n response = None\n try:\n response = requests.put(urls.set_heatpump_feature(self._giid,\n device_label, feature), headers={'Accept': 'application/json',\n 'Content-Type': 'application/json', 'Cookie': 'vid={}'.format(\n self._vid)})\n except requests.exceptions.RequestException as ex:\n raise RequestError(ex)\n _validate_response(response)\n return json.loads(response.text)\n",
"role": "user"
},
{
"content": "set_heat_pump_feature",
"role": "assistant"
}
] |
def x(overview, *names):
if names:
for name in names:
toprint = overview
for part in name.split('/'):
toprint = toprint[part]
print(json.dumps(toprint, indent=4, separators=(',', ': ')))
else:
print(json.dumps(overview, indent=4, separators=(',', ': ')))
|
print_result
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(overview, *names):\n if names:\n for name in names:\n toprint = overview\n for part in name.split('/'):\n toprint = toprint[part]\n print(json.dumps(toprint, indent=4, separators=(',', ': ')))\n else:\n print(json.dumps(overview, indent=4, separators=(',', ': ')))\n",
"role": "user"
},
{
"content": "print_result",
"role": "assistant"
}
] |
def x():
parser = argparse.ArgumentParser(description=
'Read or change status of verisure devices')
parser.add_argument('username', help='MyPages username')
parser.add_argument('password', help='MyPages password')
parser.add_argument('-i', '--installation', help='Installation number',
type=int, default=1)
parser.add_argument('-c', '--cookie', help='File to store cookie in',
default='~/.verisure-cookie')
commandsparser = parser.add_subparsers(help='commands', dest='command')
commandsparser.add_parser(COMMAND_INSTALLATIONS, help=
'Get information about installations')
overview_parser = commandsparser.add_parser(COMMAND_OVERVIEW, help=
'Read status of one or many device types')
overview_parser.add_argument('filter', nargs='*', help=
'Read status for device type')
commandsparser.add_parser(COMMAND_ARMSTATE, help='Get arm state')
set_parser = commandsparser.add_parser(COMMAND_SET, help=
'Set status of a device')
set_device = set_parser.add_subparsers(help='device', dest='device')
set_smartplug = set_device.add_parser('smartplug', help=
'set smartplug value')
set_smartplug.add_argument('device_label', help='device label')
set_smartplug.add_argument('new_value', choices=['on', 'off'], help=
'new value')
set_alarm = set_device.add_parser('alarm', help='set alarm status')
set_alarm.add_argument('code', help='alarm code')
set_alarm.add_argument('new_status', choices=['ARMED_HOME',
'ARMED_AWAY', 'DISARMED'], help='new status')
set_lock = set_device.add_parser('lock', help='set lock status')
set_lock.add_argument('code', help='alarm code')
set_lock.add_argument('serial_number', help='serial number')
set_lock.add_argument('new_status', choices=['lock', 'unlock'], help=
'new status')
history_climate = commandsparser.add_parser(COMMAND_CLIMATE, help=
'get climate history')
history_climate.add_argument('device_label', help='device label')
eventlog_parser = commandsparser.add_parser(COMMAND_EVENTLOG, help=
'Get event log')
eventlog_parser.add_argument('-p', '--pagesize', type=int, default=15,
help='Number of elements on one page')
eventlog_parser.add_argument('-o', '--offset', type=int, default=0,
help='Page offset')
eventlog_parser.add_argument('-f', '--filter', nargs='*', default=[],
choices=['ARM', 'DISARM', 'FIRE', 'INTRUSION', 'TECHNICAL', 'SOS',
'WARNING', 'LOCK', 'UNLOCK'], help='Filter event log')
capture_parser = commandsparser.add_parser(COMMAND_CAPTURE, help=
'Capture image')
capture_parser.add_argument('device_label', help='Device label')
commandsparser.add_parser(COMMAND_IMAGESERIES, help='Get image series')
getimage_parser = commandsparser.add_parser(COMMAND_GETIMAGE, help=
'Download image')
getimage_parser.add_argument('device_label', help='Device label')
getimage_parser.add_argument('image_id', help='image ID')
getimage_parser.add_argument('file_name', help='Output file name')
commandsparser.add_parser(COMMAND_VACATIONMODE, help=
'Get vacation mode info')
commandsparser.add_parser(COMMAND_DOOR_WINDOW, help=
'Get door/window status')
commandsparser.add_parser(COMMAND_TEST_ETHERNET, help=
'Update ethernet status')
args = parser.parse_args()
session = verisure.Session(args.username, args.password, args.cookie)
session.login()
try:
session.set_giid(session.installations[args.installation - 1]['giid'])
if args.command == COMMAND_INSTALLATIONS:
print_result(session.installations)
if args.command == COMMAND_OVERVIEW:
print_result(session.get_overview(), *args.filter)
if args.command == COMMAND_ARMSTATE:
print_result(session.get_arm_state())
if args.command == COMMAND_SET:
if args.device == 'smartplug':
session.set_smartplug_state(args.device_label, args.
new_value == 'on')
if args.device == 'alarm':
print_result(session.set_arm_state(args.code, args.new_status))
if args.device == 'lock':
print_result(session.set_lock_state(args.code, args.
serial_number, args.new_status))
if args.command == COMMAND_CLIMATE:
print_result(session.get_climate(args.device_label))
if args.command == COMMAND_EVENTLOG:
print_result(session.get_history(args.filter, pagesize=args.
pagesize, offset=args.offset))
if args.command == COMMAND_CAPTURE:
session.capture_image(args.device_label)
if args.command == COMMAND_IMAGESERIES:
print_result(session.get_camera_imageseries())
if args.command == COMMAND_GETIMAGE:
session.download_image(args.device_label, args.image_id, args.
file_name)
if args.command == COMMAND_VACATIONMODE:
print_result(session.get_vacation_mode())
if args.command == COMMAND_DOOR_WINDOW:
print_result(session.get_door_window())
if args.command == COMMAND_TEST_ETHERNET:
session.test_ethernet()
except verisure.session.ResponseError as ex:
print(ex.text)
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = argparse.ArgumentParser(description=\n 'Read or change status of verisure devices')\n parser.add_argument('username', help='MyPages username')\n parser.add_argument('password', help='MyPages password')\n parser.add_argument('-i', '--installation', help='Installation number',\n type=int, default=1)\n parser.add_argument('-c', '--cookie', help='File to store cookie in',\n default='~/.verisure-cookie')\n commandsparser = parser.add_subparsers(help='commands', dest='command')\n commandsparser.add_parser(COMMAND_INSTALLATIONS, help=\n 'Get information about installations')\n overview_parser = commandsparser.add_parser(COMMAND_OVERVIEW, help=\n 'Read status of one or many device types')\n overview_parser.add_argument('filter', nargs='*', help=\n 'Read status for device type')\n commandsparser.add_parser(COMMAND_ARMSTATE, help='Get arm state')\n set_parser = commandsparser.add_parser(COMMAND_SET, help=\n 'Set status of a device')\n set_device = set_parser.add_subparsers(help='device', dest='device')\n set_smartplug = set_device.add_parser('smartplug', help=\n 'set smartplug value')\n set_smartplug.add_argument('device_label', help='device label')\n set_smartplug.add_argument('new_value', choices=['on', 'off'], help=\n 'new value')\n set_alarm = set_device.add_parser('alarm', help='set alarm status')\n set_alarm.add_argument('code', help='alarm code')\n set_alarm.add_argument('new_status', choices=['ARMED_HOME',\n 'ARMED_AWAY', 'DISARMED'], help='new status')\n set_lock = set_device.add_parser('lock', help='set lock status')\n set_lock.add_argument('code', help='alarm code')\n set_lock.add_argument('serial_number', help='serial number')\n set_lock.add_argument('new_status', choices=['lock', 'unlock'], help=\n 'new status')\n history_climate = commandsparser.add_parser(COMMAND_CLIMATE, help=\n 'get climate history')\n history_climate.add_argument('device_label', help='device label')\n eventlog_parser = commandsparser.add_parser(COMMAND_EVENTLOG, help=\n 'Get event log')\n eventlog_parser.add_argument('-p', '--pagesize', type=int, default=15,\n help='Number of elements on one page')\n eventlog_parser.add_argument('-o', '--offset', type=int, default=0,\n help='Page offset')\n eventlog_parser.add_argument('-f', '--filter', nargs='*', default=[],\n choices=['ARM', 'DISARM', 'FIRE', 'INTRUSION', 'TECHNICAL', 'SOS',\n 'WARNING', 'LOCK', 'UNLOCK'], help='Filter event log')\n capture_parser = commandsparser.add_parser(COMMAND_CAPTURE, help=\n 'Capture image')\n capture_parser.add_argument('device_label', help='Device label')\n commandsparser.add_parser(COMMAND_IMAGESERIES, help='Get image series')\n getimage_parser = commandsparser.add_parser(COMMAND_GETIMAGE, help=\n 'Download image')\n getimage_parser.add_argument('device_label', help='Device label')\n getimage_parser.add_argument('image_id', help='image ID')\n getimage_parser.add_argument('file_name', help='Output file name')\n commandsparser.add_parser(COMMAND_VACATIONMODE, help=\n 'Get vacation mode info')\n commandsparser.add_parser(COMMAND_DOOR_WINDOW, help=\n 'Get door/window status')\n commandsparser.add_parser(COMMAND_TEST_ETHERNET, help=\n 'Update ethernet status')\n args = parser.parse_args()\n session = verisure.Session(args.username, args.password, args.cookie)\n session.login()\n try:\n session.set_giid(session.installations[args.installation - 1]['giid'])\n if args.command == COMMAND_INSTALLATIONS:\n print_result(session.installations)\n if args.command == COMMAND_OVERVIEW:\n print_result(session.get_overview(), *args.filter)\n if args.command == COMMAND_ARMSTATE:\n print_result(session.get_arm_state())\n if args.command == COMMAND_SET:\n if args.device == 'smartplug':\n session.set_smartplug_state(args.device_label, args.\n new_value == 'on')\n if args.device == 'alarm':\n print_result(session.set_arm_state(args.code, args.new_status))\n if args.device == 'lock':\n print_result(session.set_lock_state(args.code, args.\n serial_number, args.new_status))\n if args.command == COMMAND_CLIMATE:\n print_result(session.get_climate(args.device_label))\n if args.command == COMMAND_EVENTLOG:\n print_result(session.get_history(args.filter, pagesize=args.\n pagesize, offset=args.offset))\n if args.command == COMMAND_CAPTURE:\n session.capture_image(args.device_label)\n if args.command == COMMAND_IMAGESERIES:\n print_result(session.get_camera_imageseries())\n if args.command == COMMAND_GETIMAGE:\n session.download_image(args.device_label, args.image_id, args.\n file_name)\n if args.command == COMMAND_VACATIONMODE:\n print_result(session.get_vacation_mode())\n if args.command == COMMAND_DOOR_WINDOW:\n print_result(session.get_door_window())\n if args.command == COMMAND_TEST_ETHERNET:\n session.test_ethernet()\n except verisure.session.ResponseError as ex:\n print(ex.text)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self):
try:
return ContentType.objects.get_for_model(self.model,
for_concrete_model=False).id
except DatabaseError as e:
raise DatabaseError(
'Unable to fetch ContentType object, is a plugin being registered before the initial syncdb? (original error: {0})'
.format(str(e)))
|
type_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return ContentType.objects.get_for_model(self.model,\n for_concrete_model=False).id\n except DatabaseError as e:\n raise DatabaseError(\n 'Unable to fetch ContentType object, is a plugin being registered before the initial syncdb? (original error: {0})'\n .format(str(e)))\n",
"role": "user"
},
{
"content": "type_id",
"role": "assistant"
}
] |
def x(self, placeholder_name, instance):
cachekey = self.get_output_cache_base_key(placeholder_name, instance)
if self.cache_output_per_site:
cachekey = '{0}-s{1}'.format(cachekey, settings.SITE_ID)
if self.cache_output_per_language:
user_language = get_language()
if user_language not in self.cache_supported_language_codes:
user_language = 'unsupported'
cachekey = '{0}.{1}'.format(cachekey, user_language)
return cachekey
|
get_output_cache_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, placeholder_name, instance):\n cachekey = self.get_output_cache_base_key(placeholder_name, instance)\n if self.cache_output_per_site:\n cachekey = '{0}-s{1}'.format(cachekey, settings.SITE_ID)\n if self.cache_output_per_language:\n user_language = get_language()\n if user_language not in self.cache_supported_language_codes:\n user_language = 'unsupported'\n cachekey = '{0}.{1}'.format(cachekey, user_language)\n return cachekey\n",
"role": "user"
},
{
"content": "get_output_cache_key",
"role": "assistant"
}
] |
def x(self, placeholder_name, instance):
base_key = self.get_output_cache_base_key(placeholder_name, instance)
cachekeys = [base_key]
if self.cache_output_per_site:
site_ids = list(Site.objects.values_list('pk', flat=True))
if settings.SITE_ID not in site_ids:
site_ids.append(settings.SITE_ID)
base_key = get_rendering_cache_key(placeholder_name, instance)
cachekeys = ['{0}-s{1}'.format(base_key, site_id) for site_id in
site_ids]
if self.cache_output_per_language or self.render_ignore_item_language:
total_list = []
cache_languages = list(self.cache_supported_language_codes) + [
'unsupported', 'None']
placeholder = instance.placeholder
total_list.extend(get_placeholder_cache_key(placeholder, lc) for lc in
cache_languages)
for user_language in cache_languages:
total_list.extend('{0}.{1}'.format(base, user_language) for
base in cachekeys)
cachekeys = total_list
return cachekeys
|
get_output_cache_keys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, placeholder_name, instance):\n base_key = self.get_output_cache_base_key(placeholder_name, instance)\n cachekeys = [base_key]\n if self.cache_output_per_site:\n site_ids = list(Site.objects.values_list('pk', flat=True))\n if settings.SITE_ID not in site_ids:\n site_ids.append(settings.SITE_ID)\n base_key = get_rendering_cache_key(placeholder_name, instance)\n cachekeys = ['{0}-s{1}'.format(base_key, site_id) for site_id in\n site_ids]\n if self.cache_output_per_language or self.render_ignore_item_language:\n total_list = []\n cache_languages = list(self.cache_supported_language_codes) + [\n 'unsupported', 'None']\n placeholder = instance.placeholder\n total_list.extend(get_placeholder_cache_key(placeholder, lc) for lc in\n cache_languages)\n for user_language in cache_languages:\n total_list.extend('{0}.{1}'.format(base, user_language) for\n base in cachekeys)\n cachekeys = total_list\n return cachekeys\n",
"role": "user"
},
{
"content": "get_output_cache_keys",
"role": "assistant"
}
] |
def x(self, placeholder_name, instance):
cachekey = self.get_output_cache_key(placeholder_name, instance)
return cache.get(cachekey)
|
get_cached_output
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, placeholder_name, instance):\n cachekey = self.get_output_cache_key(placeholder_name, instance)\n return cache.get(cachekey)\n",
"role": "user"
},
{
"content": "get_cached_output",
"role": "assistant"
}
] |
def x(self, placeholder_name, instance, output):
cachekey = self.get_output_cache_key(placeholder_name, instance)
if self.cache_timeout is not DEFAULT_TIMEOUT:
cache.set(cachekey, output, self.cache_timeout)
else:
cache.set(cachekey, output)
|
set_cached_output
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, placeholder_name, instance, output):\n cachekey = self.get_output_cache_key(placeholder_name, instance)\n if self.cache_timeout is not DEFAULT_TIMEOUT:\n cache.set(cachekey, output, self.cache_timeout)\n else:\n cache.set(cachekey, output)\n",
"role": "user"
},
{
"content": "set_cached_output",
"role": "assistant"
}
] |
def x(self, request, instance, **kwargs):
render_template = self.get_render_template(request, instance, **kwargs)
if not render_template:
return str(_(u"{No rendering defined for class '%s'}" % self.
__class__.__name__))
context = self.get_context(request, instance, **kwargs)
return self.render_to_string(request, render_template, context)
|
render
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, instance, **kwargs):\n render_template = self.get_render_template(request, instance, **kwargs)\n if not render_template:\n return str(_(u\"{No rendering defined for class '%s'}\" % self.\n __class__.__name__))\n context = self.get_context(request, instance, **kwargs)\n return self.render_to_string(request, render_template, context)\n",
"role": "user"
},
{
"content": "render",
"role": "assistant"
}
] |
def x(self, request, template, context, content_instance=None):
if not content_instance:
content_instance = PluginContext(request)
content_instance.update(context)
return render_to_string(template, content_instance.flatten(), request=
request)
|
render_to_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, template, context, content_instance=None):\n if not content_instance:\n content_instance = PluginContext(request)\n content_instance.update(context)\n return render_to_string(template, content_instance.flatten(), request=\n request)\n",
"role": "user"
},
{
"content": "render_to_string",
"role": "assistant"
}
] |
def x(request, media):
if not hasattr(request, '_fluent_contents_frontend_media'):
request._fluent_contents_frontend_media = Media()
add_media(request._fluent_contents_frontend_media, media)
|
register_frontend_media
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, media):\n if not hasattr(request, '_fluent_contents_frontend_media'):\n request._fluent_contents_frontend_media = Media()\n add_media(request._fluent_contents_frontend_media, media)\n",
"role": "user"
},
{
"content": "register_frontend_media",
"role": "assistant"
}
] |
def x(placeholder_name, contentitem):
if not contentitem.pk:
return None
return 'contentitem.@{0}.{1}.{2}'.format(placeholder_name, contentitem.
plugin.type_name, contentitem.pk)
|
get_rendering_cache_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(placeholder_name, contentitem):\n if not contentitem.pk:\n return None\n return 'contentitem.@{0}.{1}.{2}'.format(placeholder_name, contentitem.\n plugin.type_name, contentitem.pk)\n",
"role": "user"
},
{
"content": "get_rendering_cache_key",
"role": "assistant"
}
] |
def x(placeholder, language_code):
return _get_placeholder_cache_key_for_id(placeholder.parent_type_id,
placeholder.parent_id, placeholder.slot, language_code)
|
get_placeholder_cache_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(placeholder, language_code):\n return _get_placeholder_cache_key_for_id(placeholder.parent_type_id,\n placeholder.parent_id, placeholder.slot, language_code)\n",
"role": "user"
},
{
"content": "get_placeholder_cache_key",
"role": "assistant"
}
] |
def x(parent_object, placeholder_name, language_code):
parent_type = ContentType.objects.get_for_model(parent_object)
return _get_placeholder_cache_key_for_id(parent_type.id, parent_object.
pk, placeholder_name, language_code)
|
get_placeholder_cache_key_for_parent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parent_object, placeholder_name, language_code):\n parent_type = ContentType.objects.get_for_model(parent_object)\n return _get_placeholder_cache_key_for_id(parent_type.id, parent_object.\n pk, placeholder_name, language_code)\n",
"role": "user"
},
{
"content": "get_placeholder_cache_key_for_parent",
"role": "assistant"
}
] |
def x(self, stale_cts):
stale_ct_ids = list(stale_cts.keys())
items = ContentItem.objects.non_polymorphic().filter(polymorphic_ctype__in
=stale_ct_ids).order_by('polymorphic_ctype', 'pk')
if not items:
self.stdout.write('No stale items found.')
return
if self.dry_run:
self.stdout.write('The following content items are stale:')
else:
self.stdout.write('The following content items were stale:')
for item in items:
ct = stale_cts[item.polymorphic_ctype_id]
self.stdout.write('- #{id} points to removed {app_label}.{model}'.
format(id=item.pk, app_label=ct.app_label, model=ct.model))
if not self.dry_run:
try:
item.delete()
except PluginNotFound:
Model.delete(item)
|
remove_stale_items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stale_cts):\n stale_ct_ids = list(stale_cts.keys())\n items = ContentItem.objects.non_polymorphic().filter(polymorphic_ctype__in\n =stale_ct_ids).order_by('polymorphic_ctype', 'pk')\n if not items:\n self.stdout.write('No stale items found.')\n return\n if self.dry_run:\n self.stdout.write('The following content items are stale:')\n else:\n self.stdout.write('The following content items were stale:')\n for item in items:\n ct = stale_cts[item.polymorphic_ctype_id]\n self.stdout.write('- #{id} points to removed {app_label}.{model}'.\n format(id=item.pk, app_label=ct.app_label, model=ct.model))\n if not self.dry_run:\n try:\n item.delete()\n except PluginNotFound:\n Model.delete(item)\n",
"role": "user"
},
{
"content": "remove_stale_items",
"role": "assistant"
}
] |
def x(self, stale_cts):
stale_ct_ids = list(stale_cts.keys())
parent_types = ContentItem.objects.order_by().exclude(polymorphic_ctype__in
=stale_ct_ids).values_list('parent_type', flat=True).distinct()
num_unreferenced = 0
for ct_id in parent_types:
parent_ct = ContentType.objects.get_for_id(ct_id)
unreferenced_items = ContentItem.objects.filter(parent_type=ct_id
).order_by('polymorphic_ctype', 'pk')
if parent_ct.model_class() is not None:
unreferenced_items = unreferenced_items.exclude(parent_id__in=
parent_ct.get_all_objects_for_this_type())
if unreferenced_items:
for item in unreferenced_items:
self.stdout.write(
'- {cls}#{id} points to nonexisting {app_label}.{model}'
.format(cls=item.__class__.__name__, id=item.pk,
app_label=parent_ct.app_label, model=parent_ct.model))
num_unreferenced += 1
if not self.dry_run and self.remove_unreferenced:
item.delete()
if not num_unreferenced:
self.stdout.write('No unreferenced items found.')
else:
self.stdout.write('{0} unreferenced items found.'.format(
num_unreferenced))
if not self.remove_unreferenced:
self.stdout.write(
'Re-run this command with --remove-unreferenced to remove these items'
)
|
remove_unreferenced_items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stale_cts):\n stale_ct_ids = list(stale_cts.keys())\n parent_types = ContentItem.objects.order_by().exclude(polymorphic_ctype__in\n =stale_ct_ids).values_list('parent_type', flat=True).distinct()\n num_unreferenced = 0\n for ct_id in parent_types:\n parent_ct = ContentType.objects.get_for_id(ct_id)\n unreferenced_items = ContentItem.objects.filter(parent_type=ct_id\n ).order_by('polymorphic_ctype', 'pk')\n if parent_ct.model_class() is not None:\n unreferenced_items = unreferenced_items.exclude(parent_id__in=\n parent_ct.get_all_objects_for_this_type())\n if unreferenced_items:\n for item in unreferenced_items:\n self.stdout.write(\n '- {cls}#{id} points to nonexisting {app_label}.{model}'\n .format(cls=item.__class__.__name__, id=item.pk,\n app_label=parent_ct.app_label, model=parent_ct.model))\n num_unreferenced += 1\n if not self.dry_run and self.remove_unreferenced:\n item.delete()\n if not num_unreferenced:\n self.stdout.write('No unreferenced items found.')\n else:\n self.stdout.write('{0} unreferenced items found.'.format(\n num_unreferenced))\n if not self.remove_unreferenced:\n self.stdout.write(\n 'Re-run this command with --remove-unreferenced to remove these items'\n )\n",
"role": "user"
},
{
"content": "remove_unreferenced_items",
"role": "assistant"
}
] |
def x(self):
queryset = self.get_queryset()
def x(initial):
for x in queryset:
if x.slot == initial['slot']:
return False
return True
return list(filter(initial_not_in_queryset, self._initial))
|
initial_minus_queryset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n queryset = self.get_queryset()\n\n def x(initial):\n for x in queryset:\n if x.slot == initial['slot']:\n return False\n return True\n return list(filter(initial_not_in_queryset, self._initial))\n",
"role": "user"
},
{
"content": "initial_minus_queryset",
"role": "assistant"
}
] |
def x(arg_name, placeholder):
if placeholder is None:
raise RuntimeWarning(u'placeholder object is None')
elif isinstance(placeholder, Placeholder):
return placeholder
elif isinstance(placeholder, Manager):
manager = placeholder
try:
parent_object = manager.instance
except AttributeError:
parent_object = None
try:
placeholder = manager.all()[0]
if parent_object is not None:
placeholder.parent = parent_object
return placeholder
except IndexError:
raise RuntimeWarning(u"No placeholders found for query '{0}.all.0'"
.format(arg_name))
else:
raise ValueError(
u"The field '{0}' does not refer to a placeholder object!".
format(arg_name))
|
get_placeholder_arg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arg_name, placeholder):\n if placeholder is None:\n raise RuntimeWarning(u'placeholder object is None')\n elif isinstance(placeholder, Placeholder):\n return placeholder\n elif isinstance(placeholder, Manager):\n manager = placeholder\n try:\n parent_object = manager.instance\n except AttributeError:\n parent_object = None\n try:\n placeholder = manager.all()[0]\n if parent_object is not None:\n placeholder.parent = parent_object\n return placeholder\n except IndexError:\n raise RuntimeWarning(u\"No placeholders found for query '{0}.all.0'\"\n .format(arg_name))\n else:\n raise ValueError(\n u\"The field '{0}' does not refer to a placeholder object!\".\n format(arg_name))\n",
"role": "user"
},
{
"content": "get_placeholder_arg",
"role": "assistant"
}
] |
def x(media, domain):
if not media._js:
return ImmutableMedia.empty_instance
needs_local = domain == 'local'
new_js = []
for url in media._js:
if needs_local == _is_local(url):
new_js.append(url)
if not new_js:
return ImmutableMedia.empty_instance
else:
return Media(js=new_js)
|
split_js
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(media, domain):\n if not media._js:\n return ImmutableMedia.empty_instance\n needs_local = domain == 'local'\n new_js = []\n for url in media._js:\n if needs_local == _is_local(url):\n new_js.append(url)\n if not new_js:\n return ImmutableMedia.empty_instance\n else:\n return Media(js=new_js)\n",
"role": "user"
},
{
"content": "split_js",
"role": "assistant"
}
] |
def x(media, domain):
if not media._css:
return ImmutableMedia.empty_instance
needs_local = domain == 'local'
new_css = {}
for medium, url in six.iteritems(media._css):
if needs_local == _is_local(url):
new_css.setdefault(medium, []).append(url)
if not new_css:
return ImmutableMedia.empty_instance
else:
return Media(css=new_css)
|
split_css
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(media, domain):\n if not media._css:\n return ImmutableMedia.empty_instance\n needs_local = domain == 'local'\n new_css = {}\n for medium, url in six.iteritems(media._css):\n if needs_local == _is_local(url):\n new_css.setdefault(medium, []).append(url)\n if not new_css:\n return ImmutableMedia.empty_instance\n else:\n return Media(css=new_css)\n",
"role": "user"
},
{
"content": "split_css",
"role": "assistant"
}
] |
def x(cls, parser, token):
bits, as_var = parse_as_var(parser, token)
tag_name, args, kwargs = parse_token_kwargs(parser, bits,
allowed_kwargs=cls.allowed_kwargs, compile_args=True,
compile_kwargs=True)
if len(args) == 2:
parent_expr = args[0]
slot_expr = args[1]
elif len(args) == 1:
parent_expr = Variable('page')
slot_expr = args[0]
else:
raise TemplateSyntaxError(
'{0} tag allows two arguments: \'parent object\' \'slot name\' and optionally: title=".." role="..".'
.format(tag_name))
cls.validate_args(tag_name, *args, **kwargs)
return cls(tag_name=tag_name, as_var=as_var, parent_expr=parent_expr,
slot_expr=slot_expr, **kwargs)
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, parser, token):\n bits, as_var = parse_as_var(parser, token)\n tag_name, args, kwargs = parse_token_kwargs(parser, bits,\n allowed_kwargs=cls.allowed_kwargs, compile_args=True,\n compile_kwargs=True)\n if len(args) == 2:\n parent_expr = args[0]\n slot_expr = args[1]\n elif len(args) == 1:\n parent_expr = Variable('page')\n slot_expr = args[0]\n else:\n raise TemplateSyntaxError(\n '{0} tag allows two arguments: \\'parent object\\' \\'slot name\\' and optionally: title=\"..\" role=\"..\".'\n .format(tag_name))\n cls.validate_args(tag_name, *args, **kwargs)\n return cls(tag_name=tag_name, as_var=as_var, parent_expr=parent_expr,\n slot_expr=slot_expr, **kwargs)\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self):
try:
return extract_literal(self.meta_kwargs['title'])
except KeyError:
slot = self.get_slot()
if slot is not None:
return slot.replace('_', ' ').title()
return None
|
get_title
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return extract_literal(self.meta_kwargs['title'])\n except KeyError:\n slot = self.get_slot()\n if slot is not None:\n return slot.replace('_', ' ').title()\n return None\n",
"role": "user"
},
{
"content": "get_title",
"role": "assistant"
}
] |
def x(templatevar):
if hasattr(templatevar, 'var'):
templatevar = templatevar.var
if isinstance(templatevar, SafeData):
return templatevar
else:
return None
if templatevar[0] in ('"', "'") and templatevar[-1] in ('"', "'"):
return templatevar[1:-1]
else:
return None
|
extract_literal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(templatevar):\n if hasattr(templatevar, 'var'):\n templatevar = templatevar.var\n if isinstance(templatevar, SafeData):\n return templatevar\n else:\n return None\n if templatevar[0] in ('\"', \"'\") and templatevar[-1] in ('\"', \"'\"):\n return templatevar[1:-1]\n else:\n return None\n",
"role": "user"
},
{
"content": "extract_literal",
"role": "assistant"
}
] |
def x(templatevar):
if hasattr(templatevar, 'var'):
templatevar = templatevar.var
if isinstance(templatevar, SafeData):
return is_true(templatevar)
else:
return None
return is_true(templatevar)
|
extract_literal_bool
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(templatevar):\n if hasattr(templatevar, 'var'):\n templatevar = templatevar.var\n if isinstance(templatevar, SafeData):\n return is_true(templatevar)\n else:\n return None\n return is_true(templatevar)\n",
"role": "user"
},
{
"content": "extract_literal_bool",
"role": "assistant"
}
] |
def x(language, model):
form = type('{0}MarkupItemForm'.format(language.capitalize()), (
MarkupItemForm,), {'default_language': language})
classname = '{0}MarkupPlugin'.format(language.capitalize())
PluginClass = type(classname, (MarkupPluginBase,), {'model': model,
'form': form})
return PluginClass
|
create_markup_plugin
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(language, model):\n form = type('{0}MarkupItemForm'.format(language.capitalize()), (\n MarkupItemForm,), {'default_language': language})\n classname = '{0}MarkupPlugin'.format(language.capitalize())\n PluginClass = type(classname, (MarkupPluginBase,), {'model': model,\n 'form': form})\n return PluginClass\n",
"role": "user"
},
{
"content": "create_markup_plugin",
"role": "assistant"
}
] |
def x(parent_object):
if parent_object is None:
return dict(parent_type__isnull=True, parent_id=0)
elif isinstance(parent_object, models.Model):
return dict(parent_type=ContentType.objects.get_for_model(
parent_object), parent_id=parent_object.pk)
else:
raise ValueError('parent_object is not a model!')
|
get_parent_lookup_kwargs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parent_object):\n if parent_object is None:\n return dict(parent_type__isnull=True, parent_id=0)\n elif isinstance(parent_object, models.Model):\n return dict(parent_type=ContentType.objects.get_for_model(\n parent_object), parent_id=parent_object.pk)\n else:\n raise ValueError('parent_object is not a model!')\n",
"role": "user"
},
{
"content": "get_parent_lookup_kwargs",
"role": "assistant"
}
] |
def x(parent_object, exclude_current=False):
assert parent_object is not None, 'Missing parent_object!'
from .db import ContentItem
qs = ContentItem.objects.parent(parent_object, limit_parent_language=False
).values_list('language_code', flat=True).distinct()
languages = set(qs)
if exclude_current:
parent_lang = get_parent_language_code(parent_object)
languages.discard(parent_lang)
if (parler_appsettings.PARLER_LANGUAGES and not parler_appsettings.
PARLER_SHOW_EXCLUDED_LANGUAGE_TABS):
site_id = get_parent_site_id(parent_object)
try:
lang_dict = parler_appsettings.PARLER_LANGUAGES[site_id]
except KeyError:
lang_dict = ()
allowed_languages = set(item['code'] for item in lang_dict)
languages &= allowed_languages
choices = [(lang, str(get_language_title(lang))) for lang in languages if
lang]
choices.sort(key=lambda tup: tup[1])
return choices
|
get_parent_active_language_choices
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parent_object, exclude_current=False):\n assert parent_object is not None, 'Missing parent_object!'\n from .db import ContentItem\n qs = ContentItem.objects.parent(parent_object, limit_parent_language=False\n ).values_list('language_code', flat=True).distinct()\n languages = set(qs)\n if exclude_current:\n parent_lang = get_parent_language_code(parent_object)\n languages.discard(parent_lang)\n if (parler_appsettings.PARLER_LANGUAGES and not parler_appsettings.\n PARLER_SHOW_EXCLUDED_LANGUAGE_TABS):\n site_id = get_parent_site_id(parent_object)\n try:\n lang_dict = parler_appsettings.PARLER_LANGUAGES[site_id]\n except KeyError:\n lang_dict = ()\n allowed_languages = set(item['code'] for item in lang_dict)\n languages &= allowed_languages\n choices = [(lang, str(get_language_title(lang))) for lang in languages if\n lang]\n choices.sort(key=lambda tup: tup[1])\n return choices\n",
"role": "user"
},
{
"content": "get_parent_active_language_choices",
"role": "assistant"
}
] |
def x(self, parent_object, slot):
placeholder = self.parent(parent_object).get(slot=slot)
placeholder.parent = parent_object
return placeholder
|
get_by_slot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent_object, slot):\n placeholder = self.parent(parent_object).get(slot=slot)\n placeholder.parent = parent_object\n return placeholder\n",
"role": "user"
},
{
"content": "get_by_slot",
"role": "assistant"
}
] |
def x(self, parent_object, slot, role='m', title=None):
from .db import Placeholder
parent_attrs = get_parent_lookup_kwargs(parent_object)
obj = self.create(slot=slot, role=role or Placeholder.MAIN, title=title or
slot.title().replace('_', ' '), **parent_attrs)
obj.parent = parent_object
return obj
|
create_for_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent_object, slot, role='m', title=None):\n from .db import Placeholder\n parent_attrs = get_parent_lookup_kwargs(parent_object)\n obj = self.create(slot=slot, role=role or Placeholder.MAIN, title=title or\n slot.title().replace('_', ' '), **parent_attrs)\n obj.parent = parent_object\n return obj\n",
"role": "user"
},
{
"content": "create_for_object",
"role": "assistant"
}
] |
def x(self, *language_codes):
if not language_codes:
language_codes = get_language(),
else:
for language_code in language_codes:
if not isinstance(language_code, six.string_types
) or language_code.lower() in ('1', '0', 'true', 'false'):
raise ValueError(
'ContentItemQuerySet.translated() expected language_code to be an ISO code'
)
if len(language_codes) == 1:
return self.filter(language_code=language_codes[0])
else:
return self.filter(language_code__in=language_codes)
|
translated
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *language_codes):\n if not language_codes:\n language_codes = get_language(),\n else:\n for language_code in language_codes:\n if not isinstance(language_code, six.string_types\n ) or language_code.lower() in ('1', '0', 'true', 'false'):\n raise ValueError(\n 'ContentItemQuerySet.translated() expected language_code to be an ISO code'\n )\n if len(language_codes) == 1:\n return self.filter(language_code=language_codes[0])\n else:\n return self.filter(language_code__in=language_codes)\n",
"role": "user"
},
{
"content": "translated",
"role": "assistant"
}
] |
def x(self, parent_object, limit_parent_language=True):
lookup = get_parent_lookup_kwargs(parent_object)
if limit_parent_language:
language_code = get_parent_language_code(parent_object)
if language_code:
lookup['language_code'] = language_code
return self.filter(**lookup)
|
parent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent_object, limit_parent_language=True):\n lookup = get_parent_lookup_kwargs(parent_object)\n if limit_parent_language:\n language_code = get_parent_language_code(parent_object)\n if language_code:\n lookup['language_code'] = language_code\n return self.filter(**lookup)\n",
"role": "user"
},
{
"content": "parent",
"role": "assistant"
}
] |
def x(self, placeholder, sort_order=None):
qs = self.all()
for item in qs:
item.move_to_placeholder(placeholder, sort_order=sort_order)
if sort_order is not None:
sort_order += 1
return qs
|
move_to_placeholder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, placeholder, sort_order=None):\n qs = self.all()\n for item in qs:\n item.move_to_placeholder(placeholder, sort_order=sort_order)\n if sort_order is not None:\n sort_order += 1\n return qs\n",
"role": "user"
},
{
"content": "move_to_placeholder",
"role": "assistant"
}
] |
def x(self, placeholder, sort_order=None):
qs = self.all()
for item in qs:
item.copy_to_placeholder(placeholder, sort_order=sort_order,
in_place=True)
if sort_order is not None:
sort_order += 1
return qs
|
copy_to_placeholder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, placeholder, sort_order=None):\n qs = self.all()\n for item in qs:\n item.copy_to_placeholder(placeholder, sort_order=sort_order,\n in_place=True)\n if sort_order is not None:\n sort_order += 1\n return qs\n",
"role": "user"
},
{
"content": "copy_to_placeholder",
"role": "assistant"
}
] |
def x(self, parent_object, limit_parent_language=True):
return self.all().parent(parent_object, limit_parent_language)
|
parent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent_object, limit_parent_language=True):\n return self.all().parent(parent_object, limit_parent_language)\n",
"role": "user"
},
{
"content": "parent",
"role": "assistant"
}
] |
def x(self, placeholder, sort_order=1, language_code=None, **kwargs):
if language_code is None:
language_code = get_parent_language_code(placeholder.parent)
obj = self.create(placeholder=placeholder, parent_type_id=placeholder.
parent_type_id, parent_id=placeholder.parent_id, sort_order=
sort_order, language_code=language_code, **kwargs)
obj.placeholder = placeholder
parent = getattr(placeholder, '_parent_cache', None)
if parent is not None:
obj.parent = parent
return obj
|
create_for_placeholder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, placeholder, sort_order=1, language_code=None, **kwargs):\n if language_code is None:\n language_code = get_parent_language_code(placeholder.parent)\n obj = self.create(placeholder=placeholder, parent_type_id=placeholder.\n parent_type_id, parent_id=placeholder.parent_id, sort_order=\n sort_order, language_code=language_code, **kwargs)\n obj.placeholder = placeholder\n parent = getattr(placeholder, '_parent_cache', None)\n if parent is not None:\n obj.parent = parent\n return obj\n",
"role": "user"
},
{
"content": "create_for_placeholder",
"role": "assistant"
}
] |
def x(self, request, obj=None):
if not hasattr(self.model, '_meta_placeholder_fields'):
return []
data = []
for name, field in self.model._meta_placeholder_fields.items():
assert isinstance(field, PlaceholderField)
data.append(PlaceholderData(slot=field.slot, title=field.
verbose_name.capitalize(), fallback_language=None))
return data
|
get_placeholder_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, obj=None):\n if not hasattr(self.model, '_meta_placeholder_fields'):\n return []\n data = []\n for name, field in self.model._meta_placeholder_fields.items():\n assert isinstance(field, PlaceholderField)\n data.append(PlaceholderData(slot=field.slot, title=field.\n verbose_name.capitalize(), fallback_language=None))\n return data\n",
"role": "user"
},
{
"content": "get_placeholder_data",
"role": "assistant"
}
] |
def x(self):
if not hasattr(self.model, '_meta_placeholder_fields'):
return []
plugins = []
for name, field in self.model._meta_placeholder_fields.items():
assert isinstance(field, PlaceholderField)
if field.plugins is None:
return extensions.plugin_pool.get_plugins()
else:
plugins += field.plugins
return list(set(plugins))
|
get_all_allowed_plugins
|
[
{
"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 hasattr(self.model, '_meta_placeholder_fields'):\n return []\n plugins = []\n for name, field in self.model._meta_placeholder_fields.items():\n assert isinstance(field, PlaceholderField)\n if field.plugins is None:\n return extensions.plugin_pool.get_plugins()\n else:\n plugins += field.plugins\n return list(set(plugins))\n",
"role": "user"
},
{
"content": "get_all_allowed_plugins",
"role": "assistant"
}
] |
def x(fixed_language):
title = backend.LANGUAGE_NAMES.get(fixed_language) or fixed_language
objects = MarkupLanguageManager(fixed_language)
def x(self, *args, **kwargs):
self.language = fixed_language
MarkupItem.save(self, *args, **kwargs)
class Meta:
verbose_name = title
verbose_name_plural = _('%s items') % title
proxy = True
classname = '{0}MarkupItem'.format(fixed_language.capitalize())
new_class = type(str(classname), (MarkupItem,), {'__module__':
MarkupItem.__module__, 'objects': objects, 'save': save, 'Meta': Meta})
return new_class
|
create_markup_model
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fixed_language):\n title = backend.LANGUAGE_NAMES.get(fixed_language) or fixed_language\n objects = MarkupLanguageManager(fixed_language)\n\n def x(self, *args, **kwargs):\n self.language = fixed_language\n MarkupItem.save(self, *args, **kwargs)\n\n\n class Meta:\n verbose_name = title\n verbose_name_plural = _('%s items') % title\n proxy = True\n classname = '{0}MarkupItem'.format(fixed_language.capitalize())\n new_class = type(str(classname), (MarkupItem,), {'__module__':\n MarkupItem.__module__, 'objects': objects, 'save': save, 'Meta': Meta})\n return new_class\n",
"role": "user"
},
{
"content": "create_markup_model",
"role": "assistant"
}
] |
def x(self, **kwargs):
defaults = {'label': capfirst(self.verbose_name), 'help_text': self.
help_text, 'required': not self.blank}
defaults.update(kwargs)
return PlaceholderFormField(slot=self.slot, plugins=self._plugins, **
defaults)
|
formfield
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n defaults = {'label': capfirst(self.verbose_name), 'help_text': self.\n help_text, 'required': not self.blank}\n defaults.update(kwargs)\n return PlaceholderFormField(slot=self.slot, plugins=self._plugins, **\n defaults)\n",
"role": "user"
},
{
"content": "formfield",
"role": "assistant"
}
] |
def x(self, cls, name, **kwargs):
super(PlaceholderField, self).contribute_to_class(cls, name, **kwargs)
setattr(cls, name, PlaceholderFieldDescriptor(self.slot))
if not hasattr(cls, '_meta_placeholder_fields'):
cls._meta_placeholder_fields = {}
cls._meta_placeholder_fields[name] = self
if django.VERSION >= (1, 11):
rel = self.remote_field
else:
rel = self.rel
if rel.related_name is None:
rel.related_name = '{app}_{model}_{slot}_FIXME'.format(app=cls.
_meta.app_label, model=cls._meta.object_name.lower(), slot=self
.slot)
setattr(rel.to, self.rel.related_name, None)
|
contribute_to_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls, name, **kwargs):\n super(PlaceholderField, self).contribute_to_class(cls, name, **kwargs)\n setattr(cls, name, PlaceholderFieldDescriptor(self.slot))\n if not hasattr(cls, '_meta_placeholder_fields'):\n cls._meta_placeholder_fields = {}\n cls._meta_placeholder_fields[name] = self\n if django.VERSION >= (1, 11):\n rel = self.remote_field\n else:\n rel = self.rel\n if rel.related_name is None:\n rel.related_name = '{app}_{model}_{slot}_FIXME'.format(app=cls.\n _meta.app_label, model=cls._meta.object_name.lower(), slot=self\n .slot)\n setattr(rel.to, self.rel.related_name, None)\n",
"role": "user"
},
{
"content": "contribute_to_class",
"role": "assistant"
}
] |
def x(self):
from fluent_contents import extensions
if self._plugins is None:
return extensions.plugin_pool.get_plugins()
else:
try:
return extensions.plugin_pool.get_plugins_by_name(*self._plugins)
except extensions.PluginNotFound as e:
raise extensions.PluginNotFound(str(e) +
" Update the plugin list of '{0}.{1}' field or FLUENT_CONTENTS_PLACEHOLDER_CONFIG['{2}'] setting."
.format(self.model._meta.object_name, self.name, self.slot))
|
plugins
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from fluent_contents import extensions\n if self._plugins is None:\n return extensions.plugin_pool.get_plugins()\n else:\n try:\n return extensions.plugin_pool.get_plugins_by_name(*self._plugins)\n except extensions.PluginNotFound as e:\n raise extensions.PluginNotFound(str(e) +\n \" Update the plugin list of '{0}.{1}' field or FLUENT_CONTENTS_PLACEHOLDER_CONFIG['{2}'] setting.\"\n .format(self.model._meta.object_name, self.name, self.slot))\n",
"role": "user"
},
{
"content": "plugins",
"role": "assistant"
}
] |
def x(self, obj):
try:
placeholder = getattr(obj, self.name)
except Placeholder.DoesNotExist:
return None
return placeholder.id if placeholder else None
|
value_from_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n try:\n placeholder = getattr(obj, self.name)\n except Placeholder.DoesNotExist:\n return None\n return placeholder.id if placeholder else None\n",
"role": "user"
},
{
"content": "value_from_object",
"role": "assistant"
}
] |
def x(self, contentitem):
return (contentitem.plugin.search_output and not contentitem.plugin.
search_fields and super(SearchRenderingPipe, self).
can_use_cached_output(contentitem))
|
can_use_cached_output
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, contentitem):\n return (contentitem.plugin.search_output and not contentitem.plugin.\n search_fields and super(SearchRenderingPipe, self).\n can_use_cached_output(contentitem))\n",
"role": "user"
},
{
"content": "can_use_cached_output",
"role": "assistant"
}
] |
def x(self, contentitem):
plugin = contentitem.plugin
if not plugin.search_output and not plugin.search_fields:
raise SkipItem
if not plugin.search_output:
output = ContentItemOutput('', cacheable=False)
else:
output = super(SearchRenderingPipe, self).render_item(contentitem)
if plugin.search_fields:
output.html += plugin.get_search_text(contentitem)
output.cacheable = False
return output
|
render_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, contentitem):\n plugin = contentitem.plugin\n if not plugin.search_output and not plugin.search_fields:\n raise SkipItem\n if not plugin.search_output:\n output = ContentItemOutput('', cacheable=False)\n else:\n output = super(SearchRenderingPipe, self).render_item(contentitem)\n if plugin.search_fields:\n output.html += plugin.get_search_text(contentitem)\n output.cacheable = False\n return output\n",
"role": "user"
},
{
"content": "render_item",
"role": "assistant"
}
] |
def x(plugins=None, base=BaseContentItemInline):
COPY_FIELDS = ('form', 'raw_id_fields', 'filter_vertical',
'filter_horizontal', 'radio_fields', 'prepopulated_fields',
'formfield_overrides', 'readonly_fields')
if plugins is None:
plugins = extensions.plugin_pool.get_plugins()
inlines = []
for plugin in plugins:
if not isinstance(plugin, extensions.ContentPlugin):
raise TypeError(
'get_content_item_inlines() expects to receive ContentPlugin instances, not {0}'
.format(plugin))
ContentItemType = plugin.model
class_name = '%s_AutoInline' % ContentItemType.__name__
attrs = {'__module__': plugin.__class__.__module__, 'model':
ContentItemType, 'name': plugin.verbose_name, 'plugin': plugin,
'type_name': plugin.type_name, 'extra_fieldsets': plugin.
fieldsets, 'cp_admin_form_template': plugin.admin_form_template,
'cp_admin_init_template': plugin.admin_init_template}
for name in COPY_FIELDS:
if getattr(plugin, name):
attrs[name] = getattr(plugin, name)
inlines.append(type(class_name, (base,), attrs))
inlines.sort(key=lambda inline: inline.name.lower())
return inlines
|
get_content_item_inlines
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(plugins=None, base=BaseContentItemInline):\n COPY_FIELDS = ('form', 'raw_id_fields', 'filter_vertical',\n 'filter_horizontal', 'radio_fields', 'prepopulated_fields',\n 'formfield_overrides', 'readonly_fields')\n if plugins is None:\n plugins = extensions.plugin_pool.get_plugins()\n inlines = []\n for plugin in plugins:\n if not isinstance(plugin, extensions.ContentPlugin):\n raise TypeError(\n 'get_content_item_inlines() expects to receive ContentPlugin instances, not {0}'\n .format(plugin))\n ContentItemType = plugin.model\n class_name = '%s_AutoInline' % ContentItemType.__name__\n attrs = {'__module__': plugin.__class__.__module__, 'model':\n ContentItemType, 'name': plugin.verbose_name, 'plugin': plugin,\n 'type_name': plugin.type_name, 'extra_fieldsets': plugin.\n fieldsets, 'cp_admin_form_template': plugin.admin_form_template,\n 'cp_admin_init_template': plugin.admin_init_template}\n for name in COPY_FIELDS:\n if getattr(plugin, name):\n attrs[name] = getattr(plugin, name)\n inlines.append(type(class_name, (base,), attrs))\n inlines.sort(key=lambda inline: inline.name.lower())\n return inlines\n",
"role": "user"
},
{
"content": "get_content_item_inlines",
"role": "assistant"
}
] |
def x():
global _provider_list, _provider_lock
if _provider_list is not None:
return _provider_list
_provider_lock.acquire()
try:
if _provider_list is None:
_provider_list = _build_provider_list()
finally:
_provider_lock.release()
return _provider_list
|
get_oembed_providers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n global _provider_list, _provider_lock\n if _provider_list is not None:\n return _provider_list\n _provider_lock.acquire()\n try:\n if _provider_list is None:\n _provider_list = _build_provider_list()\n finally:\n _provider_lock.release()\n return _provider_list\n",
"role": "user"
},
{
"content": "get_oembed_providers",
"role": "assistant"
}
] |
def x():
registry = None
if appsettings.FLUENT_OEMBED_SOURCE == 'basic':
registry = bootstrap_basic()
elif appsettings.FLUENT_OEMBED_SOURCE == 'embedly':
params = {}
if appsettings.MICAWBER_EMBEDLY_KEY:
params['key'] = appsettings.MICAWBER_EMBEDLY_KEY
registry = bootstrap_embedly(**params)
elif appsettings.FLUENT_OEMBED_SOURCE == 'noembed':
registry = bootstrap_noembed(nowrap=1)
elif appsettings.FLUENT_OEMBED_SOURCE == 'list':
registry = ProviderRegistry()
for regex, provider in appsettings.FLUENT_OEMBED_PROVIDER_LIST:
registry.register(regex, Provider(provider))
else:
raise ImproperlyConfigured(
"Invalid value of FLUENT_OEMBED_SOURCE, only 'basic', 'list', 'noembed' or 'embedly' is supported."
)
for regex, provider in appsettings.FLUENT_OEMBED_EXTRA_PROVIDERS:
registry.register(regex, Provider(provider))
return registry
|
build_provider_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n registry = None\n if appsettings.FLUENT_OEMBED_SOURCE == 'basic':\n registry = bootstrap_basic()\n elif appsettings.FLUENT_OEMBED_SOURCE == 'embedly':\n params = {}\n if appsettings.MICAWBER_EMBEDLY_KEY:\n params['key'] = appsettings.MICAWBER_EMBEDLY_KEY\n registry = bootstrap_embedly(**params)\n elif appsettings.FLUENT_OEMBED_SOURCE == 'noembed':\n registry = bootstrap_noembed(nowrap=1)\n elif appsettings.FLUENT_OEMBED_SOURCE == 'list':\n registry = ProviderRegistry()\n for regex, provider in appsettings.FLUENT_OEMBED_PROVIDER_LIST:\n registry.register(regex, Provider(provider))\n else:\n raise ImproperlyConfigured(\n \"Invalid value of FLUENT_OEMBED_SOURCE, only 'basic', 'list', 'noembed' or 'embedly' is supported.\"\n )\n for regex, provider in appsettings.FLUENT_OEMBED_EXTRA_PROVIDERS:\n registry.register(regex, Provider(provider))\n return registry\n",
"role": "user"
},
{
"content": "build_provider_list",
"role": "assistant"
}
] |
def x(url, max_width=None, max_height=None, **params):
if max_width:
params['maxwidth'] = max_width
if max_height:
params['maxheight'] = max_height
registry = get_oembed_providers()
return registry.request(url, **params)
|
get_oembed_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, max_width=None, max_height=None, **params):\n if max_width:\n params['maxwidth'] = max_width\n if max_height:\n params['maxheight'] = max_height\n registry = get_oembed_providers()\n return registry.request(url, **params)\n",
"role": "user"
},
{
"content": "get_oembed_data",
"role": "assistant"
}
] |
def x(plugins):
if not plugins:
return {}
plugins = sorted(plugins, key=lambda p: p.verbose_name)
categories = {}
for plugin in plugins:
title = str(plugin.category or u'')
if title not in categories:
categories[title] = []
categories[title].append(plugin)
return categories
|
group_plugins_into_categories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(plugins):\n if not plugins:\n return {}\n plugins = sorted(plugins, key=lambda p: p.verbose_name)\n categories = {}\n for plugin in plugins:\n title = str(plugin.category or u'')\n if title not in categories:\n categories[title] = []\n categories[title].append(plugin)\n return categories\n",
"role": "user"
},
{
"content": "group_plugins_into_categories",
"role": "assistant"
}
] |
def x(categories):
choices = []
for category, items in categories.items():
if items:
plugin_tuples = tuple((plugin.type_name, plugin.verbose_name) for
plugin in items)
if category:
choices.append((category, plugin_tuples))
else:
choices += plugin_tuples
choices.sort(key=lambda item: item[0])
return choices
|
plugin_categories_to_choices
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(categories):\n choices = []\n for category, items in categories.items():\n if items:\n plugin_tuples = tuple((plugin.type_name, plugin.verbose_name) for\n plugin in items)\n if category:\n choices.append((category, plugin_tuples))\n else:\n choices += plugin_tuples\n choices.sort(key=lambda item: item[0])\n return choices\n",
"role": "user"
},
{
"content": "plugin_categories_to_choices",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.