source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, resource_path='track1'):
self.rtsp_seq += 1
uri = '/'.join([s.strip('/') for s in (self.server, self.stream_path,
resource_path)])
request = f'SETUP rtsp://{uri} {RTSP_VER}\r\n'
request += f'CSeq: {self.rtsp_seq}\r\n'
request += f'Transport: RTP/AVP;unicast;client_port=5000-5001\r\n'
request += f'User-Agent: python\r\n\r\n'
reply = self.sendMessage(request.encode('UTF-8'))
return reply
|
setup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resource_path='track1'):\n self.rtsp_seq += 1\n uri = '/'.join([s.strip('/') for s in (self.server, self.stream_path,\n resource_path)])\n request = f'SETUP rtsp://{uri} {RTSP_VER}\\r\\n'\n request += f'CSeq: {self.rtsp_seq}\\r\\n'\n request += f'Transport: RTP/AVP;unicast;client_port=5000-5001\\r\\n'\n request += f'User-Agent: python\\r\\n\\r\\n'\n reply = self.sendMessage(request.encode('UTF-8'))\n return reply\n",
"role": "user"
},
{
"content": "setup",
"role": "assistant"
}
] |
def x(self, rtsp_server_uri=_source, timeout_secs=15):
self._check_ffmpeg()
cmd = (
'ffmpeg -rtsp_transport tcp -i {} -loglevel quiet -frames 1 -f image2pipe -'
.format(rtsp_server_uri))
with _sp.Popen(cmd, shell=True, stdout=_sp.PIPE) as process:
try:
stdout, stderr = process.communicate(timeout=timeout_secs)
except _sp.TimeoutExpired as e:
process.kill()
raise TimeoutError('Connection to {} timed out'.format(
rtsp_server_uri), e)
return _Image.open(_io.BytesIO(stdout))
|
fetch_image
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rtsp_server_uri=_source, timeout_secs=15):\n self._check_ffmpeg()\n cmd = (\n 'ffmpeg -rtsp_transport tcp -i {} -loglevel quiet -frames 1 -f image2pipe -'\n .format(rtsp_server_uri))\n with _sp.Popen(cmd, shell=True, stdout=_sp.PIPE) as process:\n try:\n stdout, stderr = process.communicate(timeout=timeout_secs)\n except _sp.TimeoutExpired as e:\n process.kill()\n raise TimeoutError('Connection to {} timed out'.format(\n rtsp_server_uri), e)\n return _Image.open(_io.BytesIO(stdout))\n",
"role": "user"
},
{
"content": "fetch_image",
"role": "assistant"
}
] |
def x(rtsp, cmd):
global CUR_RANGE, CUR_SCALE
if cmd in ('exit', 'teardown'):
rtsp.do_teardown()
elif cmd == 'pause':
CUR_SCALE = 1
CUR_RANGE = 'npt=now-'
rtsp.do_pause()
elif cmd == 'help':
PRINT(play_ctrl_help())
elif cmd == 'forward':
if CUR_SCALE < 0:
CUR_SCALE = 1
CUR_SCALE *= 2
CUR_RANGE = 'npt=now-'
elif cmd == 'backward':
if CUR_SCALE > 0:
CUR_SCALE = -1
CUR_SCALE *= 2
CUR_RANGE = 'npt=now-'
elif cmd == 'begin':
CUR_SCALE = 1
CUR_RANGE = 'npt=beginning-'
elif cmd == 'live':
CUR_SCALE = 1
CUR_RANGE = 'npt=end-'
elif cmd.startswith('play'):
m = re.search('range[:\\s]+(?P<range>[^\\s]+)', cmd)
if m:
CUR_RANGE = m.group('range')
m = re.search('scale[:\\s]+(?P<scale>[\\d\\.]+)', cmd)
if m:
CUR_SCALE = int(m.group('scale'))
if cmd not in ('pause', 'exit', 'teardown', 'help'):
rtsp.do_play(CUR_RANGE, CUR_SCALE)
|
exec_cmd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rtsp, cmd):\n global CUR_RANGE, CUR_SCALE\n if cmd in ('exit', 'teardown'):\n rtsp.do_teardown()\n elif cmd == 'pause':\n CUR_SCALE = 1\n CUR_RANGE = 'npt=now-'\n rtsp.do_pause()\n elif cmd == 'help':\n PRINT(play_ctrl_help())\n elif cmd == 'forward':\n if CUR_SCALE < 0:\n CUR_SCALE = 1\n CUR_SCALE *= 2\n CUR_RANGE = 'npt=now-'\n elif cmd == 'backward':\n if CUR_SCALE > 0:\n CUR_SCALE = -1\n CUR_SCALE *= 2\n CUR_RANGE = 'npt=now-'\n elif cmd == 'begin':\n CUR_SCALE = 1\n CUR_RANGE = 'npt=beginning-'\n elif cmd == 'live':\n CUR_SCALE = 1\n CUR_RANGE = 'npt=end-'\n elif cmd.startswith('play'):\n m = re.search('range[:\\\\s]+(?P<range>[^\\\\s]+)', cmd)\n if m:\n CUR_RANGE = m.group('range')\n m = re.search('scale[:\\\\s]+(?P<scale>[\\\\d\\\\.]+)', cmd)\n if m:\n CUR_SCALE = int(m.group('scale'))\n if cmd not in ('pause', 'exit', 'teardown', 'help'):\n rtsp.do_play(CUR_RANGE, CUR_SCALE)\n",
"role": "user"
},
{
"content": "exec_cmd",
"role": "assistant"
}
] |
def x(self, url):
ip, port, target = '', DEFAULT_SERVER_PORT, ''
m = re.match(
'[rtspRTSP:/]+(?P<ip>(\\d{1,3}\\.){3}\\d{1,3})(:(?P<port>\\d+))?(?P<target>.*)'
, url)
if m is not None:
ip = m.group('ip')
port = int(m.group('port'))
target = m.group('target')
return ip, port, target
|
parse_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n ip, port, target = '', DEFAULT_SERVER_PORT, ''\n m = re.match(\n '[rtspRTSP:/]+(?P<ip>(\\\\d{1,3}\\\\.){3}\\\\d{1,3})(:(?P<port>\\\\d+))?(?P<target>.*)'\n , url)\n if m is not None:\n ip = m.group('ip')\n port = int(m.group('port'))\n target = m.group('target')\n return ip, port, target\n",
"role": "user"
},
{
"content": "parse_url",
"role": "assistant"
}
] |
def x(self):
global DEST_IP
if not DEST_IP:
DEST_IP = self._sock.getsockname()[0]
PRINT('DEST_IP: %s\n' % DEST_IP, CYAN)
|
update_dest_ip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n global DEST_IP\n if not DEST_IP:\n DEST_IP = self._sock.getsockname()[0]\n PRINT('DEST_IP: %s\\n' % DEST_IP, CYAN)\n",
"role": "user"
},
{
"content": "update_dest_ip",
"role": "assistant"
}
] |
def x(self, msg):
m = re.search('[Cc]ontent-length:\\s?(?P<len>\\d+)', msg, re.S)
return m and int(m.group('len')) or 0
|
get_content_length
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n m = re.search('[Cc]ontent-length:\\\\s?(?P<len>\\\\d+)', msg, re.S)\n return m and int(m.group('len')) or 0\n",
"role": "user"
},
{
"content": "get_content_length",
"role": "assistant"
}
] |
def x(self, msg):
status, headers, body = self._parse_response(msg)
rsp_cseq = int(headers['cseq'])
if self._cseq_map[rsp_cseq] != 'GET_PARAMETER':
PRINT(self._get_time_str() + '\n' + msg)
if status == 302:
self.location = headers['location']
if status != 200:
self.do_teardown()
if self._cseq_map[rsp_cseq] == 'DESCRIBE':
track_id_str = self._parse_track_id(body)
self.do_setup(track_id_str)
elif self._cseq_map[rsp_cseq] == 'SETUP':
self._session_id = headers['session']
self.do_play(CUR_RANGE, CUR_SCALE)
self.send_heart_beat_msg()
elif self._cseq_map[rsp_cseq] == 'PLAY':
self.playing = True
|
process_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n status, headers, body = self._parse_response(msg)\n rsp_cseq = int(headers['cseq'])\n if self._cseq_map[rsp_cseq] != 'GET_PARAMETER':\n PRINT(self._get_time_str() + '\\n' + msg)\n if status == 302:\n self.location = headers['location']\n if status != 200:\n self.do_teardown()\n if self._cseq_map[rsp_cseq] == 'DESCRIBE':\n track_id_str = self._parse_track_id(body)\n self.do_setup(track_id_str)\n elif self._cseq_map[rsp_cseq] == 'SETUP':\n self._session_id = headers['session']\n self.do_play(CUR_RANGE, CUR_SCALE)\n self.send_heart_beat_msg()\n elif self._cseq_map[rsp_cseq] == 'PLAY':\n self.playing = True\n",
"role": "user"
},
{
"content": "process_response",
"role": "assistant"
}
] |
def x(self, msg):
global CUR_RANGE, CUR_SCALE
PRINT(msg)
headers = self._parse_header_params(msg.splitlines()[1:])
x_notice_val = int(headers['x-notice'])
if x_notice_val in (X_NOTICE_EOS, X_NOTICE_BOS):
CUR_SCALE = 1
self.do_play(CUR_RANGE, CUR_SCALE)
elif x_notice_val == X_NOTICE_CLOSE:
self.do_teardown()
|
process_announce
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n global CUR_RANGE, CUR_SCALE\n PRINT(msg)\n headers = self._parse_header_params(msg.splitlines()[1:])\n x_notice_val = int(headers['x-notice'])\n if x_notice_val in (X_NOTICE_EOS, X_NOTICE_BOS):\n CUR_SCALE = 1\n self.do_play(CUR_RANGE, CUR_SCALE)\n elif x_notice_val == X_NOTICE_CLOSE:\n self.do_teardown()\n",
"role": "user"
},
{
"content": "process_announce",
"role": "assistant"
}
] |
def x(self, msg):
header, body = msg.split(HEADER_END_STR)[:2]
header_lines = header.splitlines()
version, status = header_lines[0].split(None, 2)[:2]
headers = self._parse_header_params(header_lines[1:])
return int(status), headers, body
|
parse_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n header, body = msg.split(HEADER_END_STR)[:2]\n header_lines = header.splitlines()\n version, status = header_lines[0].split(None, 2)[:2]\n headers = self._parse_header_params(header_lines[1:])\n return int(status), headers, body\n",
"role": "user"
},
{
"content": "parse_response",
"role": "assistant"
}
] |
def x(self, header_param_lines):
headers = {}
for line in header_param_lines:
if line.strip():
key, val = line.split(':', 1)
headers[key.lower()] = val.strip()
return headers
|
parse_header_params
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, header_param_lines):\n headers = {}\n for line in header_param_lines:\n if line.strip():\n key, val = line.split(':', 1)\n headers[key.lower()] = val.strip()\n return headers\n",
"role": "user"
},
{
"content": "parse_header_params",
"role": "assistant"
}
] |
def x(self, sdp):
m = re.search('a=control:(?P<trackid>[\\w=\\d]+)', sdp, re.S)
return m and m.group('trackid') or ''
|
parse_track_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sdp):\n m = re.search('a=control:(?P<trackid>[\\\\w=\\\\d]+)', sdp, re.S)\n return m and m.group('trackid') or ''\n",
"role": "user"
},
{
"content": "parse_track_id",
"role": "assistant"
}
] |
def x(self):
transport_str = ''
ip_type = 'unicast'
for t in TRANSPORT_TYPE_LIST:
if t not in TRANSPORT_TYPE_MAP:
PRINT('Error param: %s' % t, RED)
sys.exit(1)
if t.endswith('tcp'):
transport_str += TRANSPORT_TYPE_MAP[t] % ip_type
else:
transport_str += TRANSPORT_TYPE_MAP[t] % (ip_type, DEST_IP,
CLIENT_PORT_RANGE)
return transport_str
|
get_transport_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n transport_str = ''\n ip_type = 'unicast'\n for t in TRANSPORT_TYPE_LIST:\n if t not in TRANSPORT_TYPE_MAP:\n PRINT('Error param: %s' % t, RED)\n sys.exit(1)\n if t.endswith('tcp'):\n transport_str += TRANSPORT_TYPE_MAP[t] % ip_type\n else:\n transport_str += TRANSPORT_TYPE_MAP[t] % (ip_type, DEST_IP,\n CLIENT_PORT_RANGE)\n return transport_str\n",
"role": "user"
},
{
"content": "get_transport_type",
"role": "assistant"
}
] |
def x(self):
if self.running:
self.do_get_parameter()
threading.Timer(HEARTBEAT_INTERVAL, self.send_heart_beat_msg).start()
|
send_heart_beat_msg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.running:\n self.do_get_parameter()\n threading.Timer(HEARTBEAT_INTERVAL, self.send_heart_beat_msg).start()\n",
"role": "user"
},
{
"content": "send_heart_beat_msg",
"role": "assistant"
}
] |
def x(self):
if self.state == self.INIT:
self.sendRtspRequest(self.SETUP)
|
setupMovie
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.state == self.INIT:\n self.sendRtspRequest(self.SETUP)\n",
"role": "user"
},
{
"content": "setupMovie",
"role": "assistant"
}
] |
def x(self):
self.sendRtspRequest(self.TEARDOWN)
os.remove(CACHE_FILE_NAME + str(self.sessionId) + CACHE_FILE_EXT)
rate = float(self.counter / self.frameNbr)
print('-' * 60 + '\nRTP Packet Loss Rate :' + str(rate) + '\n' + '-' * 60)
sys.exit(0)
|
exitClient
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.sendRtspRequest(self.TEARDOWN)\n os.remove(CACHE_FILE_NAME + str(self.sessionId) + CACHE_FILE_EXT)\n rate = float(self.counter / self.frameNbr)\n print('-' * 60 + '\\nRTP Packet Loss Rate :' + str(rate) + '\\n' + '-' * 60)\n sys.exit(0)\n",
"role": "user"
},
{
"content": "exitClient",
"role": "assistant"
}
] |
def x(self):
if self.state == self.PLAYING:
self.sendRtspRequest(self.PAUSE)
|
pauseMovie
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.state == self.PLAYING:\n self.sendRtspRequest(self.PAUSE)\n",
"role": "user"
},
{
"content": "pauseMovie",
"role": "assistant"
}
] |
def x(self, imageFile):
try:
photo = ImageTk.PhotoImage(Image.open(imageFile))
except:
print('photo error')
print('-' * 60)
traceback.print_exc(file=sys.stdout)
print('-' * 60)
self.label.configure(image=photo, height=288)
self.label.image = photo
|
updateMovie
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, imageFile):\n try:\n photo = ImageTk.PhotoImage(Image.open(imageFile))\n except:\n print('photo error')\n print('-' * 60)\n traceback.print_exc(file=sys.stdout)\n print('-' * 60)\n self.label.configure(image=photo, height=288)\n self.label.image = photo\n",
"role": "user"
},
{
"content": "updateMovie",
"role": "assistant"
}
] |
def x(self):
self.rtspSocket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
try:
self.rtspSocket.connect((self.serverAddr, self.serverPort))
except:
tkinter.messagebox.showwarning('Connection Failed',
"Connection to '%s' failed." % self.serverAddr)
|
connectToServer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.rtspSocket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n try:\n self.rtspSocket.connect((self.serverAddr, self.serverPort))\n except:\n tkinter.messagebox.showwarning('Connection Failed', \n \"Connection to '%s' failed.\" % self.serverAddr)\n",
"role": "user"
},
{
"content": "connectToServer",
"role": "assistant"
}
] |
def x(self, requestCode):
if requestCode == self.SETUP and self.state == self.INIT:
threading.Thread(target=self.recvRtspReply).start()
self.rtspSeq = 1
request = 'SETUP ' + str(self.fileName) + '\n' + str(self.rtspSeq
) + '\n' + ' RTSP/1.0 RTP/UDP ' + str(self.rtpPort)
self.rtspSocket.send(request)
self.requestSent = self.SETUP
elif requestCode == self.PLAY and self.state == self.READY:
self.rtspSeq = self.rtspSeq + 1
request = 'PLAY ' + '\n' + str(self.rtspSeq)
self.rtspSocket.send(request)
print('-' * 60 + '\nPLAY request sent to Server...\n' + '-' * 60)
self.requestSent = self.PLAY
elif requestCode == self.PAUSE and self.state == self.PLAYING:
self.rtspSeq = self.rtspSeq + 1
request = 'PAUSE ' + '\n' + str(self.rtspSeq)
self.rtspSocket.send(request)
print('-' * 60 + '\nPAUSE request sent to Server...\n' + '-' * 60)
self.requestSent = self.PAUSE
elif requestCode == self.TEARDOWN and not self.state == self.INIT:
self.rtspSeq = self.rtspSeq + 1
request = 'TEARDOWN ' + '\n' + str(self.rtspSeq)
self.rtspSocket.send(request)
print('-' * 60 + '\nTEARDOWN request sent to Server...\n' + '-' * 60)
self.requestSent = self.TEARDOWN
else:
return
|
sendRtspRequest
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, requestCode):\n if requestCode == self.SETUP and self.state == self.INIT:\n threading.Thread(target=self.recvRtspReply).start()\n self.rtspSeq = 1\n request = 'SETUP ' + str(self.fileName) + '\\n' + str(self.rtspSeq\n ) + '\\n' + ' RTSP/1.0 RTP/UDP ' + str(self.rtpPort)\n self.rtspSocket.send(request)\n self.requestSent = self.SETUP\n elif requestCode == self.PLAY and self.state == self.READY:\n self.rtspSeq = self.rtspSeq + 1\n request = 'PLAY ' + '\\n' + str(self.rtspSeq)\n self.rtspSocket.send(request)\n print('-' * 60 + '\\nPLAY request sent to Server...\\n' + '-' * 60)\n self.requestSent = self.PLAY\n elif requestCode == self.PAUSE and self.state == self.PLAYING:\n self.rtspSeq = self.rtspSeq + 1\n request = 'PAUSE ' + '\\n' + str(self.rtspSeq)\n self.rtspSocket.send(request)\n print('-' * 60 + '\\nPAUSE request sent to Server...\\n' + '-' * 60)\n self.requestSent = self.PAUSE\n elif requestCode == self.TEARDOWN and not self.state == self.INIT:\n self.rtspSeq = self.rtspSeq + 1\n request = 'TEARDOWN ' + '\\n' + str(self.rtspSeq)\n self.rtspSocket.send(request)\n print('-' * 60 + '\\nTEARDOWN request sent to Server...\\n' + '-' * 60)\n self.requestSent = self.TEARDOWN\n else:\n return\n",
"role": "user"
},
{
"content": "sendRtspRequest",
"role": "assistant"
}
] |
def x(self):
while True:
reply = self.rtspSocket.recv(1024)
if reply:
self.parseRtspReply(reply)
if self.requestSent == self.TEARDOWN:
self.rtspSocket.shutdown(socket.SHUT_RDWR)
self.rtspSocket.close()
break
|
recvRtspReply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while True:\n reply = self.rtspSocket.recv(1024)\n if reply:\n self.parseRtspReply(reply)\n if self.requestSent == self.TEARDOWN:\n self.rtspSocket.shutdown(socket.SHUT_RDWR)\n self.rtspSocket.close()\n break\n",
"role": "user"
},
{
"content": "recvRtspReply",
"role": "assistant"
}
] |
def x(self, data):
print('Parsing Received Rtsp data...')
"""Parse the RTSP reply from the server."""
lines = data.split('\n')
seqNum = int(lines[1].split(' ')[1])
if seqNum == self.rtspSeq:
session = int(lines[2].split(' ')[1])
if self.sessionId == 0:
self.sessionId = session
if self.sessionId == session:
if int(lines[0].split(' ')[1]) == 200:
if self.requestSent == self.SETUP:
print('Updating RTSP state...')
self.state = self.READY
print('Setting Up RtpPort for Video Stream')
self.openRtpPort()
elif self.requestSent == self.PLAY:
self.state = self.PLAYING
print('-' * 60 + '\nClient is PLAYING...\n' + '-' * 60)
elif self.requestSent == self.PAUSE:
self.state = self.READY
self.playEvent.set()
elif self.requestSent == self.TEARDOWN:
self.teardownAcked = 1
|
parseRtspReply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n print('Parsing Received Rtsp data...')\n \"\"\"Parse the RTSP reply from the server.\"\"\"\n lines = data.split('\\n')\n seqNum = int(lines[1].split(' ')[1])\n if seqNum == self.rtspSeq:\n session = int(lines[2].split(' ')[1])\n if self.sessionId == 0:\n self.sessionId = session\n if self.sessionId == session:\n if int(lines[0].split(' ')[1]) == 200:\n if self.requestSent == self.SETUP:\n print('Updating RTSP state...')\n self.state = self.READY\n print('Setting Up RtpPort for Video Stream')\n self.openRtpPort()\n elif self.requestSent == self.PLAY:\n self.state = self.PLAYING\n print('-' * 60 + '\\nClient is PLAYING...\\n' + '-' * 60)\n elif self.requestSent == self.PAUSE:\n self.state = self.READY\n self.playEvent.set()\n elif self.requestSent == self.TEARDOWN:\n self.teardownAcked = 1\n",
"role": "user"
},
{
"content": "parseRtspReply",
"role": "assistant"
}
] |
def x(self):
self.rtpSocket.settimeout(0.5)
try:
self.rtpSocket.bind((self.serverAddr, self.rtpPort))
print('Bind RtpPort Success')
except:
tkinter.messagebox.showwarning('Connection Failed',
'Connection to rtpServer failed...')
|
openRtpPort
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.rtpSocket.settimeout(0.5)\n try:\n self.rtpSocket.bind((self.serverAddr, self.rtpPort))\n print('Bind RtpPort Success')\n except:\n tkinter.messagebox.showwarning('Connection Failed',\n 'Connection to rtpServer failed...')\n",
"role": "user"
},
{
"content": "openRtpPort",
"role": "assistant"
}
] |
def x(self):
stream = BytesIO()
self.cam.capture(stream, format='png')
stream.seek(0)
return Image.open(stream)
|
read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n stream = BytesIO()\n self.cam.capture(stream, format='png')\n stream.seek(0)\n return Image.open(stream)\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self):
win_name = 'Camera'
cv2.namedWindow(win_name, cv2.WINDOW_AUTOSIZE)
cv2.moveWindow(win_name, 20, 20)
self.open()
while self.isOpened():
cv2.imshow(win_name, self._stream.read()[1])
if cv2.waitKey(25) & 255 == ord('q'):
break
cv2.waitKey()
cv2.destroyAllWindows()
cv2.waitKey()
|
preview
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n win_name = 'Camera'\n cv2.namedWindow(win_name, cv2.WINDOW_AUTOSIZE)\n cv2.moveWindow(win_name, 20, 20)\n self.open()\n while self.isOpened():\n cv2.imshow(win_name, self._stream.read()[1])\n if cv2.waitKey(25) & 255 == ord('q'):\n break\n cv2.waitKey()\n cv2.destroyAllWindows()\n cv2.waitKey()\n",
"role": "user"
},
{
"content": "preview",
"role": "assistant"
}
] |
def x(self):
self.setup = Button(self.master, width=20, padx=3, pady=3)
self.setup['text'] = 'Setup'
self.setup['command'] = self.setupMovie
self.setup.grid(row=1, column=0, padx=2, pady=2)
self.start = Button(self.master, width=20, padx=3, pady=3)
self.start['text'] = 'Play'
self.start['command'] = self.playMovie
self.start.grid(row=1, column=1, padx=2, pady=2)
self.pause = Button(self.master, width=20, padx=3, pady=3)
self.pause['text'] = 'Pause'
self.pause['command'] = self.pauseMovie
self.pause.grid(row=1, column=2, padx=2, pady=2)
self.teardown = Button(self.master, width=20, padx=3, pady=3)
self.teardown['text'] = 'Teardown'
self.teardown['command'] = self.exitClient
self.teardown.grid(row=1, column=3, padx=2, pady=2)
self.label = Label(self.master, height=19)
self.label.grid(row=0, column=0, columnspan=4, sticky=W + E + N + S,
padx=5, pady=5)
|
createWidgets
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.setup = Button(self.master, width=20, padx=3, pady=3)\n self.setup['text'] = 'Setup'\n self.setup['command'] = self.setupMovie\n self.setup.grid(row=1, column=0, padx=2, pady=2)\n self.start = Button(self.master, width=20, padx=3, pady=3)\n self.start['text'] = 'Play'\n self.start['command'] = self.playMovie\n self.start.grid(row=1, column=1, padx=2, pady=2)\n self.pause = Button(self.master, width=20, padx=3, pady=3)\n self.pause['text'] = 'Pause'\n self.pause['command'] = self.pauseMovie\n self.pause.grid(row=1, column=2, padx=2, pady=2)\n self.teardown = Button(self.master, width=20, padx=3, pady=3)\n self.teardown['text'] = 'Teardown'\n self.teardown['command'] = self.exitClient\n self.teardown.grid(row=1, column=3, padx=2, pady=2)\n self.label = Label(self.master, height=19)\n self.label.grid(row=0, column=0, columnspan=4, sticky=W + E + N + S,\n padx=5, pady=5)\n",
"role": "user"
},
{
"content": "createWidgets",
"role": "assistant"
}
] |
def x(self):
self.rtspSocket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
try:
self.rtspSocket.connect((self.serverAddr, self.serverPort))
except:
tkMessageBox.showwarning('Connection Failed',
"Connection to '%s' failed." % self.serverAddr)
|
connectToServer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.rtspSocket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n try:\n self.rtspSocket.connect((self.serverAddr, self.serverPort))\n except:\n tkMessageBox.showwarning('Connection Failed', \n \"Connection to '%s' failed.\" % self.serverAddr)\n",
"role": "user"
},
{
"content": "connectToServer",
"role": "assistant"
}
] |
def x(self, version, padding, extension, cc, seqnum, marker, pt, ssrc, payload
):
timestamp = int(time())
print('timestamp: ' + str(timestamp))
self.header = bytearray(HEADER_SIZE)
self.header[0] = version << 6
self.header[0] = self.header[0] | padding << 5
self.header[0] = self.header[0] | extension << 4
self.header[0] = self.header[0] | cc
self.header[1] = marker << 7
self.header[1] = self.header[1] | pt
self.header[2] = seqnum >> 8
self.header[3] = seqnum
self.header[4] = timestamp >> 24 & 255
self.header[5] = timestamp >> 16 & 255
self.header[6] = timestamp >> 8 & 255
self.header[7] = timestamp & 255
self.header[8] = ssrc >> 24
self.header[9] = ssrc >> 16
self.header[10] = ssrc >> 8
self.header[11] = ssrc
self.payload = payload
|
encode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, version, padding, extension, cc, seqnum, marker, pt, ssrc, payload\n ):\n timestamp = int(time())\n print('timestamp: ' + str(timestamp))\n self.header = bytearray(HEADER_SIZE)\n self.header[0] = version << 6\n self.header[0] = self.header[0] | padding << 5\n self.header[0] = self.header[0] | extension << 4\n self.header[0] = self.header[0] | cc\n self.header[1] = marker << 7\n self.header[1] = self.header[1] | pt\n self.header[2] = seqnum >> 8\n self.header[3] = seqnum\n self.header[4] = timestamp >> 24 & 255\n self.header[5] = timestamp >> 16 & 255\n self.header[6] = timestamp >> 8 & 255\n self.header[7] = timestamp & 255\n self.header[8] = ssrc >> 24\n self.header[9] = ssrc >> 16\n self.header[10] = ssrc >> 8\n self.header[11] = ssrc\n self.payload = payload\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(self):
for pos, element in self.element_iter:
tag, class_attr = _tag_and_class_attr(element)
if tag == 'div' and 'thread' in class_attr and pos == 'end':
break
|
skip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for pos, element in self.element_iter:\n tag, class_attr = _tag_and_class_attr(element)\n if tag == 'div' and 'thread' in class_attr and pos == 'end':\n break\n",
"role": "user"
},
{
"content": "skip",
"role": "assistant"
}
] |
def x(self, pos, e):
tag, class_attr = _tag_and_class_attr(e)
start_of_message = (tag == 'div' and class_attr == 'message' and pos ==
'start')
end_of_thread = tag == 'div' and 'thread' in class_attr and pos == 'end'
if start_of_message and not self.messages_started:
self.messages_started = True
elif tag == 'span' and pos == 'end':
if 'user' in class_attr:
self.current_sender = self.name_resolver.resolve(e.text)
elif 'meta' in class_attr:
self.current_timestamp = parse_timestamp(e.text, self.use_utc,
self.timezone_hints)
elif tag == 'p' and pos == 'end':
if not self.current_text:
self.current_text = e.text.strip() if e.text else ''
elif tag == 'img' and pos == 'start':
self.current_text = '(image reference: {})'.format(e.attrib['src'])
elif (start_of_message or end_of_thread) and self.messages_started:
if not self.current_timestamp:
raise UnsuitableParserError
if not self.current_sender:
if not self.no_sender_warning_status:
sys.stderr.write(
"\rWARNING: The sender was missing in one or more parsed messages. This is an error on Facebook's end that unfortunately cannot be recovered from. Some or all messages in the output may show the sender as 'Unknown' within each thread.\n"
)
self.no_sender_warning_status = True
self.current_sender = 'Unknown'
cm = ChatMessage(timestamp=self.current_timestamp, sender=self.
current_sender, content=self.current_text or '', seq_num=self.
seq_num)
self.messages += [cm]
self.seq_num -= 1
self.current_sender, self.current_timestamp, self.current_text = (
None, None, None)
return end_of_thread
|
process_element
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pos, e):\n tag, class_attr = _tag_and_class_attr(e)\n start_of_message = (tag == 'div' and class_attr == 'message' and pos ==\n 'start')\n end_of_thread = tag == 'div' and 'thread' in class_attr and pos == 'end'\n if start_of_message and not self.messages_started:\n self.messages_started = True\n elif tag == 'span' and pos == 'end':\n if 'user' in class_attr:\n self.current_sender = self.name_resolver.resolve(e.text)\n elif 'meta' in class_attr:\n self.current_timestamp = parse_timestamp(e.text, self.use_utc,\n self.timezone_hints)\n elif tag == 'p' and pos == 'end':\n if not self.current_text:\n self.current_text = e.text.strip() if e.text else ''\n elif tag == 'img' and pos == 'start':\n self.current_text = '(image reference: {})'.format(e.attrib['src'])\n elif (start_of_message or end_of_thread) and self.messages_started:\n if not self.current_timestamp:\n raise UnsuitableParserError\n if not self.current_sender:\n if not self.no_sender_warning_status:\n sys.stderr.write(\n \"\\rWARNING: The sender was missing in one or more parsed messages. This is an error on Facebook's end that unfortunately cannot be recovered from. Some or all messages in the output may show the sender as 'Unknown' within each thread.\\n\"\n )\n self.no_sender_warning_status = True\n self.current_sender = 'Unknown'\n cm = ChatMessage(timestamp=self.current_timestamp, sender=self.\n current_sender, content=self.current_text or '', seq_num=self.\n seq_num)\n self.messages += [cm]\n self.seq_num -= 1\n self.current_sender, self.current_timestamp, self.current_text = (\n None, None, None)\n return end_of_thread\n",
"role": "user"
},
{
"content": "process_element",
"role": "assistant"
}
] |
def x(self, participants):
if not self.thread_filter:
return True
if len(participants) != len(self.thread_filter):
return False
participants = [([p.lower()] + p.lower().split(' ')) for p in participants]
matches = defaultdict(set)
for e, p in enumerate(participants):
for f in self.thread_filter:
if f in p:
matches[f].add(e)
matched = set()
for f in matches:
if len(matches[f]) == 0:
return False
matched |= matches[f]
return len(matched) == len(participants)
|
should_record_thread
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, participants):\n if not self.thread_filter:\n return True\n if len(participants) != len(self.thread_filter):\n return False\n participants = [([p.lower()] + p.lower().split(' ')) for p in participants]\n matches = defaultdict(set)\n for e, p in enumerate(participants):\n for f in self.thread_filter:\n if f in p:\n matches[f].add(e)\n matched = set()\n for f in matches:\n if len(matches[f]) == 0:\n return False\n matched |= matches[f]\n return len(matched) == len(participants)\n",
"role": "user"
},
{
"content": "should_record_thread",
"role": "assistant"
}
] |
def x(self, participants, element_iter, require_flush):
participants_text = _truncate(', '.join(participants), 60)
if participants:
skip_thread = not self.should_record_thread(participants)
participants_text = yellow('[%s]' % participants_text)
else:
participants_text = 'unknown participants'
skip_thread = True
if skip_thread:
line = '\rSkipping chat thread with %s...' % yellow(participants_text)
else:
participants_key = ', '.join(participants)
if participants_key in self.chat_threads:
thread_current_len = len(self.chat_threads[participants_key])
line = '\rContinuing chat thread with %s %s...' % (yellow(
participants_text), magenta('<@%d messages>' %
thread_current_len))
else:
line = '\rDiscovered chat thread with %s...' % yellow(
participants_text)
if self.progress_output:
sys.stderr.write(line.ljust(self.last_line_len))
sys.stderr.flush()
self.last_line_len = len(line)
parser = ChatThreadParser(element_iter, self.timezone_hints, self.
use_utc, self.name_resolver, self.no_sender_warning, self.seq_num)
if skip_thread:
if require_flush:
parser.skip()
else:
self.no_sender_warning, thread = parser.parse(participants)
return thread
|
parse_thread
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, participants, element_iter, require_flush):\n participants_text = _truncate(', '.join(participants), 60)\n if participants:\n skip_thread = not self.should_record_thread(participants)\n participants_text = yellow('[%s]' % participants_text)\n else:\n participants_text = 'unknown participants'\n skip_thread = True\n if skip_thread:\n line = '\\rSkipping chat thread with %s...' % yellow(participants_text)\n else:\n participants_key = ', '.join(participants)\n if participants_key in self.chat_threads:\n thread_current_len = len(self.chat_threads[participants_key])\n line = '\\rContinuing chat thread with %s %s...' % (yellow(\n participants_text), magenta('<@%d messages>' %\n thread_current_len))\n else:\n line = '\\rDiscovered chat thread with %s...' % yellow(\n participants_text)\n if self.progress_output:\n sys.stderr.write(line.ljust(self.last_line_len))\n sys.stderr.flush()\n self.last_line_len = len(line)\n parser = ChatThreadParser(element_iter, self.timezone_hints, self.\n use_utc, self.name_resolver, self.no_sender_warning, self.seq_num)\n if skip_thread:\n if require_flush:\n parser.skip()\n else:\n self.no_sender_warning, thread = parser.parse(participants)\n return thread\n",
"role": "user"
},
{
"content": "parse_thread",
"role": "assistant"
}
] |
def x(self):
if self.progress_output:
sys.stderr.write('\r'.ljust(self.last_line_len))
sys.stderr.write('\r')
sys.stderr.flush()
|
clear_output
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.progress_output:\n sys.stderr.write('\\r'.ljust(self.last_line_len))\n sys.stderr.write('\\r')\n sys.stderr.flush()\n",
"role": "user"
},
{
"content": "clear_output",
"role": "assistant"
}
] |
def x(self):
parser = XMLParser(encoding=str('UTF-8'))
element_iter = ET.iterparse(self.handle, events=('start', 'end'),
parser=parser)
for pos, element in element_iter:
tag, class_attr = _tag_and_class_attr(element)
if tag == 'h1' and pos == 'end':
if not self.user:
self.user = element.text.strip()
elif tag == 'div' and 'thread' in class_attr and pos == 'start':
participants = self.parse_participants(element)
thread = self.parse_thread(participants, element_iter, True)
self.save_thread(thread)
|
parse_impl
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n parser = XMLParser(encoding=str('UTF-8'))\n element_iter = ET.iterparse(self.handle, events=('start', 'end'),\n parser=parser)\n for pos, element in element_iter:\n tag, class_attr = _tag_and_class_attr(element)\n if tag == 'h1' and pos == 'end':\n if not self.user:\n self.user = element.text.strip()\n elif tag == 'div' and 'thread' in class_attr and pos == 'start':\n participants = self.parse_participants(element)\n thread = self.parse_thread(participants, element_iter, True)\n self.save_thread(thread)\n",
"role": "user"
},
{
"content": "parse_impl",
"role": "assistant"
}
] |
def x(path, thread, fmt, nocolor, timezones, utc, noprogress, resolve,
directory):
with colorize_output(nocolor):
try:
chat_history = _process_history(path=path, thread=thread,
timezones=timezones, utc=utc, noprogress=noprogress,
resolve=resolve)
except ProcessingFailure:
return
if directory:
set_all_color(enabled=False)
write(fmt, chat_history, directory or sys.stdout)
|
messages
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, thread, fmt, nocolor, timezones, utc, noprogress, resolve,\n directory):\n with colorize_output(nocolor):\n try:\n chat_history = _process_history(path=path, thread=thread,\n timezones=timezones, utc=utc, noprogress=noprogress,\n resolve=resolve)\n except ProcessingFailure:\n return\n if directory:\n set_all_color(enabled=False)\n write(fmt, chat_history, directory or sys.stdout)\n",
"role": "user"
},
{
"content": "messages",
"role": "assistant"
}
] |
def x(path, fmt, nocolor, timezones, utc, noprogress, most_common, resolve,
length):
with colorize_output(nocolor):
try:
chat_history = _process_history(path=path, thread='', timezones
=timezones, utc=utc, noprogress=noprogress, resolve=resolve)
except ProcessingFailure:
return
statistics = ChatHistoryStatistics(chat_history, most_common=None if
most_common < 0 else most_common)
if fmt == 'text':
statistics.write_text(sys.stdout, -1 if length < 0 else length)
elif fmt == 'json':
statistics.write_json(sys.stdout)
elif fmt == 'pretty-json':
statistics.write_json(sys.stdout, pretty=True)
elif fmt == 'yaml':
statistics.write_yaml(sys.stdout)
|
stats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, fmt, nocolor, timezones, utc, noprogress, most_common, resolve,\n length):\n with colorize_output(nocolor):\n try:\n chat_history = _process_history(path=path, thread='', timezones\n =timezones, utc=utc, noprogress=noprogress, resolve=resolve)\n except ProcessingFailure:\n return\n statistics = ChatHistoryStatistics(chat_history, most_common=None if\n most_common < 0 else most_common)\n if fmt == 'text':\n statistics.write_text(sys.stdout, -1 if length < 0 else length)\n elif fmt == 'json':\n statistics.write_json(sys.stdout)\n elif fmt == 'pretty-json':\n statistics.write_json(sys.stdout, pretty=True)\n elif fmt == 'yaml':\n statistics.write_yaml(sys.stdout)\n",
"role": "user"
},
{
"content": "stats",
"role": "assistant"
}
] |
def x(stream, disabled):
original_stdout = sys.stdout
original_stderr = sys.stderr
init(strip=disabled)
if stream != original_stdout:
sys.stdout = original_stdout
sys.stderr = BinaryStreamWrapper(stream, sys.stderr)
if stream != original_stderr:
sys.stderr = original_stderr
sys.stdout = BinaryStreamWrapper(stream, sys.stdout)
|
set_stream_color
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream, disabled):\n original_stdout = sys.stdout\n original_stderr = sys.stderr\n init(strip=disabled)\n if stream != original_stdout:\n sys.stdout = original_stdout\n sys.stderr = BinaryStreamWrapper(stream, sys.stderr)\n if stream != original_stderr:\n sys.stderr = original_stderr\n sys.stdout = BinaryStreamWrapper(stream, sys.stdout)\n",
"role": "user"
},
{
"content": "set_stream_color",
"role": "assistant"
}
] |
def x(self, facebook_id, facebook_id_string):
resp = self._session.get('https://www.facebook.com/%s' % facebook_id,
allow_redirects=True, timeout=10)
m = _MANUAL_NAME_MATCHER.search(resp.text)
if m:
name = m.group(1)
else:
name = facebook_id_string
self._cached_profiles[facebook_id] = name
return name
|
manual_lookup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, facebook_id, facebook_id_string):\n resp = self._session.get('https://www.facebook.com/%s' % facebook_id,\n allow_redirects=True, timeout=10)\n m = _MANUAL_NAME_MATCHER.search(resp.text)\n if m:\n name = m.group(1)\n else:\n name = facebook_id_string\n self._cached_profiles[facebook_id] = name\n return name\n",
"role": "user"
},
{
"content": "manual_lookup",
"role": "assistant"
}
] |
def x(raw_timestamp, use_utc, hints):
global FACEBOOK_TIMESTAMP_FORMATS
timestamp_string, offset = raw_timestamp.rsplit(' ', 1)
if 'UTC+' in offset or 'UTC-' in offset:
if offset[3] == '-':
offset = [(-1 * int(x)) for x in offset[4:].split(':')]
else:
offset = [int(x) for x in offset[4:].split(':')]
else:
offset_hint = hints.get(offset, None)
if not offset_hint:
if offset not in TIMEZONE_MAP:
raise UnexpectedTimeFormatError(raw_timestamp)
elif len(TIMEZONE_MAP[offset]) > 1:
raise AmbiguousTimeZoneError(offset, TIMEZONE_MAP[offset])
offset = list(TIMEZONE_MAP[offset].keys())[0][:2]
else:
offset = offset_hint
if len(offset) == 1:
offset += [0]
delta = dt_timedelta(hours=offset[0], minutes=offset[1])
for number, date_parser in enumerate(_LOCALIZED_DATE_PARSERS):
timestamp = date_parser.parse(timestamp_string)
if timestamp is None:
continue
if number > 0:
del FACEBOOK_TIMESTAMP_FORMATS[number]
FACEBOOK_TIMESTAMP_FORMATS = [date_parser
] + FACEBOOK_TIMESTAMP_FORMATS
break
else:
raise UnexpectedTimeFormatError(raw_timestamp)
if use_utc:
timestamp -= delta
return timestamp.replace(tzinfo=pytz.utc)
else:
return timestamp.replace(tzinfo=TzInfoByOffset(delta))
|
parse_timestamp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw_timestamp, use_utc, hints):\n global FACEBOOK_TIMESTAMP_FORMATS\n timestamp_string, offset = raw_timestamp.rsplit(' ', 1)\n if 'UTC+' in offset or 'UTC-' in offset:\n if offset[3] == '-':\n offset = [(-1 * int(x)) for x in offset[4:].split(':')]\n else:\n offset = [int(x) for x in offset[4:].split(':')]\n else:\n offset_hint = hints.get(offset, None)\n if not offset_hint:\n if offset not in TIMEZONE_MAP:\n raise UnexpectedTimeFormatError(raw_timestamp)\n elif len(TIMEZONE_MAP[offset]) > 1:\n raise AmbiguousTimeZoneError(offset, TIMEZONE_MAP[offset])\n offset = list(TIMEZONE_MAP[offset].keys())[0][:2]\n else:\n offset = offset_hint\n if len(offset) == 1:\n offset += [0]\n delta = dt_timedelta(hours=offset[0], minutes=offset[1])\n for number, date_parser in enumerate(_LOCALIZED_DATE_PARSERS):\n timestamp = date_parser.parse(timestamp_string)\n if timestamp is None:\n continue\n if number > 0:\n del FACEBOOK_TIMESTAMP_FORMATS[number]\n FACEBOOK_TIMESTAMP_FORMATS = [date_parser\n ] + FACEBOOK_TIMESTAMP_FORMATS\n break\n else:\n raise UnexpectedTimeFormatError(raw_timestamp)\n if use_utc:\n timestamp -= delta\n return timestamp.replace(tzinfo=pytz.utc)\n else:\n return timestamp.replace(tzinfo=TzInfoByOffset(delta))\n",
"role": "user"
},
{
"content": "parse_timestamp",
"role": "assistant"
}
] |
def x(name, base_class):
if not isinstance(name, str) or not name:
raise TypeError('invalid name: %r' % name)
if not issubclass(base_class, Component):
raise TypeError('invalid base_class: %r, must be a %r subclass' % (
base_class, Component))
def x(cls):
if base_class in exporter_index[name]:
raise TypeError(
"'%s' exporter type %r has already been registered" % (name,
base_class))
for key in exporter_index[name].keys():
if issubclass(key, base_class) or issubclass(base_class, key):
raise TypeError(
"'%s' exporter type %r is in conflict with %r" % (name,
base_class, key))
exporter_index[name][base_class] = cls
return cls
return decorator
|
register_exporter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, base_class):\n if not isinstance(name, str) or not name:\n raise TypeError('invalid name: %r' % name)\n if not issubclass(base_class, Component):\n raise TypeError('invalid base_class: %r, must be a %r subclass' % (\n base_class, Component))\n\n def x(cls):\n if base_class in exporter_index[name]:\n raise TypeError(\n \"'%s' exporter type %r has already been registered\" % (name,\n base_class))\n for key in exporter_index[name].keys():\n if issubclass(key, base_class) or issubclass(base_class, key):\n raise TypeError(\n \"'%s' exporter type %r is in conflict with %r\" % (name,\n base_class, key))\n exporter_index[name][base_class] = cls\n return cls\n return decorator\n",
"role": "user"
},
{
"content": "register_exporter",
"role": "assistant"
}
] |
def x(obj, name):
if name not in exporter_index:
raise TypeError("exporter type '%s' is not registered: " % name +
'registered types: %r' % sorted(exporter_index.keys()))
for base_class in exporter_index[name]:
if isinstance(obj, base_class):
return exporter_index[name][base_class](obj)
raise TypeError("exporter type '%s' for a %r is not registered" % (name,
type(obj)))
|
get_exporter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, name):\n if name not in exporter_index:\n raise TypeError(\"exporter type '%s' is not registered: \" % name + \n 'registered types: %r' % sorted(exporter_index.keys()))\n for base_class in exporter_index[name]:\n if isinstance(obj, base_class):\n return exporter_index[name][base_class](obj)\n raise TypeError(\"exporter type '%s' for a %r is not registered\" % (name,\n type(obj)))\n",
"role": "user"
},
{
"content": "get_exporter",
"role": "assistant"
}
] |
def x(cls, name):
if name not in importer_index:
raise TypeError("importer type '%s' is not registered: " % name +
'registered types: %r' % sorted(importer_index.keys()))
for base_class in importer_index[name]:
if issubclass(cls, base_class):
return importer_index[name][base_class](cls)
raise TypeError("importer type '%s' for a %r is not registered" % (name,
cls))
|
get_importer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name):\n if name not in importer_index:\n raise TypeError(\"importer type '%s' is not registered: \" % name + \n 'registered types: %r' % sorted(importer_index.keys()))\n for base_class in importer_index[name]:\n if issubclass(cls, base_class):\n return importer_index[name][base_class](cls)\n raise TypeError(\"importer type '%s' for a %r is not registered\" % (name,\n cls))\n",
"role": "user"
},
{
"content": "get_importer",
"role": "assistant"
}
] |
def x(self, response):
no_more_products = re.search('No matching products were found',
response.css('div.paged-results').extract_first(), flags=re.I)
if no_more_products:
pass
else:
for product in response.css('article.product-list__item'):
product_url = product.css('a::attr("href")').extract_first()
yield response.follow(product_url, self.parse_detail)
base, params = split_url(response.url)
params.update({'page': int(params.get('page', '1')) + 1})
next_page_url = join_url(base, params)
self.logger.info(next_page_url)
yield response.follow(next_page_url, self.parse)
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response):\n no_more_products = re.search('No matching products were found',\n response.css('div.paged-results').extract_first(), flags=re.I)\n if no_more_products:\n pass\n else:\n for product in response.css('article.product-list__item'):\n product_url = product.css('a::attr(\"href\")').extract_first()\n yield response.follow(product_url, self.parse_detail)\n base, params = split_url(response.url)\n params.update({'page': int(params.get('page', '1')) + 1})\n next_page_url = join_url(base, params)\n self.logger.info(next_page_url)\n yield response.follow(next_page_url, self.parse)\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, response):
product_data = {'url': response.url, 'name': response.css(
'div.page-title h1::text').extract_first()}
inventory_number = re.search('(?P<inv_num>\\d+)$', response.css(
'span.product-in::text').extract_first()).group('inv_num')
product_data.update({'in': inventory_number})
specs_table = response.css('#tab-specs dl')
for row in specs_table.css('div.spec-row'):
keys = row.css('dt::text').extract()
values = row.css('dd::text').extract()
product_data.update({key: value for key, value in zip(keys, values)})
self.logger.info(product_data['name'])
yield product_data
|
parse_detail
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response):\n product_data = {'url': response.url, 'name': response.css(\n 'div.page-title h1::text').extract_first()}\n inventory_number = re.search('(?P<inv_num>\\\\d+)$', response.css(\n 'span.product-in::text').extract_first()).group('inv_num')\n product_data.update({'in': inventory_number})\n specs_table = response.css('#tab-specs dl')\n for row in specs_table.css('div.spec-row'):\n keys = row.css('dt::text').extract()\n values = row.css('dd::text').extract()\n product_data.update({key: value for key, value in zip(keys, values)})\n self.logger.info(product_data['name'])\n yield product_data\n",
"role": "user"
},
{
"content": "parse_detail",
"role": "assistant"
}
] |
def x(constraints, coord_sys=None):
if coord_sys is None:
coord_sys = CoordSystem()
for constraint in constraints:
if not isinstance(constraint, Constraint):
raise ValueError('{!r} is not a constraint'.format(constraint))
solved_count = 0
indexed = list(constraints)
while indexed:
indexes_solved = []
for i, constraint in enumerate(indexed):
if isinstance(constraint, Fixed):
indexes_solved.append(i)
yield constraint.mate.component, coord_sys + constraint.world_coords + (
CoordSystem() - constraint.mate.local_coords)
elif isinstance(constraint, Coincident):
try:
relative_to = constraint.to_mate.world_coords
except ValueError:
relative_to = None
if relative_to is not None:
indexes_solved.append(i)
yield constraint.mate.component, relative_to + (CoordSystem
() - constraint.mate.local_coords)
if not indexes_solved:
break
else:
for j in reversed(indexes_solved):
del indexed[j]
if indexed:
raise ValueError('not all constraints could be solved')
|
solver
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(constraints, coord_sys=None):\n if coord_sys is None:\n coord_sys = CoordSystem()\n for constraint in constraints:\n if not isinstance(constraint, Constraint):\n raise ValueError('{!r} is not a constraint'.format(constraint))\n solved_count = 0\n indexed = list(constraints)\n while indexed:\n indexes_solved = []\n for i, constraint in enumerate(indexed):\n if isinstance(constraint, Fixed):\n indexes_solved.append(i)\n yield constraint.mate.component, coord_sys + constraint.world_coords + (\n CoordSystem() - constraint.mate.local_coords)\n elif isinstance(constraint, Coincident):\n try:\n relative_to = constraint.to_mate.world_coords\n except ValueError:\n relative_to = None\n if relative_to is not None:\n indexes_solved.append(i)\n yield constraint.mate.component, relative_to + (CoordSystem\n () - constraint.mate.local_coords)\n if not indexes_solved:\n break\n else:\n for j in reversed(indexes_solved):\n del indexed[j]\n if indexed:\n raise ValueError('not all constraints could be solved')\n",
"role": "user"
},
{
"content": "solver",
"role": "assistant"
}
] |
def x(solid_in):
if isinstance(solid_in, cadquery.Solid):
return solid_in
elif isinstance(solid_in, cadquery.CQ):
return solid_in.val()
raise CastingError('Cannot cast object type of {!r} to a solid'.format(
solid_in))
|
solid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(solid_in):\n if isinstance(solid_in, cadquery.Solid):\n return solid_in\n elif isinstance(solid_in, cadquery.CQ):\n return solid_in.val()\n raise CastingError('Cannot cast object type of {!r} to a solid'.format(\n solid_in))\n",
"role": "user"
},
{
"content": "solid",
"role": "assistant"
}
] |
def x(vect_in):
if isinstance(vect_in, cadquery.Vector):
return vect_in
elif isinstance(vect_in, (tuple, list)):
return cadquery.Vector(vect_in)
raise CastingError('Cannot cast object type of {!r} to a vector'.format
(vect_in))
|
vector
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(vect_in):\n if isinstance(vect_in, cadquery.Vector):\n return vect_in\n elif isinstance(vect_in, (tuple, list)):\n return cadquery.Vector(vect_in)\n raise CastingError('Cannot cast object type of {!r} to a vector'.format\n (vect_in))\n",
"role": "user"
},
{
"content": "vector",
"role": "assistant"
}
] |
def x(self):
return cadquery.Workplane('XY').circle(self.access_diameter / 2).extrude(
self.access_height)
|
make_cutter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return cadquery.Workplane('XY').circle(self.access_diameter / 2).extrude(\n self.access_height)\n",
"role": "user"
},
{
"content": "make_cutter",
"role": "assistant"
}
] |
def x(version_str):
version = LooseVersion(version_str)
for test_ver, classifier in reversed(sorted(VERSION_CLASSIFIER_MAP, key
=lambda x: x[0])):
if version >= test_ver:
return classifier
raise ValueError(
"could not find valid 'Development Status' classifier for v{}".
format(version_str))
|
version_classifier
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(version_str):\n version = LooseVersion(version_str)\n for test_ver, classifier in reversed(sorted(VERSION_CLASSIFIER_MAP, key\n =lambda x: x[0])):\n if version >= test_ver:\n return classifier\n raise ValueError(\n \"could not find valid 'Development Status' classifier for v{}\".\n format(version_str))\n",
"role": "user"
},
{
"content": "version_classifier",
"role": "assistant"
}
] |
def x(self):
return Mate(self, CoordSystem(origin=(0, 0, self.length / 2), xDir=(0,
1, 0), normal=(0, 0, 1)))
|
mate_top
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return Mate(self, CoordSystem(origin=(0, 0, self.length / 2), xDir=(0, \n 1, 0), normal=(0, 0, 1)))\n",
"role": "user"
},
{
"content": "mate_top",
"role": "assistant"
}
] |
def x(self):
return Mate(self, CoordSystem(origin=(0, 0, -self.length / 2), xDir=(1,
0, 0), normal=(0, 0, -1)))
|
mate_bottom
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return Mate(self, CoordSystem(origin=(0, 0, -self.length / 2), xDir=(1,\n 0, 0), normal=(0, 0, -1)))\n",
"role": "user"
},
{
"content": "mate_bottom",
"role": "assistant"
}
] |
def x(self):
wp = cq.Workplane('XY')
h = wp.rect(self.hole_spacing, self.hole_spacing, forConstruction=True
).vertices()
return h.objects
|
mount_points
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n wp = cq.Workplane('XY')\n h = wp.rect(self.hole_spacing, self.hole_spacing, forConstruction=True\n ).vertices()\n return h.objects\n",
"role": "user"
},
{
"content": "mount_points",
"role": "assistant"
}
] |
def x(self):
stepper_shaft = self.components['shaft']
top = self.components['topcap']
local_obj = top.local_obj
local_obj = local_obj.cut(stepper_shaft.get_cutout(clearance=0.5))
|
apply_cutout
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n stepper_shaft = self.components['shaft']\n top = self.components['topcap']\n local_obj = top.local_obj\n local_obj = local_obj.cut(stepper_shaft.get_cutout(clearance=0.5))\n",
"role": "user"
},
{
"content": "apply_cutout",
"role": "assistant"
}
] |
def x(cls, hidden=True):
param_names = set(k for k, v in cls.__dict__.items() if isinstance(v,
Parameter))
for parent in cls.__bases__:
if hasattr(parent, 'class_param_names'):
param_names |= parent.class_param_names(hidden=hidden)
if not hidden:
param_names = set(n for n in param_names if not n.startswith('_'))
return param_names
|
class_param_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, hidden=True):\n param_names = set(k for k, v in cls.__dict__.items() if isinstance(v,\n Parameter))\n for parent in cls.__bases__:\n if hasattr(parent, 'class_param_names'):\n param_names |= parent.class_param_names(hidden=hidden)\n if not hidden:\n param_names = set(n for n in param_names if not n.startswith('_'))\n return param_names\n",
"role": "user"
},
{
"content": "class_param_names",
"role": "assistant"
}
] |
def x(cls, hidden=True):
param_names = cls.class_param_names(hidden=hidden)
return dict((name, getattr(cls, name)) for name in param_names)
|
class_params
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, hidden=True):\n param_names = cls.class_param_names(hidden=hidden)\n return dict((name, getattr(cls, name)) for name in param_names)\n",
"role": "user"
},
{
"content": "class_params",
"role": "assistant"
}
] |
def x(self, hidden=True):
param_names = self.class_param_names(hidden=hidden)
return dict((name, getattr(self, name)) for name in param_names)
|
params
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hidden=True):\n param_names = self.class_param_names(hidden=hidden)\n return dict((name, getattr(self, name)) for name in param_names)\n",
"role": "user"
},
{
"content": "params",
"role": "assistant"
}
] |
def x(self):
return {'lib': {'name': 'cqparts', 'version': __version__}, 'class': {
'module': type(self).__module__, 'name': type(self).__name__},
'params': self.serialize_parameters()}
|
serialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'lib': {'name': 'cqparts', 'version': __version__}, 'class': {\n 'module': type(self).__module__, 'name': type(self).__name__},\n 'params': self.serialize_parameters()}\n",
"role": "user"
},
{
"content": "serialize",
"role": "assistant"
}
] |
def x(self):
class_params = self.class_params()
instance_params = self.params()
serialized = {}
for name in class_params.keys():
param = class_params[name]
value = instance_params[name]
serialized[name] = param.serialize(value)
return serialized
|
serialize_parameters
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n class_params = self.class_params()\n instance_params = self.params()\n serialized = {}\n for name in class_params.keys():\n param = class_params[name]\n value = instance_params[name]\n serialized[name] = param.serialize(value)\n return serialized\n",
"role": "user"
},
{
"content": "serialize_parameters",
"role": "assistant"
}
] |
def x(data):
try:
module = import_module(data.get('class').get('module'))
cls = getattr(module, data.get('class').get('name'))
except ImportError:
raise ImportError('No module named: %r' % data.get('class').get(
'module'))
except AttributeError:
raise ImportError('module %r does not contain class %r' % (data.get
('class').get('module'), data.get('class').get('name')))
class_params = cls.class_params(hidden=True)
params = dict((name, class_params[name].deserialize(value)) for name,
value in data.get('params').items())
return cls(**params)
|
deserialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n try:\n module = import_module(data.get('class').get('module'))\n cls = getattr(module, data.get('class').get('name'))\n except ImportError:\n raise ImportError('No module named: %r' % data.get('class').get(\n 'module'))\n except AttributeError:\n raise ImportError('module %r does not contain class %r' % (data.get\n ('class').get('module'), data.get('class').get('name')))\n class_params = cls.class_params(hidden=True)\n params = dict((name, class_params[name].deserialize(value)) for name,\n value in data.get('params').items())\n return cls(**params)\n",
"role": "user"
},
{
"content": "deserialize",
"role": "assistant"
}
] |
def x(**criteria):
def x(cls):
class_list.add(cls)
for category, value in criteria.items():
index[category][value].add(cls)
_entry = dict((k, set([v])) for k, v in criteria.items())
if cls not in class_criteria:
class_criteria[cls] = _entry
else:
for key in _entry.keys():
class_criteria[cls][key] = class_criteria[cls].get(key, set()
) | _entry[key]
return cls
return inner
|
register
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**criteria):\n\n def x(cls):\n class_list.add(cls)\n for category, value in criteria.items():\n index[category][value].add(cls)\n _entry = dict((k, set([v])) for k, v in criteria.items())\n if cls not in class_criteria:\n class_criteria[cls] = _entry\n else:\n for key in _entry.keys():\n class_criteria[cls][key] = class_criteria[cls].get(key, set()\n ) | _entry[key]\n return cls\n return inner\n",
"role": "user"
},
{
"content": "register",
"role": "assistant"
}
] |
def x(**criteria):
results = copy(class_list)
for category, value in criteria.items():
results &= index[category][value]
return results
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**criteria):\n results = copy(class_list)\n for category, value in criteria.items():\n results &= index[category][value]\n return results\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(**criteria):
results = search(**criteria)
if len(results) > 1:
raise SearchMultipleFoundError('%i results found' % len(results))
elif not results:
raise SearchNoneFoundError('%i results found' % len(results))
return results.pop()
|
find
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**criteria):\n results = search(**criteria)\n if len(results) > 1:\n raise SearchMultipleFoundError('%i results found' % len(results))\n elif not results:\n raise SearchNoneFoundError('%i results found' % len(results))\n return results.pop()\n",
"role": "user"
},
{
"content": "find",
"role": "assistant"
}
] |
def x(**common):
def x(func):
def x(*args, **kwargs):
merged_kwargs = copy(common)
merged_kwargs.update(kwargs)
return func(*args, **merged_kwargs)
return inner
return decorator
|
common_criteria
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**common):\n\n def x(func):\n\n def x(*args, **kwargs):\n merged_kwargs = copy(common)\n merged_kwargs.update(kwargs)\n return func(*args, **merged_kwargs)\n return inner\n return decorator\n",
"role": "user"
},
{
"content": "common_criteria",
"role": "assistant"
}
] |
def x(*bb_list):
if not all(isinstance(x, cadquery.BoundBox) for x in bb_list):
raise TypeError('parameters must be cadquery.BoundBox instances: {!r}'
.format(bb_list))
if len(bb_list) <= 1:
return bb_list[0]
min_params = list(min(*vals) for vals in zip(*((bb.xmin, bb.ymin, bb.
zmin) for bb in bb_list)))
max_params = list(max(*vals) for vals in zip(*((bb.xmax, bb.ymax, bb.
zmax) for bb in bb_list)))
WrappedType = type(bb_list[0].wrapped)
wrapped_bb = WrappedType(*(min_params + max_params))
return cadquery.BoundBox(wrapped_bb)
|
merge_boundboxes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*bb_list):\n if not all(isinstance(x, cadquery.BoundBox) for x in bb_list):\n raise TypeError('parameters must be cadquery.BoundBox instances: {!r}'\n .format(bb_list))\n if len(bb_list) <= 1:\n return bb_list[0]\n min_params = list(min(*vals) for vals in zip(*((bb.xmin, bb.ymin, bb.\n zmin) for bb in bb_list)))\n max_params = list(max(*vals) for vals in zip(*((bb.xmax, bb.ymax, bb.\n zmax) for bb in bb_list)))\n WrappedType = type(bb_list[0].wrapped)\n wrapped_bb = WrappedType(*(min_params + max_params))\n return cadquery.BoundBox(wrapped_bb)\n",
"role": "user"
},
{
"content": "merge_boundboxes",
"role": "assistant"
}
] |
def x(cls, plane):
return cls(origin=plane.origin.toTuple(), xDir=plane.xDir.toTuple(),
normal=plane.zDir.toTuple())
|
from_plane
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, plane):\n return cls(origin=plane.origin.toTuple(), xDir=plane.xDir.toTuple(),\n normal=plane.zDir.toTuple())\n",
"role": "user"
},
{
"content": "from_plane",
"role": "assistant"
}
] |
def x(cls, matrix):
offset = FreeCAD.Vector(0, 0, 0)
x_vertex = FreeCAD.Vector(1, 0, 0)
z_vertex = FreeCAD.Vector(0, 0, 1)
offset = matrix.multiply(offset)
x_vertex = matrix.multiply(x_vertex)
z_vertex = matrix.multiply(z_vertex)
x_axis = x_vertex - offset
z_axis = z_vertex - offset
vect_tuple = lambda v: (v.x, v.y, v.z)
return cls(origin=vect_tuple(offset), xDir=vect_tuple(x_axis), normal=
vect_tuple(z_axis))
|
from_transform
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, matrix):\n offset = FreeCAD.Vector(0, 0, 0)\n x_vertex = FreeCAD.Vector(1, 0, 0)\n z_vertex = FreeCAD.Vector(0, 0, 1)\n offset = matrix.multiply(offset)\n x_vertex = matrix.multiply(x_vertex)\n z_vertex = matrix.multiply(z_vertex)\n x_axis = x_vertex - offset\n z_axis = z_vertex - offset\n vect_tuple = lambda v: (v.x, v.y, v.z)\n return cls(origin=vect_tuple(offset), xDir=vect_tuple(x_axis), normal=\n vect_tuple(z_axis))\n",
"role": "user"
},
{
"content": "from_transform",
"role": "assistant"
}
] |
def x(cls, span=1, seed=None):
if seed is not None:
random.seed(seed)
def x(min, max):
return random.uniform(min, max), random.uniform(min, max
), random.uniform(min, max)
while True:
try:
return cls(origin=rand_vect(-span, span), xDir=rand_vect(-1, 1),
normal=rand_vect(-1, 1))
except RuntimeError:
continue
|
random
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, span=1, seed=None):\n if seed is not None:\n random.seed(seed)\n\n def x(min, max):\n return random.uniform(min, max), random.uniform(min, max\n ), random.uniform(min, max)\n while True:\n try:\n return cls(origin=rand_vect(-span, span), xDir=rand_vect(-1, 1),\n normal=rand_vect(-1, 1))\n except RuntimeError:\n continue\n",
"role": "user"
},
{
"content": "random",
"role": "assistant"
}
] |
def x(func):
from .. import Part
def x(*args, **kwargs):
part_class = type(func.__name__, (Part,), {'make': lambda self:
func(*args, **kwargs)})
return part_class()
inner.__doc__ = func.__doc__
return inner
|
as_part
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n from .. import Part\n\n def x(*args, **kwargs):\n part_class = type(func.__name__, (Part,), {'make': lambda self:\n func(*args, **kwargs)})\n return part_class()\n inner.__doc__ = func.__doc__\n return inner\n",
"role": "user"
},
{
"content": "as_part",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
result = self.search(*args, **kwargs)
if len(result) == 0:
raise SearchNoneFoundError('nothing found')
elif len(result) > 1:
raise SearchMultipleFoundError('more than one result found')
return result[0]
|
find
|
[
{
"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 result = self.search(*args, **kwargs)\n if len(result) == 0:\n raise SearchNoneFoundError('nothing found')\n elif len(result) > 1:\n raise SearchMultipleFoundError('more than one result found')\n return result[0]\n",
"role": "user"
},
{
"content": "find",
"role": "assistant"
}
] |
def x(self, id, obj, criteria={}, force=False, _check_id=True):
if not isinstance(obj, Component):
raise TypeError('can only add(%r), component is a %r' % (Component,
type(obj)))
obj_data = obj.serialize()
q = tinydb.Query()
if (force or _check_id) and self.items.count(q.id == id):
if force:
self.items.remove(q.id == id)
else:
raise ValueError("entry with id '%s' already exists" % id)
index = self.items.insert({'id': id, 'criteria': criteria, 'obj': obj_data}
)
return index
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, obj, criteria={}, force=False, _check_id=True):\n if not isinstance(obj, Component):\n raise TypeError('can only add(%r), component is a %r' % (Component,\n type(obj)))\n obj_data = obj.serialize()\n q = tinydb.Query()\n if (force or _check_id) and self.items.count(q.id == id):\n if force:\n self.items.remove(q.id == id)\n else:\n raise ValueError(\"entry with id '%s' already exists\" % id)\n index = self.items.insert({'id': id, 'criteria': criteria, 'obj': obj_data}\n )\n return index\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
result = self.find(*args, **kwargs)
return self.deserialize_item(result)
|
get
|
[
{
"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 result = self.find(*args, **kwargs)\n return self.deserialize_item(result)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self):
edge = self.result.wire().val().Edges()[0]
return edge.Vertices()[0].Center()
|
start_point
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n edge = self.result.wire().val().Edges()[0]\n return edge.Vertices()[0].Center()\n",
"role": "user"
},
{
"content": "start_point",
"role": "assistant"
}
] |
def x(self):
coordsys = copy(self.location)
coordsys.origin = self.start_point
return coordsys
|
start_coordsys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n coordsys = copy(self.location)\n coordsys.origin = self.start_point\n return coordsys\n",
"role": "user"
},
{
"content": "start_coordsys",
"role": "assistant"
}
] |
def x(self):
coordsys = copy(self.location)
coordsys.origin = self.end_point
return coordsys
|
end_coordsys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n coordsys = copy(self.location)\n coordsys.origin = self.end_point\n return coordsys\n",
"role": "user"
},
{
"content": "end_coordsys",
"role": "assistant"
}
] |
def x(self):
return self.start_point.sub(self.location.origin).dot(-self.location.zDir)
|
origin_displacement
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return self.start_point.sub(self.location.origin).dot(-self.location.zDir)\n",
"role": "user"
},
{
"content": "origin_displacement",
"role": "assistant"
}
] |
def x(self):
def x():
for part in self.parts:
if part.local_obj.findSolid():
bb = part.local_obj.findSolid().BoundingBox()
yield abs(bb.center - self.location.origin
) + bb.DiagonalLength / 2
try:
return max(max_length_iter())
except ValueError as e:
return 0
|
max_effect_length
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x():\n for part in self.parts:\n if part.local_obj.findSolid():\n bb = part.local_obj.findSolid().BoundingBox()\n yield abs(bb.center - self.location.origin\n ) + bb.DiagonalLength / 2\n try:\n return max(max_length_iter())\n except ValueError as e:\n return 0\n",
"role": "user"
},
{
"content": "max_effect_length",
"role": "assistant"
}
] |
def x(self):
if not self.max_effect_length:
return []
edge = cadquery.Edge.makeLine(self.location.origin, self.location.
origin + self.location.zDir * -(self.max_effect_length + 1))
wire = cadquery.Wire.assembleEdges([edge])
wp = cadquery.Workplane('XY').newObject([wire])
effect_list = []
for part in self.parts:
solid = part.world_obj.translate((0, 0, 0))
intersection = solid.intersect(copy(wp))
effect = self.effect_class(location=self.location, part=part,
result=intersection)
if effect:
effect_list.append(effect)
return sorted(effect_list)
|
perform_evaluation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.max_effect_length:\n return []\n edge = cadquery.Edge.makeLine(self.location.origin, self.location.\n origin + self.location.zDir * -(self.max_effect_length + 1))\n wire = cadquery.Wire.assembleEdges([edge])\n wp = cadquery.Workplane('XY').newObject([wire])\n effect_list = []\n for part in self.parts:\n solid = part.world_obj.translate((0, 0, 0))\n intersection = solid.intersect(copy(wp))\n effect = self.effect_class(location=self.location, part=part,\n result=intersection)\n if effect:\n effect_list.append(effect)\n return sorted(effect_list)\n",
"role": "user"
},
{
"content": "perform_evaluation",
"role": "assistant"
}
] |
def x(component, **kwargs):
disp_env = get_display_environment()
if disp_env is None:
raise LookupError('valid display environment could not be found')
disp_env.display(component, **kwargs)
|
display
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(component, **kwargs):\n disp_env = get_display_environment()\n if disp_env is None:\n raise LookupError('valid display environment could not be found')\n disp_env.display(component, **kwargs)\n",
"role": "user"
},
{
"content": "display",
"role": "assistant"
}
] |
def x(**kwargs):
template = kwargs.pop('template', 'default')
doc = kwargs.pop('doc', 'render properties')
params = {}
if template in TEMPLATE:
params.update(TEMPLATE[template])
params.update(kwargs)
return RenderParam(params, doc=doc)
|
render_props
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n template = kwargs.pop('template', 'default')\n doc = kwargs.pop('doc', 'render properties')\n params = {}\n if template in TEMPLATE:\n params.update(TEMPLATE[template])\n params.update(kwargs)\n return RenderParam(params, doc=doc)\n",
"role": "user"
},
{
"content": "render_props",
"role": "assistant"
}
] |
def x(self, workplane, world_coords=CoordSystem()):
self.world_coords = world_coords
return workplane.cut(self.world_obj)
|
apply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, workplane, world_coords=CoordSystem()):\n self.world_coords = world_coords\n return workplane.cut(self.world_obj)\n",
"role": "user"
},
{
"content": "apply",
"role": "assistant"
}
] |
def x(prepend=False, hide_private=True):
from ..params import ParametricObject
def x(app, obj):
params = obj.class_params(hidden=not hide_private)
doc_lines = []
if params:
doc_lines += [
':class:`ParametricObject <cqparts.params.ParametricObject>` constructor parameters:'
, '']
for name, param in sorted(params.items(), key=lambda x: x[0]):
doc_lines.append(':param {name}: {doc}'.format(name=name, doc=
param._param()))
doc_lines.append(':type {name}: {doc}'.format(name=name, doc=
param._type()))
return doc_lines
conditions = [lambda o: type(o) == type, lambda o: o is not
ParametricObject, lambda o: issubclass(o, ParametricObject)]
def x(app, what, name, obj, options, lines):
if all(c(obj) for c in conditions):
new_lines = param_lines(app, obj)
_add_lines(lines, new_lines, prepend=prepend)
return callback
|
add_parametric_object_params
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prepend=False, hide_private=True):\n from ..params import ParametricObject\n\n def x(app, obj):\n params = obj.class_params(hidden=not hide_private)\n doc_lines = []\n if params:\n doc_lines += [\n ':class:`ParametricObject <cqparts.params.ParametricObject>` constructor parameters:'\n , '']\n for name, param in sorted(params.items(), key=lambda x: x[0]):\n doc_lines.append(':param {name}: {doc}'.format(name=name, doc=\n param._param()))\n doc_lines.append(':type {name}: {doc}'.format(name=name, doc=\n param._type()))\n return doc_lines\n conditions = [lambda o: type(o) == type, lambda o: o is not\n ParametricObject, lambda o: issubclass(o, ParametricObject)]\n\n def x(app, what, name, obj, options, lines):\n if all(c(obj) for c in conditions):\n new_lines = param_lines(app, obj)\n _add_lines(lines, new_lines, prepend=prepend)\n return callback\n",
"role": "user"
},
{
"content": "add_parametric_object_params",
"role": "assistant"
}
] |
def x(prepend=False):
from ..search import class_criteria
from .. import Component
COLUMN_INFO = [('Key', 50, lambda k, v: '``%s``' % k), ('Value', 10, lambda
k, v: ', '.join('``%s``' % w for w in v))]
def x(app, obj):
doc_lines = []
criteria = class_criteria.get(obj, {})
row_seperator = ' '.join('=' * w for _, w, _ in COLUMN_INFO)
if criteria:
doc_lines += ['**Search Criteria:**', '',
'This object can be found with :meth:`find() <cqparts.search.find>` '
,
'and :meth:`search() <cqparts.search.search>` using the following '
, 'search criteria.', '', row_seperator, ' '.join('%%-%is' %
w % t for t, w, _ in COLUMN_INFO), row_seperator]
for key, value in sorted(criteria.items(), key=lambda x: x[0]):
doc_lines.append(' '.join('%%-%is' % w % m(key, value) for _, w,
m in COLUMN_INFO))
if criteria:
doc_lines += [row_seperator, '']
return doc_lines
conditions = [lambda o: type(o) == type, lambda o: o is not Component,
lambda o: issubclass(o, Component)]
def x(app, what, name, obj, options, lines):
if all(c(obj) for c in conditions):
new_lines = param_lines(app, obj)
_add_lines(lines, new_lines, prepend=prepend)
return callback
|
add_search_index_criteria
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prepend=False):\n from ..search import class_criteria\n from .. import Component\n COLUMN_INFO = [('Key', 50, lambda k, v: '``%s``' % k), ('Value', 10, lambda\n k, v: ', '.join('``%s``' % w for w in v))]\n\n def x(app, obj):\n doc_lines = []\n criteria = class_criteria.get(obj, {})\n row_seperator = ' '.join('=' * w for _, w, _ in COLUMN_INFO)\n if criteria:\n doc_lines += ['**Search Criteria:**', '',\n 'This object can be found with :meth:`find() <cqparts.search.find>` '\n ,\n 'and :meth:`search() <cqparts.search.search>` using the following '\n , 'search criteria.', '', row_seperator, ' '.join('%%-%is' %\n w % t for t, w, _ in COLUMN_INFO), row_seperator]\n for key, value in sorted(criteria.items(), key=lambda x: x[0]):\n doc_lines.append(' '.join('%%-%is' % w % m(key, value) for _, w,\n m in COLUMN_INFO))\n if criteria:\n doc_lines += [row_seperator, '']\n return doc_lines\n conditions = [lambda o: type(o) == type, lambda o: o is not Component, \n lambda o: issubclass(o, Component)]\n\n def x(app, what, name, obj, options, lines):\n if all(c(obj) for c in conditions):\n new_lines = param_lines(app, obj)\n _add_lines(lines, new_lines, prepend=prepend)\n return callback\n",
"role": "user"
},
{
"content": "add_search_index_criteria",
"role": "assistant"
}
] |
def x():
from ..params import Parameter
def x(app, what, name, obj, skip, options):
if what == 'class' and isinstance(obj, Parameter):
return True
return None
return callback
|
skip_class_parameters
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from ..params import Parameter\n\n def x(app, what, name, obj, skip, options):\n if what == 'class' and isinstance(obj, Parameter):\n return True\n return None\n return callback\n",
"role": "user"
},
{
"content": "skip_class_parameters",
"role": "assistant"
}
] |
def x(items):
last_index = len(items) - 1
for i, item in enumerate(items):
yield i == last_index, item
|
indicate_last
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(items):\n last_index = len(items) - 1\n for i, item in enumerate(items):\n yield i == last_index, item\n",
"role": "user"
},
{
"content": "indicate_last",
"role": "assistant"
}
] |
def x(path):
initial_path = os.getcwd()
os.chdir(path)
yield
os.chdir(initial_path)
|
working_dir
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n initial_path = os.getcwd()\n os.chdir(path)\n yield\n os.chdir(initial_path)\n",
"role": "user"
},
{
"content": "working_dir",
"role": "assistant"
}
] |
def x(profile, lefthand=False, start_count=1, min_vertices=20):
if not isinstance(profile, cadquery.Workplane):
raise TypeError('profile %r must be a %s instance' % (profile,
cadquery.Workplane))
if not isinstance(min_vertices, (int, list, tuple)):
raise TypeError('min_vertices %r must be an int, list, or tuple' %
min_vertices)
wire = profile.val()
if not isinstance(wire, cadquery.Wire):
raise TypeError(
'a valid profile Wire type could not be found in the given Workplane'
)
profile_bb = wire.BoundingBox()
pitch = profile_bb.zmax - profile_bb.zmin
lead = pitch * start_count
edges = wire.Edges()
vertices_count = None
if isinstance(min_vertices, int):
vertices_count = [int(ceil(round(e.Length() / wire.Length(), 7) *
min_vertices)) for e in edges]
else:
if len(min_vertices) != len(edges):
raise ValueError(
'min_vertices list size does not match number of profile edges: len(%r) != %i'
% (min_vertices, len(edges)))
vertices_count = min_vertices
def x(vertex):
if isinstance(vertex, cadquery.Vector):
vertex = vertex.wrapped
return vertex.x, vertex.z
def x(x, z, z_offset=0):
radius = x
angle = (z + z_offset) / lead * (2 * pi)
if not lefthand:
angle = -angle
return radius, angle
def x(vertex, z_offset=0):
radius, angle = cart2polar(*get_xz(vertex), z_offset=z_offset)
return radius * cos(angle), radius * sin(angle)
def x(wp, edge, vert_count, z_offset=0):
curve = edge.wrapped.Curve
if edge.geomType() == 'CIRCLE':
iter_dist = edge.wrapped.ParameterRange[1] / vert_count
else:
iter_dist = edge.Length() / vert_count
points = []
for j in range(vert_count):
dist = (j + 1) * iter_dist
vert = curve.value(dist)
points.append(transform(vert, z_offset))
return wp.spline(points)
def x(wp, edge, z_offset=0):
return wp.threePointArc(point1=transform(edge.wrapped.valueAt(edge.
Length() / 2), z_offset), point2=transform(edge.wrapped.valueAt
(edge.Length()), z_offset))
def x(wp, edge, z_offset=0):
return wp.lineTo(*transform(edge.endPoint(), z_offset))
start_v = edges[0].startPoint().wrapped
cross_section = cadquery.Workplane('XY').moveTo(*transform(start_v))
for i in range(start_count):
z_offset = i * pitch
for j, edge in enumerate(wire.Edges()):
if edge.geomType() == 'LINE' and edge.startPoint(
).x == edge.endPoint().x:
cross_section = apply_arc(cross_section, edge, z_offset)
elif edge.geomType() == 'LINE' and edge.startPoint(
).z == edge.endPoint().z:
cross_section = apply_radial_line(cross_section, edge, z_offset
)
else:
cross_section = apply_spline(cross_section, edge,
vertices_count[j], z_offset)
return cross_section.close()
|
profile_to_cross_section
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(profile, lefthand=False, start_count=1, min_vertices=20):\n if not isinstance(profile, cadquery.Workplane):\n raise TypeError('profile %r must be a %s instance' % (profile,\n cadquery.Workplane))\n if not isinstance(min_vertices, (int, list, tuple)):\n raise TypeError('min_vertices %r must be an int, list, or tuple' %\n min_vertices)\n wire = profile.val()\n if not isinstance(wire, cadquery.Wire):\n raise TypeError(\n 'a valid profile Wire type could not be found in the given Workplane'\n )\n profile_bb = wire.BoundingBox()\n pitch = profile_bb.zmax - profile_bb.zmin\n lead = pitch * start_count\n edges = wire.Edges()\n vertices_count = None\n if isinstance(min_vertices, int):\n vertices_count = [int(ceil(round(e.Length() / wire.Length(), 7) *\n min_vertices)) for e in edges]\n else:\n if len(min_vertices) != len(edges):\n raise ValueError(\n 'min_vertices list size does not match number of profile edges: len(%r) != %i'\n % (min_vertices, len(edges)))\n vertices_count = min_vertices\n\n def x(vertex):\n if isinstance(vertex, cadquery.Vector):\n vertex = vertex.wrapped\n return vertex.x, vertex.z\n\n def x(x, z, z_offset=0):\n radius = x\n angle = (z + z_offset) / lead * (2 * pi)\n if not lefthand:\n angle = -angle\n return radius, angle\n\n def x(vertex, z_offset=0):\n radius, angle = cart2polar(*get_xz(vertex), z_offset=z_offset)\n return radius * cos(angle), radius * sin(angle)\n\n def x(wp, edge, vert_count, z_offset=0):\n curve = edge.wrapped.Curve\n if edge.geomType() == 'CIRCLE':\n iter_dist = edge.wrapped.ParameterRange[1] / vert_count\n else:\n iter_dist = edge.Length() / vert_count\n points = []\n for j in range(vert_count):\n dist = (j + 1) * iter_dist\n vert = curve.value(dist)\n points.append(transform(vert, z_offset))\n return wp.spline(points)\n\n def x(wp, edge, z_offset=0):\n return wp.threePointArc(point1=transform(edge.wrapped.valueAt(edge.\n Length() / 2), z_offset), point2=transform(edge.wrapped.valueAt\n (edge.Length()), z_offset))\n\n def x(wp, edge, z_offset=0):\n return wp.lineTo(*transform(edge.endPoint(), z_offset))\n start_v = edges[0].startPoint().wrapped\n cross_section = cadquery.Workplane('XY').moveTo(*transform(start_v))\n for i in range(start_count):\n z_offset = i * pitch\n for j, edge in enumerate(wire.Edges()):\n if edge.geomType() == 'LINE' and edge.startPoint(\n ).x == edge.endPoint().x:\n cross_section = apply_arc(cross_section, edge, z_offset)\n elif edge.geomType() == 'LINE' and edge.startPoint(\n ).z == edge.endPoint().z:\n cross_section = apply_radial_line(cross_section, edge, z_offset\n )\n else:\n cross_section = apply_spline(cross_section, edge,\n vertices_count[j], z_offset)\n return cross_section.close()\n",
"role": "user"
},
{
"content": "profile_to_cross_section",
"role": "assistant"
}
] |
def x(self):
if self._profile is None:
self._profile = self.build_profile()
return self._profile
|
profile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._profile is None:\n self._profile = self.build_profile()\n return self._profile\n",
"role": "user"
},
{
"content": "profile",
"role": "assistant"
}
] |
def x(self):
bb = self.profile.val().BoundingBox()
return bb.xmin, bb.xmax
|
get_radii
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n bb = self.profile.val().BoundingBox()\n return bb.xmin, bb.xmax\n",
"role": "user"
},
{
"content": "get_radii",
"role": "assistant"
}
] |
def x(self):
inner_radius, outer_radius = self.get_radii()
radius = (inner_radius + outer_radius) / 2
return cadquery.Workplane('XY').circle(radius).extrude(self.length)
|
make_simple
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n inner_radius, outer_radius = self.get_radii()\n radius = (inner_radius + outer_radius) / 2\n return cadquery.Workplane('XY').circle(radius).extrude(self.length)\n",
"role": "user"
},
{
"content": "make_simple",
"role": "assistant"
}
] |
def x(self):
pilothole_radius = self.pilothole_radius
if pilothole_radius is None:
inner_radius, outer_radius = self.get_radii()
pilothole_radius = inner_radius + self.pilothole_ratio * (outer_radius
- inner_radius)
return cadquery.Workplane('XY').circle(pilothole_radius).extrude(self.
length)
|
make_pilothole_cutter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pilothole_radius = self.pilothole_radius\n if pilothole_radius is None:\n inner_radius, outer_radius = self.get_radii()\n pilothole_radius = inner_radius + self.pilothole_ratio * (outer_radius\n - inner_radius)\n return cadquery.Workplane('XY').circle(pilothole_radius).extrude(self.\n length)\n",
"role": "user"
},
{
"content": "make_pilothole_cutter",
"role": "assistant"
}
] |
def x(self):
if self._components is None:
self.build(recursive=False)
return self._components
|
components
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._components is None:\n self.build(recursive=False)\n return self._components\n",
"role": "user"
},
{
"content": "components",
"role": "assistant"
}
] |
def x(self):
if self._constraints is None:
self.build(recursive=False)
return self._constraints
|
constraints
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._constraints is None:\n self.build(recursive=False)\n return self._constraints\n",
"role": "user"
},
{
"content": "constraints",
"role": "assistant"
}
] |
def x(self):
if self.world_coords is None:
log.warning('solving for Assembly without world coordinates set: %r',
self)
for component, world_coords in solver(self.constraints, self.world_coords):
component.world_coords = world_coords
|
solve
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.world_coords is None:\n log.warning('solving for Assembly without world coordinates set: %r',\n self)\n for component, world_coords in solver(self.constraints, self.world_coords):\n component.world_coords = world_coords\n",
"role": "user"
},
{
"content": "solve",
"role": "assistant"
}
] |
def x(components):
if not isinstance(components, dict):
raise ValueError(
'invalid type returned by make_components(): %r (must be a dict)' %
components)
for name, component in components.items():
if not isinstance(name, str):
raise ValueError(
'invalid name from make_components(): (%r, %r) (must be a (str, Component))'
% (name, component))
if not isinstance(component, Component):
raise ValueError(
'invalid component type from make_components(): (%r, %r) (must be a (str, Component))'
% (name, component))
invalid_chars = set(name) - VALID_NAME_CHARS
if invalid_chars:
raise ValueError('component name {!r} invalid; cannot include {!r}'
.format(name, invalid_chars))
|
verify_components
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(components):\n if not isinstance(components, dict):\n raise ValueError(\n 'invalid type returned by make_components(): %r (must be a dict)' %\n components)\n for name, component in components.items():\n if not isinstance(name, str):\n raise ValueError(\n 'invalid name from make_components(): (%r, %r) (must be a (str, Component))'\n % (name, component))\n if not isinstance(component, Component):\n raise ValueError(\n 'invalid component type from make_components(): (%r, %r) (must be a (str, Component))'\n % (name, component))\n invalid_chars = set(name) - VALID_NAME_CHARS\n if invalid_chars:\n raise ValueError('component name {!r} invalid; cannot include {!r}'\n .format(name, invalid_chars))\n",
"role": "user"
},
{
"content": "verify_components",
"role": "assistant"
}
] |
def x(constraints):
if not isinstance(constraints, list):
raise ValueError(
'invalid type returned by make_constraints: %r (must be a list)' %
constraints)
for constraint in constraints:
if not isinstance(constraint, Constraint):
raise ValueError(
'invalid constraint type: %r (must be a Constriant)' %
constraint)
|
verify_constraints
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(constraints):\n if not isinstance(constraints, list):\n raise ValueError(\n 'invalid type returned by make_constraints: %r (must be a list)' %\n constraints)\n for constraint in constraints:\n if not isinstance(constraint, Constraint):\n raise ValueError(\n 'invalid constraint type: %r (must be a Constriant)' %\n constraint)\n",
"role": "user"
},
{
"content": "verify_constraints",
"role": "assistant"
}
] |
def x(self, recursive=True):
self._components = {}
self._constraints = []
def x(obj, name, iter_type=None):
if isinstance(obj, GeneratorType):
for i in obj:
if iter_type is not None and not isinstance(i, iter_type):
raise TypeError('%s must yield a %r' % (name, iter_type))
yield i
else:
if iter_type is not None and not isinstance(obj, iter_type):
raise TypeError('%s must return a %r' % (name, iter_type))
yield obj
components_iter = genwrap(self.make_components(), 'make_components', dict)
new_components = next(components_iter)
self.verify_components(new_components)
self._components.update(new_components)
constraints_iter = genwrap(self.make_constraints(), 'make_components', list
)
new_constraints = next(constraints_iter)
self.verify_constraints(new_constraints)
self._constraints += new_constraints
self.solve()
alterations_iter = genwrap(self.make_alterations(), 'make_alterations')
next(alterations_iter)
while True:
s1, s2, s3 = True, True, True
new_components = None
try:
new_components = next(components_iter)
self.verify_components(new_components)
self._components.update(new_components)
except StopIteration:
s1 = False
new_constraints = None
try:
new_constraints = next(constraints_iter)
self.verify_constraints(new_constraints)
self._constraints += new_constraints
except StopIteration:
s2 = False
if new_components or new_constraints:
self.solve()
try:
next(alterations_iter)
except StopIteration:
s3 = False
if not any((s1, s2, s3)):
break
if recursive:
for name, component in self._components.items():
component.build(recursive=recursive)
|
build
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, recursive=True):\n self._components = {}\n self._constraints = []\n\n def x(obj, name, iter_type=None):\n if isinstance(obj, GeneratorType):\n for i in obj:\n if iter_type is not None and not isinstance(i, iter_type):\n raise TypeError('%s must yield a %r' % (name, iter_type))\n yield i\n else:\n if iter_type is not None and not isinstance(obj, iter_type):\n raise TypeError('%s must return a %r' % (name, iter_type))\n yield obj\n components_iter = genwrap(self.make_components(), 'make_components', dict)\n new_components = next(components_iter)\n self.verify_components(new_components)\n self._components.update(new_components)\n constraints_iter = genwrap(self.make_constraints(), 'make_components', list\n )\n new_constraints = next(constraints_iter)\n self.verify_constraints(new_constraints)\n self._constraints += new_constraints\n self.solve()\n alterations_iter = genwrap(self.make_alterations(), 'make_alterations')\n next(alterations_iter)\n while True:\n s1, s2, s3 = True, True, True\n new_components = None\n try:\n new_components = next(components_iter)\n self.verify_components(new_components)\n self._components.update(new_components)\n except StopIteration:\n s1 = False\n new_constraints = None\n try:\n new_constraints = next(constraints_iter)\n self.verify_constraints(new_constraints)\n self._constraints += new_constraints\n except StopIteration:\n s2 = False\n if new_components or new_constraints:\n self.solve()\n try:\n next(alterations_iter)\n except StopIteration:\n s3 = False\n if not any((s1, s2, s3)):\n break\n if recursive:\n for name, component in self._components.items():\n component.build(recursive=recursive)\n",
"role": "user"
},
{
"content": "build",
"role": "assistant"
}
] |
def x(self, keys, _index=0):
if isinstance(keys, six.string_types):
keys = re.split('[\\.-]+', keys)
if _index >= len(keys):
return self
key = keys[_index]
if key in self.components:
component = self.components[key]
if isinstance(component, Assembly):
return component.find(keys, _index=_index + 1)
elif _index == len(keys) - 1:
return component
else:
raise AssemblyFindError(
"could not find '%s' (invalid type at [%i]: %r)" % ('.'.
join(keys), _index, component))
else:
raise AssemblyFindError(
"could not find '%s', '%s' is not a component of %r" % ('.'.
join(keys), key, self))
|
find
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keys, _index=0):\n if isinstance(keys, six.string_types):\n keys = re.split('[\\\\.-]+', keys)\n if _index >= len(keys):\n return self\n key = keys[_index]\n if key in self.components:\n component = self.components[key]\n if isinstance(component, Assembly):\n return component.find(keys, _index=_index + 1)\n elif _index == len(keys) - 1:\n return component\n else:\n raise AssemblyFindError(\n \"could not find '%s' (invalid type at [%i]: %r)\" % ('.'.\n join(keys), _index, component))\n else:\n raise AssemblyFindError(\n \"could not find '%s', '%s' is not a component of %r\" % ('.'.\n join(keys), key, self))\n",
"role": "user"
},
{
"content": "find",
"role": "assistant"
}
] |
def x(self, name=None, prefix='', add_repr=False, _depth=0):
c_t = u'β'
c_l = u'β'
c_dash = u'β'
c_o = u'β'
c_span = u'β'
output = u''
if not _depth:
output = prefix
if name:
output += name + u': ' if add_repr else name
if add_repr or not name:
output += repr(self)
output += '\n'
for is_last, (name, component) in indicate_last(sorted(self.components.
items(), key=lambda x: x[0])):
branch_chr = c_l if is_last else c_t
if isinstance(component, Assembly):
output += prefix + ' ' + branch_chr + c_dash + u' ' + name
if add_repr:
output += ': ' + repr(component)
output += '\n'
output += component.tree_str(prefix=prefix + (u' ' if
is_last else u' ' + c_span + ' '), add_repr=add_repr,
_depth=_depth + 1)
else:
output += prefix + ' ' + branch_chr + c_o + u' ' + name
if add_repr:
output += ': ' + repr(component)
output += '\n'
return output
|
tree_str
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, prefix='', add_repr=False, _depth=0):\n c_t = u'β'\n c_l = u'β'\n c_dash = u'β'\n c_o = u'β'\n c_span = u'β'\n output = u''\n if not _depth:\n output = prefix\n if name:\n output += name + u': ' if add_repr else name\n if add_repr or not name:\n output += repr(self)\n output += '\\n'\n for is_last, (name, component) in indicate_last(sorted(self.components.\n items(), key=lambda x: x[0])):\n branch_chr = c_l if is_last else c_t\n if isinstance(component, Assembly):\n output += prefix + ' ' + branch_chr + c_dash + u' ' + name\n if add_repr:\n output += ': ' + repr(component)\n output += '\\n'\n output += component.tree_str(prefix=prefix + (u' ' if\n is_last else u' ' + c_span + ' '), add_repr=add_repr,\n _depth=_depth + 1)\n else:\n output += prefix + ' ' + branch_chr + c_o + u' ' + name\n if add_repr:\n output += ': ' + repr(component)\n output += '\\n'\n return output\n",
"role": "user"
},
{
"content": "tree_str",
"role": "assistant"
}
] |
def x(path_list, filename):
return os.path.join(os.path.relpath(os.path.join(*path_list), os.getcwd
()), filename)
|
relative_path_to
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path_list, filename):\n return os.path.join(os.path.relpath(os.path.join(*path_list), os.getcwd\n ()), filename)\n",
"role": "user"
},
{
"content": "relative_path_to",
"role": "assistant"
}
] |
def x(self):
period_arc = 2 * pi / self.tooth_count
tooth_arc = period_arc * self.spacing_ratio
outer_radius = self.effective_radius + self.tooth_height / 2
face_angle_rad = radians(self.face_angle)
side_angle = face_angle_rad - tooth_arc / 2
side_tangent_radius = sin(face_angle_rad) * self.effective_radius
extra_side_angle = side_angle + acos(side_tangent_radius / outer_radius)
tooth = cadquery.Workplane('XY', origin=(0, 0, -self.width / 2)).moveTo(
side_tangent_radius * cos(side_angle), side_tangent_radius * sin(
side_angle))
opposite_point = -side_tangent_radius * cos(side_angle
), side_tangent_radius * sin(side_angle)
if self.face_angle:
tooth = tooth.lineTo(*opposite_point)
tooth = tooth.lineTo(-cos(extra_side_angle) * outer_radius, sin(
extra_side_angle) * outer_radius)
opposite_point = cos(extra_side_angle) * outer_radius, sin(extra_side_angle
) * outer_radius
if self.flat_top:
tooth = tooth.lineTo(*opposite_point)
else:
tooth = tooth.threePointArc((0, outer_radius), opposite_point)
tooth = tooth.close().extrude(self.width)
return tooth
|
make_tooth_template
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n period_arc = 2 * pi / self.tooth_count\n tooth_arc = period_arc * self.spacing_ratio\n outer_radius = self.effective_radius + self.tooth_height / 2\n face_angle_rad = radians(self.face_angle)\n side_angle = face_angle_rad - tooth_arc / 2\n side_tangent_radius = sin(face_angle_rad) * self.effective_radius\n extra_side_angle = side_angle + acos(side_tangent_radius / outer_radius)\n tooth = cadquery.Workplane('XY', origin=(0, 0, -self.width / 2)).moveTo(\n side_tangent_radius * cos(side_angle), side_tangent_radius * sin(\n side_angle))\n opposite_point = -side_tangent_radius * cos(side_angle\n ), side_tangent_radius * sin(side_angle)\n if self.face_angle:\n tooth = tooth.lineTo(*opposite_point)\n tooth = tooth.lineTo(-cos(extra_side_angle) * outer_radius, sin(\n extra_side_angle) * outer_radius)\n opposite_point = cos(extra_side_angle) * outer_radius, sin(extra_side_angle\n ) * outer_radius\n if self.flat_top:\n tooth = tooth.lineTo(*opposite_point)\n else:\n tooth = tooth.threePointArc((0, outer_radius), opposite_point)\n tooth = tooth.close().extrude(self.width)\n return tooth\n",
"role": "user"
},
{
"content": "make_tooth_template",
"role": "assistant"
}
] |
def x(self, angle=0):
return Mate(self, CoordSystem.from_plane(cadquery.Plane(origin=(0, 0,
self.width / 2), xDir=(1, 0, 0), normal=(0, 0, 1)).rotated((0, 0,
angle))))
|
get_mate_center
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, angle=0):\n return Mate(self, CoordSystem.from_plane(cadquery.Plane(origin=(0, 0, \n self.width / 2), xDir=(1, 0, 0), normal=(0, 0, 1)).rotated((0, 0,\n angle))))\n",
"role": "user"
},
{
"content": "get_mate_center",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.