source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x():
mapper = {'interface': 'CAN_INTERFACE', 'channel': 'CAN_CHANNEL',
'bitrate': 'CAN_BITRATE'}
return dict((key, os.environ.get(val)) for key, val in mapper.items() if
val in os.environ)
| load_environment_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n mapper = {'interface': 'CAN_INTERFACE', 'channel': 'CAN_CHANNEL',\n 'bitrate': 'CAN_BITRATE'}\n return dict((key, os.environ.get(val)) for ke... |
def x(path=None, config=None, context=None):
given_config = config or {}
config = {}
config_sources = [given_config, can.rc, lambda _context:
load_environment_config(), lambda _context: load_file_config(path,
_context)]
for cfg in config_sources:
if callable(cfg):
cfg = cfg(context)
if 'bustype' in cfg:
if 'interface' not in cfg or not cfg['interface']:
cfg['interface'] = cfg['bustype']
del cfg['bustype']
for key in cfg:
if key not in config:
config[key] = cfg[key]
for key in REQUIRED_KEYS:
if key not in config:
config[key] = None
if config['interface'] in ('socketcan_native', 'socketcan_ctypes'):
warnings.warn('{} is deprecated, use socketcan instead'.format(
config['interface']), DeprecationWarning)
config['interface'] = 'socketcan'
if config['interface'] not in VALID_INTERFACES:
raise NotImplementedError('Invalid CAN Bus Type - {}'.format(config
['interface']))
if 'bitrate' in config:
config['bitrate'] = int(config['bitrate'])
can.log.debug('can config: {}'.format(config))
return config
| load_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path=None, config=None, context=None):\n given_config = config or {}\n config = {}\n config_sources = [given_config, can.rc, lambda _context:\n ... |
def x(level_name=None):
can_logger = logging.getLogger('can')
try:
can_logger.setLevel(getattr(logging, level_name.upper()))
except AttributeError:
can_logger.setLevel(logging.DEBUG)
log.debug('Logging set to {}'.format(level_name))
| set_logging_level | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(level_name=None):\n can_logger = logging.getLogger('can')\n try:\n can_logger.setLevel(getattr(logging, level_name.upper()))\n except Attribute... |
def x(length):
if length <= 8:
return length
for dlc, nof_bytes in enumerate(CAN_FD_DLC):
if nof_bytes >= length:
return dlc
return 15
| len2dlc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(length):\n if length <= 8:\n return length\n for dlc, nof_bytes in enumerate(CAN_FD_DLC):\n if nof_bytes >= length:\n return dlc... |
def x(channel):
if channel is None:
return None
if isinstance(channel, int):
return channel
if hasattr(channel, 'lower'):
match = re.match('.*(\\d+)$', channel)
if match:
return int(match.group(1))
return None
| channel2int | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(channel):\n if channel is None:\n return None\n if isinstance(channel, int):\n return channel\n if hasattr(channel, 'lower'):\n m... |
def x(self, timeout=None):
start = time()
time_left = timeout
while True:
msg, already_filtered = self._recv_internal(timeout=time_left)
if msg and (already_filtered or self._matches_filters(msg)):
LOG.log(self.RECV_LOGGING_LEVEL, 'Received: %s', msg)
return msg
elif timeout is None:
continue
else:
time_left = timeout - (time() - start)
if time_left > 0:
continue
else:
return None
| recv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n start = time()\n time_left = timeout\n while True:\n msg, already_filtered = self._recv_internal(timeout=time_left)\n ... |
def x(self, msg, period, duration=None, store_task=True):
task = self._send_periodic_internal(msg, period, duration)
original_stop_method = task.stop
def x(remove_task=True):
if remove_task:
try:
self._periodic_tasks.remove(task)
except ValueError:
pass
original_stop_method()
task.stop = wrapped_stop_method
if store_task:
self._periodic_tasks.append(task)
return task
| send_periodic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg, period, duration=None, store_task=True):\n task = self._send_periodic_internal(msg, period, duration)\n original_stop_method = task.stop\n\n ... |
def x(self, msg, period, duration=None):
if not hasattr(self, '_lock_send_periodic'):
self._lock_send_periodic = threading.Lock()
task = ThreadBasedCyclicSendTask(self, self._lock_send_periodic, msg,
period, duration)
return task
| send_periodic_internal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg, period, duration=None):\n if not hasattr(self, '_lock_send_periodic'):\n self._lock_send_periodic = threading.Lock()\n task = ThreadBas... |
def x(self, remove_tasks=True):
for task in self._periodic_tasks:
task.stop(remove_task=remove_tasks)
| stop_all_periodic_tasks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, remove_tasks=True):\n for task in self._periodic_tasks:\n task.stop(remove_task=remove_tasks)\n",
"role": "user"
},
{
"content": "s... |
def x(self, filters=None):
self._filters = filters or None
self._apply_filters(self._filters)
| set_filters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filters=None):\n self._filters = filters or None\n self._apply_filters(self._filters)\n",
"role": "user"
},
{
"content": "set_filters",... |
def x(self, msg):
if self._filters is None:
return True
for _filter in self._filters:
if 'extended' in _filter and _filter['extended'] != msg.is_extended_id:
continue
can_id = _filter['can_id']
can_mask = _filter['can_mask']
if (can_id ^ msg.arbitration_id) & can_mask == 0:
return True
return False
| matches_filters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n if self._filters is None:\n return True\n for _filter in self._filters:\n if 'extended' in _filter and _filter['extended'] !=... |
def x(result):
return (result.value == ReturnCode.SUCCESSFUL or result.value >
ReturnCode.WARNING)
| check_tx_ok | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(result):\n return (result.value == ReturnCode.SUCCESSFUL or result.value >\n ReturnCode.WARNING)\n",
"role": "user"
},
{
"content": "chec... |
def x(result):
return (result.value != ReturnCode.SUCCESSFUL and result.value <
ReturnCode.WARNING)
| check_error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(result):\n return (result.value != ReturnCode.SUCCESSFUL and result.value <\n ReturnCode.WARNING)\n",
"role": "user"
},
{
"content": "che... |
def x(result):
return (result.value >= ReturnCode.ERRCMD and result.value < ReturnCode
.WARNING)
| check_error_cmd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(result):\n return (result.value >= ReturnCode.ERRCMD and result.value < ReturnCode\n .WARNING)\n",
"role": "user"
},
{
"content": "check_... |
def x(self, serial=None, device_number=ANY_MODULE):
if not self._hw_is_initialized:
if serial is None:
UcanInitHardwareEx(byref(self._handle), device_number, self.
_callback_ref, None)
else:
UcanInitHardwareEx2(byref(self._handle), serial, self.
_callback_ref, None)
self._hw_is_initialized = True
| init_hardware | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, serial=None, device_number=ANY_MODULE):\n if not self._hw_is_initialized:\n if serial is None:\n UcanInitHardwareEx(byref(self._hand... |
def x(self, channel=Channel.CHANNEL_CH0, BTR=Baudrate.BAUD_1MBit, baudrate=
BaudrateEx.BAUDEX_USE_BTR01, AMR=AMR_ALL, ACR=ACR_ALL, mode=Mode.
MODE_NORMAL, OCR=OutputControl.OCR_DEFAULT, rx_buffer_entries=
DEFAULT_BUFFER_ENTRIES, tx_buffer_entries=DEFAULT_BUFFER_ENTRIES):
if not self._ch_is_initialized.get(channel, False):
init_param = InitCanParam(mode, BTR, OCR, AMR, ACR, baudrate,
rx_buffer_entries, tx_buffer_entries)
UcanInitCanEx2(self._handle, channel, init_param)
self._ch_is_initialized[channel] = True
| init_can | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel=Channel.CHANNEL_CH0, BTR=Baudrate.BAUD_1MBit, baudrate=\n BaudrateEx.BAUDEX_USE_BTR01, AMR=AMR_ALL, ACR=ACR_ALL, mode=Mode.\n MODE_NORMAL, ... |
def x(self, channel, count):
c_channel = BYTE(channel)
c_can_msg = (CanMsg * count)()
c_count = DWORD(count)
UcanReadCanMsgEx(self._handle, byref(c_channel), c_can_msg, byref(c_count))
return c_can_msg[:c_count.value], c_channel.value
| read_can_msg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel, count):\n c_channel = BYTE(channel)\n c_can_msg = (CanMsg * count)()\n c_count = DWORD(count)\n UcanReadCanMsgEx(self._handle, byref... |
def x(self, channel, can_msg):
c_can_msg = (CanMsg * len(can_msg))(*can_msg)
c_count = DWORD(len(can_msg))
UcanWriteCanMsgEx(self._handle, channel, c_can_msg, c_count)
return c_count
| write_can_msg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel, can_msg):\n c_can_msg = (CanMsg * len(can_msg))(*can_msg)\n c_count = DWORD(len(can_msg))\n UcanWriteCanMsgEx(self._handle, channel, c_... |
def x(self, channel, BTR, baudarate):
UcanSetBaudrateEx(self._handle, channel, BTR >> 8, BTR, baudarate)
| set_baudrate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel, BTR, baudarate):\n UcanSetBaudrateEx(self._handle, channel, BTR >> 8, BTR, baudarate)\n",
"role": "user"
},
{
"content": "set_bau... |
def x(self, channel=Channel.CHANNEL_CH0, AMR=AMR_ALL, ACR=ACR_ALL):
UcanSetAcceptanceEx(self._handle, channel, AMR, ACR)
| set_acceptance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel=Channel.CHANNEL_CH0, AMR=AMR_ALL, ACR=ACR_ALL):\n UcanSetAcceptanceEx(self._handle, channel, AMR, ACR)\n",
"role": "user"
},
{
"co... |
def x(self, channel=Channel.CHANNEL_CH0):
status = Status()
UcanGetStatusEx(self._handle, channel, byref(status))
return status.can_status, status.usb_status
| get_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel=Channel.CHANNEL_CH0):\n status = Status()\n UcanGetStatusEx(self._handle, channel, byref(status))\n return status.can_status, status.usb... |
def x(self, channel=Channel.CHANNEL_CH0):
msg_count_info = MsgCountInfo()
UcanGetMsgCountInfoEx(self._handle, channel, byref(msg_count_info))
return msg_count_info.sent_msg_count, msg_count_info.recv_msg_count
| get_msg_count_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel=Channel.CHANNEL_CH0):\n msg_count_info = MsgCountInfo()\n UcanGetMsgCountInfoEx(self._handle, channel, byref(msg_count_info))\n return m... |
def x(self, channel=Channel.CHANNEL_CH0, flags=ResetFlags.RESET_ALL):
UcanResetCanEx(self._handle, channel, flags)
| reset_can | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel=Channel.CHANNEL_CH0, flags=ResetFlags.RESET_ALL):\n UcanResetCanEx(self._handle, channel, flags)\n",
"role": "user"
},
{
"content"... |
def x(self):
hw_info_ex = HardwareInfoEx()
can_info_ch0, can_info_ch1 = ChannelInfo(), ChannelInfo()
UcanGetHardwareInfoEx2(self._handle, byref(hw_info_ex), byref(
can_info_ch0), byref(can_info_ch1))
return hw_info_ex, can_info_ch0, can_info_ch1
| get_hardware_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n hw_info_ex = HardwareInfoEx()\n can_info_ch0, can_info_ch1 = ChannelInfo(), ChannelInfo()\n UcanGetHardwareInfoEx2(self._handle, byref(hw_inf... |
def x(self, channel, can_msg=None):
if can_msg is not None:
c_can_msg = (CanMsg * len(can_msg))(*can_msg)
c_count = DWORD(len(can_msg))
else:
c_can_msg = CanMsg()
c_count = 0
UcanDefineCyclicCanMsg(self._handle, channel, c_can_msg, c_count)
| define_cyclic_can_msg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel, can_msg=None):\n if can_msg is not None:\n c_can_msg = (CanMsg * len(can_msg))(*can_msg)\n c_count = DWORD(len(can_msg))\n e... |
def x(self, channel, count):
c_channel = BYTE(channel)
c_can_msg = (CanMsg * count)()
c_count = DWORD(count)
UcanReadCyclicCanMsg(self._handle, byref(c_channel), c_can_msg, c_count)
return c_can_msg[:c_count.value]
| read_cyclic_can_msg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel, count):\n c_channel = BYTE(channel)\n c_can_msg = (CanMsg * count)()\n c_count = DWORD(count)\n UcanReadCyclicCanMsg(self._handle, b... |
def x(self, channel, flags):
count = DWORD(0)
UcanGetMsgPending(self._handle, channel, flags, byref(count))
return count.value
| get_msg_pending | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel, flags):\n count = DWORD(0)\n UcanGetMsgPending(self._handle, channel, flags, byref(count))\n return count.value\n",
"role": "user"
... |
def x(self, channel):
tx_error_counter = DWORD(0)
rx_error_counter = DWORD(0)
UcanGetCanErrorCounter(self._handle, channel, byref(tx_error_counter),
byref(rx_error_counter))
return tx_error_counter, rx_error_counter
| get_can_error_counter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel):\n tx_error_counter = DWORD(0)\n rx_error_counter = DWORD(0)\n UcanGetCanErrorCounter(self._handle, channel, byref(tx_error_counter),\n... |
def x(self, channel, timeout):
UcanSetTxTimeout(self._handle, channel, int(timeout * 1000))
| set_tx_timeout | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel, timeout):\n UcanSetTxTimeout(self._handle, channel, int(timeout * 1000))\n",
"role": "user"
},
{
"content": "set_tx_timeout",
... |
def x(self, channel=Channel.CHANNEL_ALL, shutdown_hardware=True):
for _channel, is_initialized in self._ch_is_initialized.items():
if is_initialized and (_channel == channel or channel == Channel.
CHANNEL_ALL or shutdown_hardware):
UcanDeinitCanEx(self._handle, _channel)
self._ch_is_initialized[_channel] = False
if self._hw_is_initialized and shutdown_hardware:
UcanDeinitHardware(self._handle)
self._hw_is_initialized = False
self._handle = Handle(INVALID_HANDLE)
| shutdown | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel=Channel.CHANNEL_ALL, shutdown_hardware=True):\n for _channel, is_initialized in self._ch_is_initialized.items():\n if is_initialized an... |
def x(can_status):
status_msgs = {CanStatus.CANERR_TXMSGLOST: 'Transmit message lost',
CanStatus.CANERR_MEMTEST: 'Memory test failed', CanStatus.
CANERR_REGTEST: 'Register test failed', CanStatus.CANERR_QXMTFULL:
'Transmit queue is full', CanStatus.CANERR_QOVERRUN:
'Receive queue overrun', CanStatus.CANERR_QRCVEMPTY:
'Receive queue is empty', CanStatus.CANERR_BUSOFF: 'Bus Off',
CanStatus.CANERR_BUSHEAVY: 'Error Passive', CanStatus.
CANERR_BUSLIGHT: 'Warning Limit', CanStatus.CANERR_OVERRUN:
'Rx-buffer is full', CanStatus.CANERR_XMTFULL: 'Tx-buffer is full'}
return 'OK' if can_status == CanStatus.CANERR_OK else ', '.join(msg for
status, msg in status_msgs.items() if can_status & status)
| get_can_status_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(can_status):\n status_msgs = {CanStatus.CANERR_TXMSGLOST: 'Transmit message lost',\n CanStatus.CANERR_MEMTEST: 'Memory test failed', CanStatus.\n ... |
def x(baudrate):
baudrate_msgs = {Baudrate.BAUD_AUTO: 'auto baudrate', Baudrate.
BAUD_10kBit: '10 kBit/sec', Baudrate.BAUD_20kBit: '20 kBit/sec',
Baudrate.BAUD_50kBit: '50 kBit/sec', Baudrate.BAUD_100kBit:
'100 kBit/sec', Baudrate.BAUD_125kBit: '125 kBit/sec', Baudrate.
BAUD_250kBit: '250 kBit/sec', Baudrate.BAUD_500kBit: '500 kBit/sec',
Baudrate.BAUD_800kBit: '800 kBit/sec', Baudrate.BAUD_1MBit:
'1 MBit/s', Baudrate.BAUD_USE_BTREX: 'BTR Ext is used'}
return baudrate_msgs.get(baudrate, 'BTR is unknown (user specific)')
| get_baudrate_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(baudrate):\n baudrate_msgs = {Baudrate.BAUD_AUTO: 'auto baudrate', Baudrate.\n BAUD_10kBit: '10 kBit/sec', Baudrate.BAUD_20kBit: '20 kBit/sec',\n ... |
def x(baudrate_ex):
baudrate_ex_msgs = {Baudrate.BAUDEX_AUTO: 'auto baudrate', Baudrate.
BAUDEX_10kBit: '10 kBit/sec', Baudrate.BAUDEX_SP2_10kBit:
'10 kBit/sec', Baudrate.BAUDEX_20kBit: '20 kBit/sec', Baudrate.
BAUDEX_SP2_20kBit: '20 kBit/sec', Baudrate.BAUDEX_50kBit:
'50 kBit/sec', Baudrate.BAUDEX_SP2_50kBit: '50 kBit/sec', Baudrate.
BAUDEX_100kBit: '100 kBit/sec', Baudrate.BAUDEX_SP2_100kBit:
'100 kBit/sec', Baudrate.BAUDEX_125kBit: '125 kBit/sec', Baudrate.
BAUDEX_SP2_125kBit: '125 kBit/sec', Baudrate.BAUDEX_250kBit:
'250 kBit/sec', Baudrate.BAUDEX_SP2_250kBit: '250 kBit/sec',
Baudrate.BAUDEX_500kBit: '500 kBit/sec', Baudrate.
BAUDEX_SP2_500kBit: '500 kBit/sec', Baudrate.BAUDEX_800kBit:
'800 kBit/sec', Baudrate.BAUDEX_SP2_800kBit: '800 kBit/sec',
Baudrate.BAUDEX_1MBit: '1 MBit/s', Baudrate.BAUDEX_SP2_1MBit:
'1 MBit/s', Baudrate.BAUDEX_USE_BTR01: 'BTR0/BTR1 is used'}
return baudrate_ex_msgs.get(baudrate_ex, 'BTR is unknown (user specific)')
| get_baudrate_ex_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(baudrate_ex):\n baudrate_ex_msgs = {Baudrate.BAUDEX_AUTO: 'auto baudrate', Baudrate.\n BAUDEX_10kBit: '10 kBit/sec', Baudrate.BAUDEX_SP2_10kBit:\n ... |
def x(cls, version, cmp_major, cmp_minor):
return cls.convert_to_major_ver(version
) > cmp_major or cls.convert_to_major_ver(version
) == cmp_major and cls.convert_to_minor_ver(version) >= cmp_minor
| check_version_is_equal_or_higher | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, version, cmp_major, cmp_minor):\n return cls.convert_to_major_ver(version\n ) > cmp_major or cls.convert_to_major_ver(version\n ) == cmp_... |
def x(cls, hw_info_ex):
return cls.check_is_systec(hw_info_ex
) and cls.check_version_is_equal_or_higher(hw_info_ex.
m_dwFwVersionEx, 3, 6)
| check_support_cyclic_msg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, hw_info_ex):\n return cls.check_is_systec(hw_info_ex\n ) and cls.check_version_is_equal_or_higher(hw_info_ex.\n m_dwFwVersionEx, 3, 6)\n"... |
def x(cls, hw_info_ex):
return (hw_info_ex.m_dwProductCode & PRODCODE_MASK_PID != ProductCode.
PRODCODE_PID_BASIC and hw_info_ex.m_dwProductCode &
PRODCODE_MASK_PID != ProductCode.PRODCODE_PID_RESERVED1 and cls.
check_version_is_equal_or_higher(hw_info_ex.m_dwFwVersionEx, 2, 16))
| check_support_user_port | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, hw_info_ex):\n return (hw_info_ex.m_dwProductCode & PRODCODE_MASK_PID != ProductCode.\n PRODCODE_PID_BASIC and hw_info_ex.m_dwProductCode &\n ... |
def x(cls, hw_info_ex):
return cls.check_is_systec(hw_info_ex
) and cls.check_version_is_equal_or_higher(hw_info_ex.
m_dwFwVersionEx, 3, 8)
| check_support_ucannet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, hw_info_ex):\n return cls.check_is_systec(hw_info_ex\n ) and cls.check_version_is_equal_or_higher(hw_info_ex.\n m_dwFwVersionEx, 3, 8)\n"... |
def x(cls, is_extended, from_id, to_id, rtr_only=False, rtr_too=True):
return (from_id ^ to_id) << 3 | (7 if rtr_too and not rtr_only else 3
) if is_extended else (from_id ^ to_id) << 21 | (2097151 if rtr_too and
not rtr_only else 1048575)
| calculate_amr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, is_extended, from_id, to_id, rtr_only=False, rtr_too=True):\n return (from_id ^ to_id) << 3 | (7 if rtr_too and not rtr_only else 3\n ) if is_ex... |
def x(self, event, param, arg):
log.debug('Event: %s, Param: %s' % (event, param))
if event == CbEvent.EVENT_FATALDISCON:
self.fatal_disconnect_event(param)
elif event == CbEvent.EVENT_CONNECT:
self.connect_event()
elif event == CbEvent.EVENT_DISCONNECT:
self.disconnect_event()
| connect_control | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event, param, arg):\n log.debug('Event: %s, Param: %s' % (event, param))\n if event == CbEvent.EVENT_FATALDISCON:\n self.fatal_disconnect_ev... |
def x(self, handle, event, channel, arg):
log.debug('Handle: %s, Event: %s, Channel: %s' % (handle, event, channel))
if event == CbEvent.EVENT_INITHW:
self.init_hw_event()
elif event == CbEvent.EVENT_init_can:
self.init_can_event(channel)
elif event == CbEvent.EVENT_RECEIVE:
self.can_msg_received_event(channel)
elif event == CbEvent.EVENT_STATUS:
self.status_event(channel)
elif event == CbEvent.EVENT_DEINIT_CAN:
self.deinit_can_event(channel)
elif event == CbEvent.EVENT_DEINITHW:
self.deinit_hw_event()
| callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, event, channel, arg):\n log.debug('Handle: %s, Event: %s, Channel: %s' % (handle, event, channel))\n if event == CbEvent.EVENT_INITHW:\n ... |
def x(self, palette):
all_colors = {'cmyk': ['cian', 'magenta', 'yellow', 'black'], 'rgb': [
'red', 'green', 'blue']}
if palette == 'all':
result = all_colors
else:
result = {palette: all_colors.get(palette)}
return jsonify(result)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, palette):\n all_colors = {'cmyk': ['cian', 'magenta', 'yellow', 'black'], 'rgb': [\n 'red', 'green', 'blue']}\n if palette == 'all':\n ... |
def x(data, schema):
jsonschema.validate(data, schema)
if data.get('_id') is not None:
del data['_id']
| drop_id_validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, schema):\n jsonschema.validate(data, schema)\n if data.get('_id') is not None:\n del data['_id']\n",
"role": "user"
},
{
"conten... |
def x(data, schema):
jsonschema.validate(data, schema)
data['timestamp'] = str(time.time())
| timestamping_validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, schema):\n jsonschema.validate(data, schema)\n data['timestamp'] = str(time.time())\n",
"role": "user"
},
{
"content": "timestamping_va... |
def x(data, schema):
jsonschema.validate(data, schema)
data['special'] = str(data['name'] == 'Garfield').lower()
| special_validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, schema):\n jsonschema.validate(data, schema)\n data['special'] = str(data['name'] == 'Garfield').lower()\n",
"role": "user"
},
{
"conte... |
def x(err, data, schema):
abort(Response(json.dumps({'error': str(err), 'data': data, 'schema':
schema}), status=HTTPStatus.BAD_REQUEST))
| validation_error_inform_error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(err, data, schema):\n abort(Response(json.dumps({'error': str(err), 'data': data, 'schema':\n schema}), status=HTTPStatus.BAD_REQUEST))\n",
"role... |
def x(err, data, schema):
if not isinstance(err, ValidationError):
abort(Response(err, status=HTTPStatus.BAD_REQUEST))
alernative_schema = dict(schema)
alernative_schema['properties']['running_time'].update({'description':
"Films's running time", 'type': 'integer', 'example': 169})
try:
jsonschema.validate(data, alernative_schema)
except ValidationError as err:
abort(Response(str(err), status=400))
| validation_error_try_to_accept | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(err, data, schema):\n if not isinstance(err, ValidationError):\n abort(Response(err, status=HTTPStatus.BAD_REQUEST))\n alernative_schema = dict(sc... |
def x(d, definitions=None):
if Schema is None:
raise RuntimeError('Please install marshmallow and apispec')
if definitions is None:
definitions = {}
definitions.update(d.get('definitions', {}))
new = {}
for k, v in d.items():
if isinstance(v, dict):
v = convert_schemas(v, definitions)
if isinstance(v, (list, tuple)):
new_v = []
for item in v:
if isinstance(item, dict):
new_v.append(convert_schemas(item, definitions))
else:
new_v.append(item)
v = new_v
if inspect.isclass(v) and issubclass(v, Schema):
definitions[v.__name__] = schema2jsonschema(v)
ref = {'$ref': '#/definitions/{0}'.format(v.__name__)}
if k == 'parameters':
new[k] = schema2parameters(v)
new[k][0]['schema'] = ref
else:
new[k] = ref
else:
new[k] = v
if 'definitions' in new:
del new['definitions']
return new
| convert_schemas | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, definitions=None):\n if Schema is None:\n raise RuntimeError('Please install marshmallow and apispec')\n if definitions is None:\n defin... |
def x(self, app=None, definitions=None, paths=None):
if Schema is None:
raise RuntimeError('Please install marshmallow and apispec')
return flasgger.utils.apispec_to_template(app, self, definitions=
definitions, paths=paths)
| to_flasgger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app=None, definitions=None, paths=None):\n if Schema is None:\n raise RuntimeError('Please install marshmallow and apispec')\n return flasgg... |
def x(self, *args, **kwargs):
if self.validation:
specs = {}
attrs = flasgger.constants.OPTIONAL_FIELDS + ['parameters',
'definitions', 'responses', 'summary', 'description']
for attr in attrs:
specs[attr] = getattr(self, attr)
definitions = {}
specs.update(convert_schemas(specs, definitions))
specs['definitions'] = definitions
flasgger.utils.validate(specs=specs, validation_function=self.
validation_function)
return super(SwaggerView, self).dispatch_request(*args, **kwargs)
| dispatch_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n if self.validation:\n specs = {}\n attrs = flasgger.constants.OPTIONAL_FIELDS + ['parameters',\n 'definit... |
def x(target, source):
for key, value in source.items():
if isinstance(value, dict):
node = target.setdefault(key, {})
merge_specs(node, value)
elif isinstance(value, list):
node = target.setdefault(key, [])
node.extend(value)
else:
target[key] = value
| merge_specs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(target, source):\n for key, value in source.items():\n if isinstance(value, dict):\n node = target.setdefault(key, {})\n merge_... |
def x(specs=None, filetype=None, endpoint=None, methods=None, validation=
False, schema_id=None, data=None, definition=None, validation_function=
None, validation_error_handler=None):
def x(function, filepath):
if not filepath.startswith('/'):
if not hasattr(function, 'root_path'):
function.root_path = get_root_path(function)
res = os.path.join(function.root_path, filepath)
return res
return filepath
def x(function):
final_filepath = resolve_path(function, specs)
function.swag_type = filetype or specs.split('.')[-1]
if endpoint or methods:
if not hasattr(function, 'swag_paths'):
function.swag_paths = {}
if not endpoint and not methods:
function.swag_path = final_filepath
elif endpoint and methods:
for verb in methods:
key = '{}_{}'.format(endpoint, verb.lower())
function.swag_paths[key] = final_filepath
elif endpoint and not methods:
function.swag_paths[endpoint] = final_filepath
elif methods and not endpoint:
for verb in methods:
function.swag_paths[verb.lower()] = final_filepath
def x(function):
function.specs_dict = specs
def x(function):
if isinstance(specs, string_types):
set_from_filepath(function)
swag_path = getattr(function, 'swag_path', None)
swag_paths = getattr(function, 'swag_paths', None)
validate_args = {'filepath': swag_path or swag_paths, 'root':
getattr(function, 'root_path', None)}
if isinstance(specs, dict):
set_from_specs_dict(function)
validate_args = {'specs': specs}
@wraps(function)
def x(*args, **kwargs):
if validation is True:
validate(data, schema_id or definition, validation_function
=validation_function, validation_error_handler=
validation_error_handler, **validate_args)
return function(*args, **kwargs)
return wrapper
return decorator
| swag_from | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(specs=None, filetype=None, endpoint=None, methods=None, validation=\n False, schema_id=None, data=None, definition=None, validation_function=\n None, val... |
def x(data=None, schema_id=None, filepath=None, root=None, definition=None,
specs=None, validation_function=None, validation_error_handler=None):
schema_id = schema_id or definition
if filepath is None and specs is None:
abort(Response('Filepath or specs is needed to validate', status=500))
if data is None:
data = request.json
elif callable(data):
data = data()
if not data:
abort(Response('No data to validate', status=500))
endpoint = request.endpoint.lower().replace('.', '_')
verb = request.method.lower()
if filepath is not None:
if not root:
try:
frame_info = inspect.stack()[1]
root = os.path.dirname(os.path.abspath(frame_info[1]))
except Exception:
root = None
else:
root = os.path.dirname(root)
if not filepath.startswith('/'):
final_filepath = os.path.join(root, filepath)
else:
final_filepath = filepath
full_doc = load_from_file(final_filepath)
yaml_start = full_doc.find('---')
swag = yaml.load(full_doc[yaml_start if yaml_start >= 0 else 0:])
else:
swag = copy.deepcopy(specs)
params = [item for item in swag.get('parameters', []) if item.get('schema')
]
definitions = {}
main_def = {}
raw_definitions = extract_definitions(params, endpoint=endpoint, verb=verb)
if schema_id is None:
for param in params:
if param.get('in') == 'body':
schema_id = param.get('schema', {}).get('$ref')
if schema_id:
schema_id = schema_id.split('/')[-1]
break
if schema_id is None:
if raw_definitions:
schema_id = raw_definitions[0].get('id')
for defi in raw_definitions:
if defi['id'].lower() == schema_id.lower():
main_def = defi.copy()
else:
definitions[defi['id']] = defi
if schema_id in swag.get('definitions', {}):
main_def = swag.get('definitions', {}).get(schema_id)
main_def['definitions'] = definitions
for key, value in definitions.items():
if 'id' in value:
del value['id']
if validation_function is None:
validation_function = jsonschema.validate
try:
validation_function(data, main_def)
except Exception as err:
if validation_error_handler is not None:
validation_error_handler(err, data, main_def)
else:
abort(Response(str(err), status=400))
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data=None, schema_id=None, filepath=None, root=None, definition=None,\n specs=None, validation_function=None, validation_error_handler=None):\n schema_id... |
def x(app, spec, definitions=None, paths=None):
definitions = definitions or []
paths = paths or []
spec_dict = spec.to_dict()
with app.app_context():
for definition in definitions:
if isinstance(definition, (tuple, list)):
name, schema = definition
else:
schema = definition
name = schema.__name__.replace('Schema', '')
spec.components.schema(name, schema=schema)
for path in paths:
spec.path(view=path)
ret = ordered_dict_to_dict(spec_dict)
return ret
| apispec_to_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, spec, definitions=None, paths=None):\n definitions = definitions or []\n paths = paths or []\n spec_dict = spec.to_dict()\n with app.app_conte... |
def x(d):
ret = {}
new_d = deepcopy(d)
for k, v in new_d.items():
if isinstance(v, OrderedDict):
v = dict(v)
if isinstance(v, dict):
v = ordered_dict_to_dict(v)
ret[k] = v
return ret
| ordered_dict_to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d):\n ret = {}\n new_d = deepcopy(d)\n for k, v in new_d.items():\n if isinstance(v, OrderedDict):\n v = dict(v)\n if isinsta... |
def x(basenames, examples_dir='examples/'):
example = examples_dir.replace('/', '.')
return [(example + basename) for basename in basenames]
| pathify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(basenames, examples_dir='examples/'):\n example = examples_dir.replace('/', '.')\n return [(example + basename) for basename in basenames]\n",
"role"... |
def x(examples_dir='examples/'):
all_files = os.listdir(examples_dir)
python_files = [f for f in all_files if is_python_file(f)]
basenames = [remove_suffix(f) for f in python_files]
modules = [import_module(module) for module in pathify(basenames)]
return [module for module in modules if getattr(module, 'app', None) is not
None]
| get_examples | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(examples_dir='examples/'):\n all_files = os.listdir(examples_dir)\n python_files = [f for f in all_files if is_python_file(f)]\n basenames = [remove_s... |
def x(full_doc):
swag_path = full_doc.replace('file:', '').strip()
swag_type = swag_path.split('.')[-1]
return swag_path, swag_type
| get_path_from_doc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(full_doc):\n swag_path = full_doc.replace('file:', '').strip()\n swag_type = swag_path.split('.')[-1]\n return swag_path, swag_type\n",
"role": "u... |
def x(swag_path, swag_type='yml', root_path=None):
if swag_type not in ('yaml', 'yml'):
raise AttributeError('Currently only yaml or yml supported')
try:
enc = detect_by_bom(swag_path)
with codecs.open(swag_path, encoding=enc) as yaml_file:
return yaml_file.read()
except IOError:
swag_path = os.path.join(root_path or os.path.dirname(__file__),
swag_path)
try:
enc = detect_by_bom(swag_path)
with codecs.open(swag_path, encoding=enc) as yaml_file:
return yaml_file.read()
except IOError:
swag_path = swag_path.replace('/', os.sep).replace('\\', os.sep)
path = swag_path.replace(root_path or os.path.dirname(__file__), ''
).split(os.sep)[1:]
site_package = imp.find_module(path[0])[1]
swag_path = os.path.join(site_package, os.sep.join(path[1:]))
with open(swag_path) as yaml_file:
return yaml_file.read()
| load_from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(swag_path, swag_type='yml', root_path=None):\n if swag_type not in ('yaml', 'yml'):\n raise AttributeError('Currently only yaml or yml supported')\n ... |
def x(obj, process_doc, endpoint=None, verb=None):
first_line, other_lines, swag = None, None, None
full_doc = None
swag_path = getattr(obj, 'swag_path', None)
swag_type = getattr(obj, 'swag_type', 'yml')
swag_paths = getattr(obj, 'swag_paths', None)
root_path = get_root_path(obj)
from_file = False
if swag_path is not None:
full_doc = load_from_file(swag_path, swag_type)
from_file = True
elif swag_paths is not None:
for key in ('{}_{}'.format(endpoint, verb), endpoint, verb.lower()):
if key in swag_paths:
full_doc = load_from_file(swag_paths[key], swag_type)
break
from_file = True
else:
full_doc = inspect.getdoc(obj)
if full_doc:
if full_doc.startswith('file:'):
if not hasattr(obj, 'root_path'):
obj.root_path = root_path
swag_path, swag_type = get_path_from_doc(full_doc)
doc_filepath = os.path.join(obj.root_path, swag_path)
full_doc = load_from_file(doc_filepath, swag_type)
from_file = True
full_doc = parse_imports(full_doc, root_path)
yaml_sep = full_doc.find('---')
if yaml_sep != -1:
line_feed = full_doc.find('\n')
if line_feed != -1:
first_line = process_doc(full_doc[:line_feed])
other_lines = process_doc(full_doc[line_feed + 1:yaml_sep])
swag = yaml.load(full_doc[yaml_sep + 4:])
elif from_file:
swag = yaml.load(full_doc)
else:
first_line = full_doc
return first_line, other_lines, swag
| parse_docstring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, process_doc, endpoint=None, verb=None):\n first_line, other_lines, swag = None, None, None\n full_doc = None\n swag_path = getattr(obj, 'swag_pat... |
def x(obj):
try:
filename = os.path.abspath(obj.__globals__['__file__'])
except (KeyError, AttributeError):
if getattr(obj, '__wrapped__', None):
return get_root_path(obj.__wrapped__)
filename = inspect.getfile(obj)
return os.path.dirname(filename)
| get_root_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n try:\n filename = os.path.abspath(obj.__globals__['__file__'])\n except (KeyError, AttributeError):\n if getattr(obj, '__wrapped__'... |
def x(obj, process_doc):
doc_lines, swag = None, None
full_doc = None
swag_path = getattr(obj, 'swag_path', None)
swag_type = getattr(obj, 'swag_type', 'yml')
if swag_path is not None:
full_doc = load_from_file(swag_path, swag_type)
else:
full_doc = inspect.getdoc(obj)
if full_doc:
if full_doc.startswith('file:'):
if not hasattr(obj, 'root_path'):
obj.root_path = get_root_path(obj)
swag_path, swag_type = get_path_from_doc(full_doc)
doc_filepath = os.path.join(obj.root_path, swag_path)
full_doc = load_from_file(doc_filepath, swag_type)
yaml_sep = full_doc.find('---')
if yaml_sep != -1:
doc_lines = process_doc(full_doc[:yaml_sep - 1])
swag = yaml.load(full_doc[yaml_sep:])
else:
doc_lines = process_doc(full_doc)
return doc_lines, swag
| parse_definition_docstring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, process_doc):\n doc_lines, swag = None, None\n full_doc = None\n swag_path = getattr(obj, 'swag_path', None)\n swag_type = getattr(obj, 'swag_... |
def x(full_doc, root_path=None):
regex = re.compile('import: "(.*)"')
import_prop = regex.search(full_doc)
if import_prop:
start = import_prop.start()
spaces_num = start - full_doc.rfind('\n', 0, start) - 1
filepath = import_prop.group(1)
if filepath.startswith('/'):
imported_doc = load_from_file(filepath)
else:
imported_doc = load_from_file(filepath, root_path=root_path)
indented_imported_doc = imported_doc.replace('\n', '\n' + ' ' *
spaces_num)
full_doc = regex.sub(indented_imported_doc, full_doc, count=1)
return parse_imports(full_doc)
return full_doc
| parse_imports | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(full_doc, root_path=None):\n regex = re.compile('import: \"(.*)\"')\n import_prop = regex.search(full_doc)\n if import_prop:\n start = import_p... |
def x(alist, level=None, endpoint=None, verb=None, prefix_ids=False):
endpoint = endpoint or request.endpoint.lower()
verb = verb or request.method.lower()
endpoint = endpoint.replace('.', '_')
def x(source):
ret = []
items = source.get('items')
if items is not None and 'schema' in items:
ret += extract_definitions([items], level + 1, endpoint, verb,
prefix_ids)
return ret
if level is None:
level = 0
defs = list()
for item in alist:
if not getattr(item, 'get'):
raise RuntimeError('definitions must be a list of dicts')
schema = item.get('schema')
if schema is not None:
schema_id = schema.get('id')
if schema_id is not None:
if prefix_ids:
schema['id'] = schema_id = '{}_{}_{}'.format(endpoint,
verb, schema_id)
defs.append(schema)
ref = {'$ref': '#/definitions/{}'.format(schema_id)}
if level == 0:
item['schema'] = ref
else:
item.update(ref)
del item['schema']
properties = schema.get('properties')
if properties is not None:
defs += extract_definitions(properties.values(), level + 1,
endpoint, verb, prefix_ids)
defs += _extract_array_defs(schema)
defs += _extract_array_defs(item)
return defs
| extract_definitions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(alist, level=None, endpoint=None, verb=None, prefix_ids=False):\n endpoint = endpoint or request.endpoint.lower()\n verb = verb or request.method.lower()... |
def x(endpoint):
klass = endpoint.__dict__.get('view_class', None)
return klass and hasattr(klass, 'dispatch_request') and hasattr(endpoint,
'methods') and getattr(klass, 'dispatch_request').__doc__
| has_valid_dispatch_view_docs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint):\n klass = endpoint.__dict__.get('view_class', None)\n return klass and hasattr(klass, 'dispatch_request') and hasattr(endpoint,\n 'meth... |
def x(endpoint):
klass = endpoint.__dict__.get('view_class', None)
try:
return issubclass(klass, MethodView)
except TypeError:
return False
| is_valid_method_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint):\n klass = endpoint.__dict__.get('view_class', None)\n try:\n return issubclass(klass, MethodView)\n except TypeError:\n retur... |
def x(mapping):
return {k: v for k, v in mapping.items() if k.startswith('x-')}
| get_vendor_extension_fields | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mapping):\n return {k: v for k, v in mapping.items() if k.startswith('x-')}\n",
"role": "user"
},
{
"content": "get_vendor_extension_fields",
... |
def x():
try:
username = request.form.get('username')
password = request.form.get('password')
user = authenticate(username, password)
if not user:
raise Exception('User not found!')
resp = jsonify({'message': 'User authenticated'})
resp.status_code = 200
access_token = jwt.jwt_encode_callback(user)
resp.headers.extend({'jwt-token': access_token})
except Exception as e:
resp = jsonify({'message': 'Bad username and/or password'})
resp.status_code = 401
return resp
| login | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n username = request.form.get('username')\n password = request.form.get('password')\n user = authenticate(username, password)... |
def x(self):
base_endpoint = self.config.get('endpoint', 'flasgger')
specs = [{'url': url_for('.'.join((base_endpoint, spec['endpoint']))),
'title': spec.get('title', 'API Spec 1'), 'version': spec.get(
'version', '0.0.1'), 'endpoint': spec.get('endpoint')} for spec in
self.config.get('specs', [])]
data = {'specs': specs, 'title': self.config.get('title', 'Flasgger')}
if request.args.get('json'):
return jsonify(data)
else:
data['flasgger_config'] = self.config
data['json'] = json
data['flasgger_version'] = __version__
data['favicon'] = self.config.get('favicon', url_for(
'flasgger.static', filename='favicon-32x32.png'))
data['swagger_ui_bundle_js'] = self.config.get('swagger_ui_bundle_js',
url_for('flasgger.static', filename='swagger-ui-bundle.js'))
data['swagger_ui_standalone_preset_js'] = self.config.get(
'swagger_ui_standalone_preset_js', url_for('flasgger.static',
filename='swagger-ui-standalone-preset.js'))
data['jquery_js'] = self.config.get('jquery_js', url_for(
'flasgger.static', filename='lib/jquery.min.js'))
data['swagger_ui_css'] = self.config.get('swagger_ui_css', url_for(
'flasgger.static', filename='swagger-ui.css'))
return render_template('flasgger/index.html', **data)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n base_endpoint = self.config.get('endpoint', 'flasgger')\n specs = [{'url': url_for('.'.join((base_endpoint, spec['endpoint']))),\n 'title... |
def x(self, app, decorators=None):
self.decorators = decorators or self.decorators
self.app = app
self.load_config(app)
if self.template_file is not None:
self.template = self.load_swagger_file(self.template_file)
self.register_views(app)
self.add_headers(app)
if self.parse:
if RequestParser is None:
raise RuntimeError('Please install flask_restful')
self.parsers = {}
self.schemas = {}
self.format_checker = jsonschema.FormatChecker()
self.parse_request(app)
self._configured = True
app.swag = self
| init_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app, decorators=None):\n self.decorators = decorators or self.decorators\n self.app = app\n self.load_config(app)\n if self.template_file is ... |
def x(self, rule_filter=None):
rule_filter = rule_filter or (lambda rule: True)
app_rules = [rule for rule in current_app.url_map.iter_rules() if
rule_filter(rule)]
return app_rules
| get_url_mappings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rule_filter=None):\n rule_filter = rule_filter or (lambda rule: True)\n app_rules = [rule for rule in current_app.url_map.iter_rules() if\n ... |
def x(self, definition_filter=None):
model_filter = definition_filter or (lambda tag: True)
return {definition.name: definition.obj for definition in self.
definition_models if model_filter(definition)}
| get_def_models | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, definition_filter=None):\n model_filter = definition_filter or (lambda tag: True)\n return {definition.name: definition.obj for definition in self.... |
def x(self, name, tags=None):
def x(obj):
self.definition_models.append(SwaggerDefinition(name, obj, tags=tags))
return obj
return wrapper
| definition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, tags=None):\n\n def x(obj):\n self.definition_models.append(SwaggerDefinition(name, obj, tags=tags))\n return obj\n return wrap... |
def x(self, app):
def x(view):
if self.decorators:
for decorator in self.decorators:
view = decorator(view)
return view
if self.config.get('swagger_ui', True):
uiversion = self.config.get('uiversion', 3)
blueprint = Blueprint(self.config.get('endpoint', 'flasgger'),
__name__, url_prefix=self.config.get('url_prefix', None),
subdomain=self.config.get('subdomain', None), template_folder=
self.config.get('template_folder', 'ui{0}/templates'.format(
uiversion)), static_folder=self.config.get('static_folder',
'ui{0}/static'.format(uiversion)), static_url_path=self.config.
get('static_url_path', None))
blueprint.add_url_rule(self.config.get('specs_route', '/apidocs/'),
'apidocs', view_func=wrap_view(APIDocsView().as_view('apidocs',
view_args=dict(config=self.config))))
blueprint.add_url_rule('/apidocs/index.html', view_func=lambda :
redirect(url_for('flasgger.apidocs')))
else:
blueprint = Blueprint(self.config.get('endpoint', 'flasgger'), __name__
)
for spec in self.config['specs']:
self.endpoints.append(spec['endpoint'])
blueprint.add_url_rule(spec['route'], spec['endpoint'], view_func=
wrap_view(APISpecsView.as_view(spec['endpoint'], loader=partial
(self.get_apispecs, endpoint=spec['endpoint']))))
app.register_blueprint(blueprint)
| register_views | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app):\n\n def x(view):\n if self.decorators:\n for decorator in self.decorators:\n view = decorator(view)\n re... |
def x(self, app):
@app.after_request
def x(response):
for header, value in self.config.get('headers'):
response.headers[header] = value
return response
| add_headers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app):\n\n @app.after_request\n def x(response):\n for header, value in self.config.get('headers'):\n response.headers[header] = v... |
def x(self, schema_id, validation_function=None, validation_error_handler=None
):
if validation_function is None:
validation_function = self.validation_function
if validation_error_handler is None:
validation_error_handler = self.validation_error_handler
def x(func):
@wraps(func)
def x(*args, **kwargs):
specs = get_schema_specs(schema_id, self)
validate(schema_id=schema_id, specs=specs, validation_function=
validation_function, validation_error_handler=
validation_error_handler)
return func(*args, **kwargs)
return wrapper
return decorator
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, schema_id, validation_function=None, validation_error_handler=None\n ):\n if validation_function is None:\n validation_function = self.valid... |
def x(self, schema_id):
schema_specs = get_schema_specs(schema_id, self)
if schema_specs is None:
raise KeyError("Specified schema_id '{0}' not found".format(schema_id))
for schema in (parameter.get('schema') for parameter in schema_specs[
'parameters']):
if schema is not None and schema.get('id').lower() == schema_id:
return schema
| get_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, schema_id):\n schema_specs = get_schema_specs(schema_id, self)\n if schema_specs is None:\n raise KeyError(\"Specified schema_id '{0}' not f... |
def x(self, todo_id):
args = parser.parse_args()
task = {'task': args['task']}
TODOS[todo_id] = task
return task, 201
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, todo_id):\n args = parser.parse_args()\n task = {'task': args['task']}\n TODOS[todo_id] = task\n return task, 201\n",
"role": "user"
},... |
def x(self):
args = parser.parse_args()
todo_id = int(max(TODOS.keys()).lstrip('todo')) + 1
todo_id = 'todo%i' % todo_id
TODOS[todo_id] = {'task': args['task']}
return TODOS[todo_id], 201
| post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n args = parser.parse_args()\n todo_id = int(max(TODOS.keys()).lstrip('todo')) + 1\n todo_id = 'todo%i' % todo_id\n TODOS[todo_id] = {'task'... |
def x(palette):
all_colors = {'cmyk': ['cian', 'magenta', 'yellow', 'black'], 'rgb': [
'red', 'green', 'blue']}
if palette == 'all':
result = all_colors
else:
result = {palette: all_colors.get(palette)}
return jsonify(result)
| colors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(palette):\n all_colors = {'cmyk': ['cian', 'magenta', 'yellow', 'black'], 'rgb': [\n 'red', 'green', 'blue']}\n if palette == 'all':\n resu... |
def x(f):
def x(username, password):
return username == 'guest' and password == 'secret'
def x():
return Response('Authentication required.', 401, {
'WWW-Authenticate': "Basic realm='Login Required'"})
@wraps(f)
def x(*args, **kwargs):
if __name__ != '__main__':
return f(*args, **kwargs)
auth = request.authorization
if not auth or not check_auth(auth.username, auth.password):
return authenticate()
return f(*args, **kwargs)
return decorated
| requires_basic_auth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n\n def x(username, password):\n return username == 'guest' and password == 'secret'\n\n def x():\n return Response('Authentication req... |
def x(image, scale: float):
height, width, _ = image.shape
width_scaled = int(np.ceil(width * scale))
height_scaled = int(np.ceil(height * scale))
im_data = cv2.resize(image, (width_scaled, height_scaled),
interpolation=cv2.INTER_AREA)
im_data_normalized = (im_data - 127.5) * 0.0078125
return im_data_normalized
| scale_image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image, scale: float):\n height, width, _ = image.shape\n width_scaled = int(np.ceil(width * scale))\n height_scaled = int(np.ceil(height * scale))\n ... |
def x(boxes, threshold, method):
if boxes.size == 0:
return np.empty((0, 3))
x1 = boxes[:, 0]
y1 = boxes[:, 1]
x2 = boxes[:, 2]
y2 = boxes[:, 3]
s = boxes[:, 4]
area = (x2 - x1 + 1) * (y2 - y1 + 1)
sorted_s = np.argsort(s)
pick = np.zeros_like(s, dtype=np.int16)
counter = 0
while sorted_s.size > 0:
i = sorted_s[-1]
pick[counter] = i
counter += 1
idx = sorted_s[0:-1]
xx1 = np.maximum(x1[i], x1[idx])
yy1 = np.maximum(y1[i], y1[idx])
xx2 = np.minimum(x2[i], x2[idx])
yy2 = np.minimum(y2[i], y2[idx])
w = np.maximum(0.0, xx2 - xx1 + 1)
h = np.maximum(0.0, yy2 - yy1 + 1)
inter = w * h
if method is 'Min':
o = inter / np.minimum(area[i], area[idx])
else:
o = inter / (area[i] + area[idx] - inter)
sorted_s = sorted_s[np.where(o <= threshold)]
pick = pick[0:counter]
return pick
| nms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(boxes, threshold, method):\n if boxes.size == 0:\n return np.empty((0, 3))\n x1 = boxes[:, 0]\n y1 = boxes[:, 1]\n x2 = boxes[:, 2]\n y2 ... |
def x(self, img) ->list:
if img is None or not hasattr(img, 'shape'):
raise InvalidImage('Image not valid.')
height, width, _ = img.shape
stage_status = StageStatus(width=width, height=height)
m = 12 / self.__min_face_size
min_layer = np.amin([height, width]) * m
scales = self.__compute_scale_pyramid(m, min_layer)
stages = [self.__stage1, self.__stage2, self.__stage3]
result = [scales, stage_status]
for stage in stages:
result = stage(img, result[0], result[1])
[total_boxes, points] = result
bounding_boxes = []
for bounding_box, keypoints in zip(total_boxes, points.T):
bounding_boxes.append({'box': [int(bounding_box[0]), int(
bounding_box[1]), int(bounding_box[2] - bounding_box[0]), int(
bounding_box[3] - bounding_box[1])], 'confidence': bounding_box
[-1], 'keypoints': {'left_eye': (int(keypoints[0]), int(
keypoints[5])), 'right_eye': (int(keypoints[1]), int(keypoints[
6])), 'nose': (int(keypoints[2]), int(keypoints[7])),
'mouth_left': (int(keypoints[3]), int(keypoints[8])),
'mouth_right': (int(keypoints[4]), int(keypoints[9]))}})
return bounding_boxes
| detect_faces | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, img) ->list:\n if img is None or not hasattr(img, 'shape'):\n raise InvalidImage('Image not valid.')\n height, width, _ = img.shape\n sta... |
def x(self, image, scales: list, stage_status: StageStatus):
total_boxes = np.empty((0, 9))
status = stage_status
for scale in scales:
scaled_image = self.__scale_image(image, scale)
img_x = np.expand_dims(scaled_image, 0)
img_y = np.transpose(img_x, (0, 2, 1, 3))
out = self.__pnet.feed(img_y)
out0 = np.transpose(out[0], (0, 2, 1, 3))
out1 = np.transpose(out[1], (0, 2, 1, 3))
boxes, _ = self.__generate_bounding_box(out1[0, :, :, 1].copy(),
out0[0, :, :, :].copy(), scale, self.__steps_threshold[0])
pick = self.__nms(boxes.copy(), 0.5, 'Union')
if boxes.size > 0 and pick.size > 0:
boxes = boxes[pick, :]
total_boxes = np.append(total_boxes, boxes, axis=0)
numboxes = total_boxes.shape[0]
if numboxes > 0:
pick = self.__nms(total_boxes.copy(), 0.7, 'Union')
total_boxes = total_boxes[pick, :]
regw = total_boxes[:, 2] - total_boxes[:, 0]
regh = total_boxes[:, 3] - total_boxes[:, 1]
qq1 = total_boxes[:, 0] + total_boxes[:, 5] * regw
qq2 = total_boxes[:, 1] + total_boxes[:, 6] * regh
qq3 = total_boxes[:, 2] + total_boxes[:, 7] * regw
qq4 = total_boxes[:, 3] + total_boxes[:, 8] * regh
total_boxes = np.transpose(np.vstack([qq1, qq2, qq3, qq4,
total_boxes[:, 4]]))
total_boxes = self.__rerec(total_boxes.copy())
total_boxes[:, 0:4] = np.fix(total_boxes[:, 0:4]).astype(np.int32)
status = StageStatus(self.__pad(total_boxes.copy(), stage_status.
width, stage_status.height), width=stage_status.width, height=
stage_status.height)
return total_boxes, status
| stage1 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, image, scales: list, stage_status: StageStatus):\n total_boxes = np.empty((0, 9))\n status = stage_status\n for scale in scales:\n scaled... |
def x(self, img, total_boxes, stage_status: StageStatus):
num_boxes = total_boxes.shape[0]
if num_boxes == 0:
return total_boxes, stage_status
tempimg = np.zeros(shape=(24, 24, 3, num_boxes))
for k in range(0, num_boxes):
tmp = np.zeros((int(stage_status.tmph[k]), int(stage_status.tmpw[k]
), 3))
tmp[stage_status.dy[k] - 1:stage_status.edy[k], stage_status.dx[k] -
1:stage_status.edx[k], :] = img[stage_status.y[k] - 1:
stage_status.ey[k], stage_status.x[k] - 1:stage_status.ex[k], :]
if tmp.shape[0] > 0 and tmp.shape[1] > 0 or tmp.shape[0
] == 0 and tmp.shape[1] == 0:
tempimg[:, :, :, k] = cv2.resize(tmp, (24, 24), interpolation=
cv2.INTER_AREA)
else:
return np.empty(shape=(0,)), stage_status
tempimg = (tempimg - 127.5) * 0.0078125
tempimg1 = np.transpose(tempimg, (3, 1, 0, 2))
out = self.__rnet.feed(tempimg1)
out0 = np.transpose(out[0])
out1 = np.transpose(out[1])
score = out1[1, :]
ipass = np.where(score > self.__steps_threshold[1])
total_boxes = np.hstack([total_boxes[ipass[0], 0:4].copy(), np.
expand_dims(score[ipass].copy(), 1)])
mv = out0[:, ipass[0]]
if total_boxes.shape[0] > 0:
pick = self.__nms(total_boxes, 0.7, 'Union')
total_boxes = total_boxes[pick, :]
total_boxes = self.__bbreg(total_boxes.copy(), np.transpose(mv[:,
pick]))
total_boxes = self.__rerec(total_boxes.copy())
return total_boxes, stage_status
| stage2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, img, total_boxes, stage_status: StageStatus):\n num_boxes = total_boxes.shape[0]\n if num_boxes == 0:\n return total_boxes, stage_status\n ... |
def x(self, img, total_boxes, stage_status: StageStatus):
num_boxes = total_boxes.shape[0]
if num_boxes == 0:
return total_boxes, np.empty(shape=(0,))
total_boxes = np.fix(total_boxes).astype(np.int32)
status = StageStatus(self.__pad(total_boxes.copy(), stage_status.width,
stage_status.height), width=stage_status.width, height=stage_status
.height)
tempimg = np.zeros((48, 48, 3, num_boxes))
for k in range(0, num_boxes):
tmp = np.zeros((int(status.tmph[k]), int(status.tmpw[k]), 3))
tmp[status.dy[k] - 1:status.edy[k], status.dx[k] - 1:status.edx[k], :
] = img[status.y[k] - 1:status.ey[k], status.x[k] - 1:status.ex
[k], :]
if tmp.shape[0] > 0 and tmp.shape[1] > 0 or tmp.shape[0
] == 0 and tmp.shape[1] == 0:
tempimg[:, :, :, k] = cv2.resize(tmp, (48, 48), interpolation=
cv2.INTER_AREA)
else:
return np.empty(shape=(0,)), np.empty(shape=(0,))
tempimg = (tempimg - 127.5) * 0.0078125
tempimg1 = np.transpose(tempimg, (3, 1, 0, 2))
out = self.__onet.feed(tempimg1)
out0 = np.transpose(out[0])
out1 = np.transpose(out[1])
out2 = np.transpose(out[2])
score = out2[1, :]
points = out1
ipass = np.where(score > self.__steps_threshold[2])
points = points[:, ipass[0]]
total_boxes = np.hstack([total_boxes[ipass[0], 0:4].copy(), np.
expand_dims(score[ipass].copy(), 1)])
mv = out0[:, ipass[0]]
w = total_boxes[:, 2] - total_boxes[:, 0] + 1
h = total_boxes[:, 3] - total_boxes[:, 1] + 1
points[0:5, :] = np.tile(w, (5, 1)) * points[0:5, :] + np.tile(total_boxes
[:, 0], (5, 1)) - 1
points[5:10, :] = np.tile(h, (5, 1)) * points[5:10, :] + np.tile(
total_boxes[:, 1], (5, 1)) - 1
if total_boxes.shape[0] > 0:
total_boxes = self.__bbreg(total_boxes.copy(), np.transpose(mv))
pick = self.__nms(total_boxes.copy(), 0.7, 'Min')
total_boxes = total_boxes[pick, :]
points = points[:, pick]
return total_boxes, points
| stage3 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, img, total_boxes, stage_status: StageStatus):\n num_boxes = total_boxes.shape[0]\n if num_boxes == 0:\n return total_boxes, np.empty(shape=(... |
def x(self, name: str, shape: list):
return tf.get_variable(name, shape, trainable=self.__network.is_trainable()
)
| make_var | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name: str, shape: list):\n return tf.get_variable(name, shape, trainable=self.__network.is_trainable()\n )\n",
"role": "user"
},
{
... |
def x(self, name: str, layer_shape: tuple):
feed_data = tf.placeholder(tf.float32, layer_shape, 'input')
self.__network.add_layer(name, layer_output=feed_data)
| new_feed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name: str, layer_shape: tuple):\n feed_data = tf.placeholder(tf.float32, layer_shape, 'input')\n self.__network.add_layer(name, layer_output=feed_d... |
def x(self, name: str, kernel_size: tuple, channels_output: int,
stride_size: tuple, padding: str='SAME', group: int=1, biased: bool=
True, relu: bool=True, input_layer_name: str=None):
self.__validate_padding(padding)
input_layer = self.__network.get_layer(input_layer_name)
channels_input = int(input_layer.get_shape()[-1])
self.__validate_grouping(channels_input, channels_output, group)
convolve = lambda input_val, kernel: tf.nn.conv2d(input_val, kernel, [1,
stride_size[1], stride_size[0], 1], padding=padding)
with tf.variable_scope(name) as scope:
kernel = self.__make_var('weights', shape=[kernel_size[1],
kernel_size[0], channels_input // group, channels_output])
output = convolve(input_layer, kernel)
if biased:
biases = self.__make_var('biases', [channels_output])
output = tf.nn.bias_add(output, biases)
if relu:
output = tf.nn.relu(output, name=scope.name)
self.__network.add_layer(name, layer_output=output)
| new_conv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name: str, kernel_size: tuple, channels_output: int,\n stride_size: tuple, padding: str='SAME', group: int=1, biased: bool=\n True, relu: bool=True... |
def x(self, name: str, input_layer_name: str=None):
input_layer = self.__network.get_layer(input_layer_name)
with tf.variable_scope(name):
channels_input = int(input_layer.get_shape()[-1])
alpha = self.__make_var('alpha', shape=[channels_input])
output = tf.nn.relu(input_layer) + tf.multiply(alpha, -tf.nn.relu(-
input_layer))
self.__network.add_layer(name, layer_output=output)
| new_prelu | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name: str, input_layer_name: str=None):\n input_layer = self.__network.get_layer(input_layer_name)\n with tf.variable_scope(name):\n channel... |
def x(self, name: str, kernel_size: tuple, stride_size: tuple, padding=
'SAME', input_layer_name: str=None):
self.__validate_padding(padding)
input_layer = self.__network.get_layer(input_layer_name)
output = tf.nn.max_pool(input_layer, ksize=[1, kernel_size[1],
kernel_size[0], 1], strides=[1, stride_size[1], stride_size[0], 1],
padding=padding, name=name)
self.__network.add_layer(name, layer_output=output)
| new_max_pool | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name: str, kernel_size: tuple, stride_size: tuple, padding=\n 'SAME', input_layer_name: str=None):\n self.__validate_padding(padding)\n input_la... |
def x(self, name: str, output_count: int, relu=True, input_layer_name: str=None
):
with tf.variable_scope(name):
input_layer = self.__network.get_layer(input_layer_name)
vectorized_input, dimension = self.vectorize_input(input_layer)
weights = self.__make_var('weights', shape=[dimension, output_count])
biases = self.__make_var('biases', shape=[output_count])
operation = tf.nn.relu_layer if relu else tf.nn.xw_plus_b
fc = operation(vectorized_input, weights, biases, name=name)
self.__network.add_layer(name, layer_output=fc)
| new_fully_connected | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name: str, output_count: int, relu=True, input_layer_name: str=None\n ):\n with tf.variable_scope(name):\n input_layer = self.__network.get_... |
def x(self, name, axis, input_layer_name: str=None):
input_layer = self.__network.get_layer(input_layer_name)
if LooseVersion(tf.__version__) < LooseVersion('1.5.0'):
max_axis = tf.reduce_max(input_layer, axis, keep_dims=True)
target_exp = tf.exp(input_layer - max_axis)
normalize = tf.reduce_sum(target_exp, axis, keep_dims=True)
else:
max_axis = tf.reduce_max(input_layer, axis, keepdims=True)
target_exp = tf.exp(input_layer - max_axis)
normalize = tf.reduce_sum(target_exp, axis, keepdims=True)
softmax = tf.div(target_exp, normalize, name)
self.__network.add_layer(name, layer_output=softmax)
| new_softmax | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, axis, input_layer_name: str=None):\n input_layer = self.__network.get_layer(input_layer_name)\n if LooseVersion(tf.__version__) < LooseVersio... |
def x(self, name: str, layer_output):
self.__layers[name] = layer_output
self.__last_layer_name = name
| add_layer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name: str, layer_output):\n self.__layers[name] = layer_output\n self.__last_layer_name = name\n",
"role": "user"
},
{
"content": "add_... |
def x(self, name: str=None):
if name is None:
name = self.__last_layer_name
return self.__layers[name]
| get_layer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name: str=None):\n if name is None:\n name = self.__last_layer_name\n return self.__layers[name]\n",
"role": "user"
},
{
"conten... |
def x(self, weights_values: dict, ignore_missing=False):
network_name = self.__class__.__name__.lower()
with tf.variable_scope(network_name):
for layer_name in weights_values:
with tf.variable_scope(layer_name, reuse=True):
for param_name, data in weights_values[layer_name].items():
try:
var = tf.get_variable(param_name)
self._session.run(var.assign(data))
except ValueError:
if not ignore_missing:
raise
| set_weights | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, weights_values: dict, ignore_missing=False):\n network_name = self.__class__.__name__.lower()\n with tf.variable_scope(network_name):\n for ... |
def x(self, image):
network_name = self.__class__.__name__.lower()
with tf.variable_scope(network_name):
return self._feed(image)
| feed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, image):\n network_name = self.__class__.__name__.lower()\n with tf.variable_scope(network_name):\n return self._feed(image)\n",
"role": ... |
def x(input_file, soft_link_name, log=None):
input_file = os.fspath(input_file)
soft_link_name = os.fspath(soft_link_name)
if log is None:
prdebug = partial(print, file=sys.stderr)
else:
prdebug = log.debug
if input_file == soft_link_name:
prdebug('Warning: No symbolic link made. You are using ' +
'the original data directory as the working directory.')
return
if os.path.lexists(soft_link_name):
if not os.path.islink(soft_link_name):
raise FileExistsError('%s exists and is not a link' %
soft_link_name)
try:
os.unlink(soft_link_name)
except OSError:
prdebug("Can't unlink %s" % soft_link_name)
if not os.path.exists(input_file):
raise FileNotFoundError('trying to create a broken symlink to %s' %
input_file)
prdebug('os.symlink(%s, %s)' % (input_file, soft_link_name))
os.symlink(os.path.abspath(input_file), soft_link_name)
| re_symlink | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_file, soft_link_name, log=None):\n input_file = os.fspath(input_file)\n soft_link_name = os.fspath(soft_link_name)\n if log is None:\n pr... |
def x(test_file):
p = Path(test_file)
if p.is_symlink():
p = p.resolve(strict=False)
if p.exists() and p.is_file():
return os.access(os.fspath(p), os.W_OK, effective_ids=os.access in
os.supports_effective_ids)
else:
try:
fp = p.open('wb')
except OSError:
return False
else:
fp.close()
with suppress(OSError):
p.unlink()
return True
| is_file_writable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(test_file):\n p = Path(test_file)\n if p.is_symlink():\n p = p.resolve(strict=False)\n if p.exists() and p.is_file():\n return os.access... |
def x(target_filename, icc='sRGB'):
if icc == 'sRGB':
icc_profile = SRGB_ICC_PROFILE
else:
raise NotImplementedError('Only supporting sRGB')
bytes_icc_profile = os.fsencode(icc_profile)
hex_icc_profile = hexlify(bytes_icc_profile)
icc_profile = '<' + hex_icc_profile.decode('ascii') + '>'
t = Template(pdfa_def_template)
ps = t.substitute(icc_profile=icc_profile, icc_identifier=icc)
Path(target_filename).write_text(ps, encoding='ascii')
| generate_pdfa_ps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(target_filename, icc='sRGB'):\n if icc == 'sRGB':\n icc_profile = SRGB_ICC_PROFILE\n else:\n raise NotImplementedError('Only supporting sRG... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.