source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self): return '{attribute}{sep}{value}'.format(attribute=self.attribute, sep= self.sep, value=_quoted(self.value))
compile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return '{attribute}{sep}{value}'.format(attribute=self.attribute, sep=\n self.sep, value=_quoted(self.value))\n", "role": "user" }, { "content": "compile", "role": "assistant" } ]
def x(session): try: data = session.socket.recv(6 - len(session.data)) if len(data) == 0: return NO_DATA session.data += data if len(session.data) < 6: return INCOMPLETE except ssl.SSLError: return INCOMPLETE session.message_length = struct.unpack('!i', session.data[2:6])[0] response_type = struct.unpack('!H', session.data[0:2])[0] session.data = six.b('') return response_type
read_msg_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(session):\n try:\n data = session.socket.recv(6 - len(session.data))\n if len(data) == 0:\n return NO_DATA\n session.data += data\n if len(session.data) < 6:\n return INCOMPLETE\n except ssl.SSLError:\n return INCOMPLETE\n session.message_length = struct.unpack('!i', session.data[2:6])[0]\n response_type = struct.unpack('!H', session.data[0:2])[0]\n session.data = six.b('')\n return response_type\n", "role": "user" }, { "content": "read_msg_header", "role": "assistant" } ]
def x(session): if len(session.data) == session.message_length: return True try: data = session.socket.recv(session.message_length - len(session.data)) if len(data) == 0: raise PushException('No Data on Socket!') session.data += data except ssl.SSLError: return False return len(session.data) == session.message_length
read_msg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(session):\n if len(session.data) == session.message_length:\n return True\n try:\n data = session.socket.recv(session.message_length - len(session.data))\n if len(data) == 0:\n raise PushException('No Data on Socket!')\n session.data += data\n except ssl.SSLError:\n return False\n return len(session.data) == session.message_length\n", "role": "user" }, { "content": "read_msg", "role": "assistant" } ]
def x(self): try: self.log.info('Sending ConnectionRequest for Monitor %s.' % self. monitor_id) payload = struct.pack('!H', 1) payload += struct.pack('!H', len(self.client.username)) payload += six.b(self.client.username) payload += struct.pack('!H', len(self.client.password)) payload += six.b(self.client.password) payload += struct.pack('!L', int(self.monitor_id)) data = struct.pack('!HL', CONNECTION_REQUEST, len(payload)) data += payload self.socket.send(data) self.socket.settimeout(60) response = self.socket.recv(10) self.socket.settimeout(0) if len(response) != 10: raise PushException( 'Length of Connection Request Response (%d) is not 10.' % len(response)) response_type = int(struct.unpack('!H', response[0:2])[0]) if response_type != CONNECTION_RESPONSE: raise PushException( 'Connection Response Type (%d) is not ConnectionResponse Type (%d).' % (response_type, CONNECTION_RESPONSE)) status_code = struct.unpack('!H', response[6:8])[0] self.log.info('Got ConnectionResponse for Monitor %s. Status %s.' % (self.monitor_id, status_code)) if status_code != STATUS_OK: raise PushException( 'Connection Response Status Code (%d) is not STATUS_OK (%d).' % (status_code, STATUS_OK)) except Exception as exception: self.socket.close() self.socket = None raise exception
send_connection_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n self.log.info('Sending ConnectionRequest for Monitor %s.' % self.\n monitor_id)\n payload = struct.pack('!H', 1)\n payload += struct.pack('!H', len(self.client.username))\n payload += six.b(self.client.username)\n payload += struct.pack('!H', len(self.client.password))\n payload += six.b(self.client.password)\n payload += struct.pack('!L', int(self.monitor_id))\n data = struct.pack('!HL', CONNECTION_REQUEST, len(payload))\n data += payload\n self.socket.send(data)\n self.socket.settimeout(60)\n response = self.socket.recv(10)\n self.socket.settimeout(0)\n if len(response) != 10:\n raise PushException(\n 'Length of Connection Request Response (%d) is not 10.' %\n len(response))\n response_type = int(struct.unpack('!H', response[0:2])[0])\n if response_type != CONNECTION_RESPONSE:\n raise PushException(\n 'Connection Response Type (%d) is not ConnectionResponse Type (%d).'\n % (response_type, CONNECTION_RESPONSE))\n status_code = struct.unpack('!H', response[6:8])[0]\n self.log.info('Got ConnectionResponse for Monitor %s. Status %s.' %\n (self.monitor_id, status_code))\n if status_code != STATUS_OK:\n raise PushException(\n 'Connection Response Status Code (%d) is not STATUS_OK (%d).' %\n (status_code, STATUS_OK))\n except Exception as exception:\n self.socket.close()\n self.socket = None\n raise exception\n", "role": "user" }, { "content": "send_connection_request", "role": "assistant" } ]
def x(self): self.log.info('Starting Insecure Session for Monitor %s' % self.monitor_id) if self.socket is not None: raise Exception('Socket already established for %s.' % self) try: self.socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM) self.socket.connect((self.client.hostname, PUSH_OPEN_PORT)) self.socket.setblocking(0) except socket.error as exception: self.socket.close() self.socket = None raise self.send_connection_request()
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.log.info('Starting Insecure Session for Monitor %s' % self.monitor_id)\n if self.socket is not None:\n raise Exception('Socket already established for %s.' % self)\n try:\n self.socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n self.socket.connect((self.client.hostname, PUSH_OPEN_PORT))\n self.socket.setblocking(0)\n except socket.error as exception:\n self.socket.close()\n self.socket = None\n raise\n self.send_connection_request()\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self): if self.socket is not None: self.socket.close() self.socket = None self.data = None
stop
[ { "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.socket is not None:\n self.socket.close()\n self.socket = None\n self.data = None\n", "role": "user" }, { "content": "stop", "role": "assistant" } ]
def x(self): self.log.info('Starting SSL Session for Monitor %s.' % self.monitor_id) if self.socket is not None: raise Exception('Socket already established for %s.' % self) try: self.socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM) if self.ca_certs is not None: self.socket = ssl.wrap_socket(self.socket, cert_reqs=ssl. CERT_REQUIRED, ca_certs=self.ca_certs) else: self.socket = ssl.wrap_socket(self.socket) self.socket.connect((self.client.hostname, PUSH_SECURE_PORT)) self.socket.setblocking(0) except Exception as exception: self.socket.close() self.socket = None raise exception self.send_connection_request()
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.log.info('Starting SSL Session for Monitor %s.' % self.monitor_id)\n if self.socket is not None:\n raise Exception('Socket already established for %s.' % self)\n try:\n self.socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n if self.ca_certs is not None:\n self.socket = ssl.wrap_socket(self.socket, cert_reqs=ssl.\n CERT_REQUIRED, ca_certs=self.ca_certs)\n else:\n self.socket = ssl.wrap_socket(self.socket)\n self.socket.connect((self.client.hostname, PUSH_SECURE_PORT))\n self.socket.setblocking(0)\n except Exception as exception:\n self.socket.close()\n self.socket = None\n raise exception\n self.send_connection_request()\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self): while True: session, block_id, raw_data = self._queue.get() data = json.loads(raw_data.decode('utf-8')) try: result = session.callback(data) if result is None: self.log.warn( 'Callback %r returned None, expected boolean. Messages are not marked as received unless True is returned' , session.callback) elif result: if self._write_queue is not None: response_message = struct.pack('!HHH', PUBLISH_MESSAGE_RECEIVED, block_id, 200) self._write_queue.put((session.socket, response_message)) except Exception as exception: self.log.exception(exception) self._queue.task_done()
consume_queue
[ { "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 session, block_id, raw_data = self._queue.get()\n data = json.loads(raw_data.decode('utf-8'))\n try:\n result = session.callback(data)\n if result is None:\n self.log.warn(\n 'Callback %r returned None, expected boolean. Messages are not marked as received unless True is returned'\n , session.callback)\n elif result:\n if self._write_queue is not None:\n response_message = struct.pack('!HHH',\n PUBLISH_MESSAGE_RECEIVED, block_id, 200)\n self._write_queue.put((session.socket, response_message))\n except Exception as exception:\n self.log.exception(exception)\n self._queue.task_done()\n", "role": "user" }, { "content": "consume_queue", "role": "assistant" } ]
def x(self, session, block_id, data): self._queue.put((session, block_id, data))
queue_callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, session, block_id, data):\n self._queue.put((session, block_id, data))\n", "role": "user" }, { "content": "queue_callback", "role": "assistant" } ]
def x(self, session): if session.socket is not None: self.log.info('Attempting restart session for Monitor Id %s.' % session.monitor_id) del self.sessions[session.socket.fileno()] session.stop() session.start() self.sessions[session.socket.fileno()] = session
restart_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, session):\n if session.socket is not None:\n self.log.info('Attempting restart session for Monitor Id %s.' %\n session.monitor_id)\n del self.sessions[session.socket.fileno()]\n session.stop()\n session.start()\n self.sessions[session.socket.fileno()] = session\n", "role": "user" }, { "content": "restart_session", "role": "assistant" } ]
def x(self): while not self.closed: try: sock, data = self._write_queue.get(timeout=0.1) self._write_queue.task_done() sock.send(data) except Empty: pass except socket.error as err: if err.errno == errno.EBADF: self._clean_dead_sessions()
writer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n while not self.closed:\n try:\n sock, data = self._write_queue.get(timeout=0.1)\n self._write_queue.task_done()\n sock.send(data)\n except Empty:\n pass\n except socket.error as err:\n if err.errno == errno.EBADF:\n self._clean_dead_sessions()\n", "role": "user" }, { "content": "writer", "role": "assistant" } ]
def x(self): for sck in list(self.sessions.keys()): session = self.sessions[sck] if session.socket is None: del self.sessions[sck]
clean_dead_sessions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for sck in list(self.sessions.keys()):\n session = self.sessions[sck]\n if session.socket is None:\n del self.sessions[sck]\n", "role": "user" }, { "content": "clean_dead_sessions", "role": "assistant" } ]
def x(self): try: while not self.closed: try: inputready = select.select(self.sessions.keys(), [], [], 0.1)[0 ] for sock in inputready: session = self.sessions[sock] sck = session.socket if sck is None: continue if session.message_length == 0: response_type = _read_msg_header(session) if response_type == NO_DATA: if session.socket is not None: self.log.error( 'Socket closed for Monitor %s.' % session.monitor_id) self._restart_session(session) continue elif response_type == INCOMPLETE: continue elif response_type != PUBLISH_MESSAGE: self.log.warn( 'Response Type (%x) does not match PublishMessage (%x)' % (response_type, PUBLISH_MESSAGE)) continue try: if not _read_msg(session): continue except PushException as err: session.data = six.b('') session.message_length = 0 if session.socket is None: del self.sessions[sck] else: self.log.exception(err) self._restart_session(session) continue data = session.data session.data = six.b('') session.message_length = 0 block_id = struct.unpack('!H', data[0:2])[0] compression = struct.unpack('!B', data[4:5])[0] payload = data[10:] if compression == 1: payload = zlib.decompress(payload) self._callback_pool.queue_callback(session, block_id, payload) except select.error as err: if err.args[0] == errno.EBADF: self._clean_dead_sessions() except Exception as err: self.log.exception(err) finally: for session in self.sessions.values(): if session is not None: session.stop()
select
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n while not self.closed:\n try:\n inputready = select.select(self.sessions.keys(), [], [], 0.1)[0\n ]\n for sock in inputready:\n session = self.sessions[sock]\n sck = session.socket\n if sck is None:\n continue\n if session.message_length == 0:\n response_type = _read_msg_header(session)\n if response_type == NO_DATA:\n if session.socket is not None:\n self.log.error(\n 'Socket closed for Monitor %s.' %\n session.monitor_id)\n self._restart_session(session)\n continue\n elif response_type == INCOMPLETE:\n continue\n elif response_type != PUBLISH_MESSAGE:\n self.log.warn(\n 'Response Type (%x) does not match PublishMessage (%x)'\n % (response_type, PUBLISH_MESSAGE))\n continue\n try:\n if not _read_msg(session):\n continue\n except PushException as err:\n session.data = six.b('')\n session.message_length = 0\n if session.socket is None:\n del self.sessions[sck]\n else:\n self.log.exception(err)\n self._restart_session(session)\n continue\n data = session.data\n session.data = six.b('')\n session.message_length = 0\n block_id = struct.unpack('!H', data[0:2])[0]\n compression = struct.unpack('!B', data[4:5])[0]\n payload = data[10:]\n if compression == 1:\n payload = zlib.decompress(payload)\n self._callback_pool.queue_callback(session, block_id,\n payload)\n except select.error as err:\n if err.args[0] == errno.EBADF:\n self._clean_dead_sessions()\n except Exception as err:\n self.log.exception(err)\n finally:\n for session in self.sessions.values():\n if session is not None:\n session.stop()\n", "role": "user" }, { "content": "select", "role": "assistant" } ]
def x(self): if self._io_thread is None: self._io_thread = Thread(target=self._select) self._io_thread.start() if self._writer_thread is None: self._writer_thread = Thread(target=self._writer) self._writer_thread.start()
init_threads
[ { "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._io_thread is None:\n self._io_thread = Thread(target=self._select)\n self._io_thread.start()\n if self._writer_thread is None:\n self._writer_thread = Thread(target=self._writer)\n self._writer_thread.start()\n", "role": "user" }, { "content": "init_threads", "role": "assistant" } ]
def x(self, callback, monitor_id): self.log.info('Creating Session for Monitor %s.' % monitor_id) session = SecurePushSession(callback, monitor_id, self, self._ca_certs ) if self._secure else PushSession(callback, monitor_id, self) session.start() self.sessions[session.socket.fileno()] = session self._init_threads() return session
create_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callback, monitor_id):\n self.log.info('Creating Session for Monitor %s.' % monitor_id)\n session = SecurePushSession(callback, monitor_id, self, self._ca_certs\n ) if self._secure else PushSession(callback, monitor_id, self)\n session.start()\n self.sessions[session.socket.fileno()] = session\n self._init_threads()\n return session\n", "role": "user" }, { "content": "create_session", "role": "assistant" } ]
def x(self): if self._io_thread is not None: self.log.info('Waiting for I/O thread to stop...') self.closed = True self._io_thread.join() if self._writer_thread is not None: self.log.info('Waiting for Writer Thread to stop...') self.closed = True self._writer_thread.join() self.log.info('All worker threads stopped.')
stop
[ { "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._io_thread is not None:\n self.log.info('Waiting for I/O thread to stop...')\n self.closed = True\n self._io_thread.join()\n if self._writer_thread is not None:\n self.log.info('Waiting for Writer Thread to stop...')\n self.closed = True\n self._writer_thread.join()\n self.log.info('All worker threads stopped.')\n", "role": "user" }, { "content": "stop", "role": "assistant" } ]
def x(fromTuple, toTuple, mergeTupleList, fnFullPath): _matplotlibCheck() plt.hold(True) fig, ax0 = plt.subplots(nrows=1) plot1 = ax0.plot(fromTuple[0], fromTuple[1], color='red', linewidth=2, label='From') plot2 = ax0.plot(toTuple[0], toTuple[1], color='blue', linewidth=2, label='To') ax0.set_title('Plot of F0 Morph') plt.ylabel('Pitch (hz)') plt.xlabel('Time (s)') colorValue = 0 colorStep = 255.0 / len(mergeTupleList) for timeList, valueList in mergeTupleList: colorValue += colorStep hexValue = '#%02x0000' % int(255 - colorValue) if int(colorValue) == 255: ax0.plot(timeList, valueList, color=hexValue, linewidth=1, label='Merged line, final iteration') else: ax0.plot(timeList, valueList, color=hexValue, linewidth=1) plt.legend(loc=1, borderaxespad=0.0) plt.savefig(fnFullPath, dpi=300, bbox_inches='tight') plt.close(fig)
plotF0
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fromTuple, toTuple, mergeTupleList, fnFullPath):\n _matplotlibCheck()\n plt.hold(True)\n fig, ax0 = plt.subplots(nrows=1)\n plot1 = ax0.plot(fromTuple[0], fromTuple[1], color='red', linewidth=2,\n label='From')\n plot2 = ax0.plot(toTuple[0], toTuple[1], color='blue', linewidth=2,\n label='To')\n ax0.set_title('Plot of F0 Morph')\n plt.ylabel('Pitch (hz)')\n plt.xlabel('Time (s)')\n colorValue = 0\n colorStep = 255.0 / len(mergeTupleList)\n for timeList, valueList in mergeTupleList:\n colorValue += colorStep\n hexValue = '#%02x0000' % int(255 - colorValue)\n if int(colorValue) == 255:\n ax0.plot(timeList, valueList, color=hexValue, linewidth=1,\n label='Merged line, final iteration')\n else:\n ax0.plot(timeList, valueList, color=hexValue, linewidth=1)\n plt.legend(loc=1, borderaxespad=0.0)\n plt.savefig(fnFullPath, dpi=300, bbox_inches='tight')\n plt.close(fig)\n", "role": "user" }, { "content": "plotF0", "role": "assistant" } ]
def x(data, tgFN, tierName): tg = tgio.openTextgrid(tgFN) data = tg.tierDict[tierName].getValuesInIntervals(data) data = [dataList for _, dataList in data] return data
getPitchForIntervals
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, tgFN, tierName):\n tg = tgio.openTextgrid(tgFN)\n data = tg.tierDict[tierName].getValuesInIntervals(data)\n data = [dataList for _, dataList in data]\n return data\n", "role": "user" }, { "content": "getPitchForIntervals", "role": "assistant" } ]
def x(fromWavFN, pitchPath, stepList, outputName, doPlotPitchSteps, fromPitchData, toPitchData, outputMinPitch, outputMaxPitch, praatEXE, keepPitchRange=False, keepAveragePitch=False, sourcePitchDataList=None, minIntervalLength=0.3): fromDuration = audio_scripts.getSoundFileDuration(fromWavFN) nonMorphPitchData = [] if sourcePitchDataList is not None: timeList = sorted(fromPitchData) timeList = [(row[0][0], row[-1][0]) for row in timeList] endTime = sourcePitchDataList[-1][0] invertedTimeList = praatio_utils.invertIntervalList(timeList, endTime) invertedTimeList = [(start, stop) for start, stop in invertedTimeList if stop - start > minIntervalLength] for start, stop in invertedTimeList: pitchList = praatio_utils.getValuesInInterval(sourcePitchDataList, start, stop) nonMorphPitchData.extend(pitchList) pitchTierPath = join(pitchPath, 'pitchTiers') resynthesizedPath = join(pitchPath, 'f0_resynthesized_wavs') for tmpPath in [pitchTierPath, resynthesizedPath]: utils.makeDir(tmpPath) try: finalOutputList = morph_sequence.morphChunkedDataLists(fromPitchData, toPitchData, stepList) except IndexError: raise MissingPitchDataException() fromPitchData = [row for subList in fromPitchData for row in subList] toPitchData = [row for subList in toPitchData for row in subList] mergedDataList = [] for i in range(0, len(finalOutputList)): outputDataList = finalOutputList[i] if keepPitchRange is True: outputDataList = morph_sequence.morphRange(outputDataList, fromPitchData) if keepAveragePitch is True: outputDataList = morph_sequence.morphAveragePitch(outputDataList, fromPitchData) if sourcePitchDataList is not None: outputDataList.extend(nonMorphPitchData) outputDataList.sort() stepOutputName = '%s_%0.3g' % (outputName, stepList[i]) pitchFNFullPath = join(pitchTierPath, '%s.PitchTier' % stepOutputName) outputFN = join(resynthesizedPath, '%s.wav' % stepOutputName) pointObj = dataio.PointObject2D(outputDataList, dataio.PITCH, 0, fromDuration) pointObj.save(pitchFNFullPath) outputTime, outputVals = zip(*outputDataList) mergedDataList.append((outputTime, outputVals)) praat_scripts.resynthesizePitch(praatEXE, fromWavFN, pitchFNFullPath, outputFN, outputMinPitch, outputMaxPitch) if doPlotPitchSteps: fromTime, fromVals = zip(*fromPitchData) toTime, toVals = zip(*toPitchData) plot_morphed_data.plotF0((fromTime, fromVals), (toTime, toVals), mergedDataList, join(pitchTierPath, '%s.png' % outputName))
f0Morph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fromWavFN, pitchPath, stepList, outputName, doPlotPitchSteps,\n fromPitchData, toPitchData, outputMinPitch, outputMaxPitch, praatEXE,\n keepPitchRange=False, keepAveragePitch=False, sourcePitchDataList=None,\n minIntervalLength=0.3):\n fromDuration = audio_scripts.getSoundFileDuration(fromWavFN)\n nonMorphPitchData = []\n if sourcePitchDataList is not None:\n timeList = sorted(fromPitchData)\n timeList = [(row[0][0], row[-1][0]) for row in timeList]\n endTime = sourcePitchDataList[-1][0]\n invertedTimeList = praatio_utils.invertIntervalList(timeList, endTime)\n invertedTimeList = [(start, stop) for start, stop in\n invertedTimeList if stop - start > minIntervalLength]\n for start, stop in invertedTimeList:\n pitchList = praatio_utils.getValuesInInterval(sourcePitchDataList,\n start, stop)\n nonMorphPitchData.extend(pitchList)\n pitchTierPath = join(pitchPath, 'pitchTiers')\n resynthesizedPath = join(pitchPath, 'f0_resynthesized_wavs')\n for tmpPath in [pitchTierPath, resynthesizedPath]:\n utils.makeDir(tmpPath)\n try:\n finalOutputList = morph_sequence.morphChunkedDataLists(fromPitchData,\n toPitchData, stepList)\n except IndexError:\n raise MissingPitchDataException()\n fromPitchData = [row for subList in fromPitchData for row in subList]\n toPitchData = [row for subList in toPitchData for row in subList]\n mergedDataList = []\n for i in range(0, len(finalOutputList)):\n outputDataList = finalOutputList[i]\n if keepPitchRange is True:\n outputDataList = morph_sequence.morphRange(outputDataList,\n fromPitchData)\n if keepAveragePitch is True:\n outputDataList = morph_sequence.morphAveragePitch(outputDataList,\n fromPitchData)\n if sourcePitchDataList is not None:\n outputDataList.extend(nonMorphPitchData)\n outputDataList.sort()\n stepOutputName = '%s_%0.3g' % (outputName, stepList[i])\n pitchFNFullPath = join(pitchTierPath, '%s.PitchTier' % stepOutputName)\n outputFN = join(resynthesizedPath, '%s.wav' % stepOutputName)\n pointObj = dataio.PointObject2D(outputDataList, dataio.PITCH, 0,\n fromDuration)\n pointObj.save(pitchFNFullPath)\n outputTime, outputVals = zip(*outputDataList)\n mergedDataList.append((outputTime, outputVals))\n praat_scripts.resynthesizePitch(praatEXE, fromWavFN,\n pitchFNFullPath, outputFN, outputMinPitch, outputMaxPitch)\n if doPlotPitchSteps:\n fromTime, fromVals = zip(*fromPitchData)\n toTime, toVals = zip(*toPitchData)\n plot_morphed_data.plotF0((fromTime, fromVals), (toTime, toVals),\n mergedDataList, join(pitchTierPath, '%s.png' % outputName))\n", "role": "user" }, { "content": "f0Morph", "role": "assistant" } ]
def x(s): s = s.lower() r = '' t = '' for c in s: if c >= 'a' and c <= 'z': t += c elif c == ':': try: if t[-1] == 'u': t = t[:-1] + u'ü' except: pass else: if c >= '0' and c <= '5': tone = int(c) % 5 if tone != 0: m = re.search(u'[aoeiuvü]+', t) if m is None: t += c elif len(m.group(0)) == 1: t = t[:m.start(0)] + PinyinToneMark[tone][ PinyinToneMark[0].index(m.group(0))] + t[m.end(0):] elif 'a' in t: t = t.replace('a', PinyinToneMark[tone][0]) elif 'o' in t: t = t.replace('o', PinyinToneMark[tone][1]) elif 'e' in t: t = t.replace('e', PinyinToneMark[tone][2]) elif t.endswith('ui'): t = t.replace('i', PinyinToneMark[tone][3]) elif t.endswith('iu'): t = t.replace('u', PinyinToneMark[tone][4]) else: t += '!' r += t t = '' r += t return r
decode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n s = s.lower()\n r = ''\n t = ''\n for c in s:\n if c >= 'a' and c <= 'z':\n t += c\n elif c == ':':\n try:\n if t[-1] == 'u':\n t = t[:-1] + u'ü'\n except:\n pass\n else:\n if c >= '0' and c <= '5':\n tone = int(c) % 5\n if tone != 0:\n m = re.search(u'[aoeiuvü]+', t)\n if m is None:\n t += c\n elif len(m.group(0)) == 1:\n t = t[:m.start(0)] + PinyinToneMark[tone][\n PinyinToneMark[0].index(m.group(0))] + t[m.end(0):]\n elif 'a' in t:\n t = t.replace('a', PinyinToneMark[tone][0])\n elif 'o' in t:\n t = t.replace('o', PinyinToneMark[tone][1])\n elif 'e' in t:\n t = t.replace('e', PinyinToneMark[tone][2])\n elif t.endswith('ui'):\n t = t.replace('i', PinyinToneMark[tone][3])\n elif t.endswith('iu'):\n t = t.replace('u', PinyinToneMark[tone][4])\n else:\n t += '!'\n r += t\n t = ''\n r += t\n return r\n", "role": "user" }, { "content": "decode", "role": "assistant" } ]
def x(self, heightAmount): if heightAmount == 0: return pitchList = [f0V for _, f0V in self.pointList] minV = min(pitchList) maxV = max(pitchList) scale = lambda x, y: x + y * (x - minV) / float(maxV - minV) self.pointList = [(timeV, scale(f0V, heightAmount)) for timeV, f0V in self.pointList]
adjustPeakHeight
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, heightAmount):\n if heightAmount == 0:\n return\n pitchList = [f0V for _, f0V in self.pointList]\n minV = min(pitchList)\n maxV = max(pitchList)\n scale = lambda x, y: x + y * (x - minV) / float(maxV - minV)\n self.pointList = [(timeV, scale(f0V, heightAmount)) for timeV, f0V in\n self.pointList]\n", "role": "user" }, { "content": "adjustPeakHeight", "role": "assistant" } ]
def x(self, plateauAmount, pitchSampFreq=None): if plateauAmount == 0: return maxPoint = self.pointList[self.peakI] if pitchSampFreq is not None: numSteps = abs(int(plateauAmount / pitchSampFreq)) timeChangeList = [(stepV * pitchSampFreq) for stepV in range(0, numSteps + 1)] else: timeChangeList = [plateauAmount] if plateauAmount < 0: leftSide = self.pointList[:self.peakI] rightSide = self.pointList[self.peakI:] plateauPoints = [(maxPoint[0] + timeChange, maxPoint[1]) for timeChange in timeChangeList] leftSide = [(timeV + plateauAmount, f0V) for timeV, f0V in leftSide] self.netLeftShift += plateauAmount elif plateauAmount > 0: leftSide = self.pointList[:self.peakI + 1] rightSide = self.pointList[self.peakI + 1:] plateauPoints = [(maxPoint[0] + timeChange, maxPoint[1]) for timeChange in timeChangeList] rightSide = [(timeV + plateauAmount, f0V) for timeV, f0V in rightSide] self.netRightShift += plateauAmount self.pointList = leftSide + plateauPoints + rightSide
addPlateau
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, plateauAmount, pitchSampFreq=None):\n if plateauAmount == 0:\n return\n maxPoint = self.pointList[self.peakI]\n if pitchSampFreq is not None:\n numSteps = abs(int(plateauAmount / pitchSampFreq))\n timeChangeList = [(stepV * pitchSampFreq) for stepV in range(0, \n numSteps + 1)]\n else:\n timeChangeList = [plateauAmount]\n if plateauAmount < 0:\n leftSide = self.pointList[:self.peakI]\n rightSide = self.pointList[self.peakI:]\n plateauPoints = [(maxPoint[0] + timeChange, maxPoint[1]) for\n timeChange in timeChangeList]\n leftSide = [(timeV + plateauAmount, f0V) for timeV, f0V in leftSide]\n self.netLeftShift += plateauAmount\n elif plateauAmount > 0:\n leftSide = self.pointList[:self.peakI + 1]\n rightSide = self.pointList[self.peakI + 1:]\n plateauPoints = [(maxPoint[0] + timeChange, maxPoint[1]) for\n timeChange in timeChangeList]\n rightSide = [(timeV + plateauAmount, f0V) for timeV, f0V in rightSide]\n self.netRightShift += plateauAmount\n self.pointList = leftSide + plateauPoints + rightSide\n", "role": "user" }, { "content": "addPlateau", "role": "assistant" } ]
def x(self, shiftAmount): if shiftAmount == 0: return self.pointList = [(time + shiftAmount, pitch) for time, pitch in self. pointList] if shiftAmount < 0: self.netLeftShift += shiftAmount elif shiftAmount >= 0: self.netRightShift += shiftAmount
shiftAccent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, shiftAmount):\n if shiftAmount == 0:\n return\n self.pointList = [(time + shiftAmount, pitch) for time, pitch in self.\n pointList]\n if shiftAmount < 0:\n self.netLeftShift += shiftAmount\n elif shiftAmount >= 0:\n self.netRightShift += shiftAmount\n", "role": "user" }, { "content": "shiftAccent", "role": "assistant" } ]
def x(self, targetList): start = self.pointList[0][0] stop = self.pointList[-1][0] if self.netLeftShift < 0: start += self.netLeftShift if self.netRightShift > 0: stop += self.netRightShift targetList = _deletePoints(targetList, start, stop) return targetList
deleteOverlapping
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, targetList):\n start = self.pointList[0][0]\n stop = self.pointList[-1][0]\n if self.netLeftShift < 0:\n start += self.netLeftShift\n if self.netRightShift > 0:\n stop += self.netRightShift\n targetList = _deletePoints(targetList, start, stop)\n return targetList\n", "role": "user" }, { "content": "deleteOverlapping", "role": "assistant" } ]
def x(self, fullPointList): fullPointList = _deletePoints(fullPointList, self.minT, self.maxT) fullPointList = self.deleteOverlapping(fullPointList) outputPointList = fullPointList + self.pointList outputPointList.sort() return outputPointList
reintegrate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fullPointList):\n fullPointList = _deletePoints(fullPointList, self.minT, self.maxT)\n fullPointList = self.deleteOverlapping(fullPointList)\n outputPointList = fullPointList + self.pointList\n outputPointList.sort()\n return outputPointList\n", "role": "user" }, { "content": "reintegrate", "role": "assistant" } ]
def x(filename, new_filename=None, overwrite=False, to_encoding='utf-8', force=True): logging.info('Opening file %s' % filename) f = open(filename) detection = chardet.detect(f.read()) f.close() encoding = detection.get('encoding') confidence = detection.get('confidence') logging.info('I think it is %s with %.1f%% confidence' % (encoding, confidence * 100.0)) delete_original = bool(new_filename) == False and overwrite if not new_filename or new_filename == filename: base_name, ext = os.path.splitext(filename) new_filename = base_name + '_%s' % to_encoding + ext if not encoding.lower() == to_encoding.lower(): logging.info('Converting to %s with iconv...' % to_encoding) else: logging.info('Already in correct encoding.') if force: logging.info( 'Going ahead anyway, because force == True (the force is strong with this one)' ) else: logging.warning( 'Stopping. Use force = True if you want to force the encoding.' ) return None with open(new_filename, 'w') as output_file: p = subprocess.Popen(['iconv', '-f', encoding, '-t', to_encoding + '//IGNORE', os.path.abspath(filename)], shell=False, stdout= output_file, stdin=subprocess.PIPE, stderr=subprocess.STDOUT) retval = p.wait() if delete_original and os.path.isfile(new_filename): os.remove(filename) os.rename(new_filename, filename) new_filename = filename return new_filename
convert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, new_filename=None, overwrite=False, to_encoding='utf-8',\n force=True):\n logging.info('Opening file %s' % filename)\n f = open(filename)\n detection = chardet.detect(f.read())\n f.close()\n encoding = detection.get('encoding')\n confidence = detection.get('confidence')\n logging.info('I think it is %s with %.1f%% confidence' % (encoding, \n confidence * 100.0))\n delete_original = bool(new_filename) == False and overwrite\n if not new_filename or new_filename == filename:\n base_name, ext = os.path.splitext(filename)\n new_filename = base_name + '_%s' % to_encoding + ext\n if not encoding.lower() == to_encoding.lower():\n logging.info('Converting to %s with iconv...' % to_encoding)\n else:\n logging.info('Already in correct encoding.')\n if force:\n logging.info(\n 'Going ahead anyway, because force == True (the force is strong with this one)'\n )\n else:\n logging.warning(\n 'Stopping. Use force = True if you want to force the encoding.'\n )\n return None\n with open(new_filename, 'w') as output_file:\n p = subprocess.Popen(['iconv', '-f', encoding, '-t', to_encoding +\n '//IGNORE', os.path.abspath(filename)], shell=False, stdout=\n output_file, stdin=subprocess.PIPE, stderr=subprocess.STDOUT)\n retval = p.wait()\n if delete_original and os.path.isfile(new_filename):\n os.remove(filename)\n os.rename(new_filename, filename)\n new_filename = filename\n return new_filename\n", "role": "user" }, { "content": "convert", "role": "assistant" } ]
def x(filename, include_confidence=False): f = open(filename) detection = chardet.detect(f.read()) f.close() encoding = detection.get('encoding') confidence = detection.get('confidence') if include_confidence: return encoding, confidence return encoding
detect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, include_confidence=False):\n f = open(filename)\n detection = chardet.detect(f.read())\n f.close()\n encoding = detection.get('encoding')\n confidence = detection.get('confidence')\n if include_confidence:\n return encoding, confidence\n return encoding\n", "role": "user" }, { "content": "detect", "role": "assistant" } ]
def x(url, localFileName=None, localDirName=None): localName = url2name(url) req = Request(url) r = urlopen(req) if r.info().has_key('Content-Disposition'): localName = r.info()['Content-Disposition'].split('filename=') if len(localName) > 1: localName = localName[1] if localName[0] == '"' or localName[0] == "'": localName = localName[1:-1] else: localName = url2name(r.url) elif r.url != url: localName = url2name(r.url) if localFileName: localName = localFileName if localDirName: if not os.path.exists(localDirName): os.makedirs(localDirName) localName = os.path.join(localDirName, localName) f = open(localName, 'wb') f.write(r.read()) f.close()
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, localFileName=None, localDirName=None):\n localName = url2name(url)\n req = Request(url)\n r = urlopen(req)\n if r.info().has_key('Content-Disposition'):\n localName = r.info()['Content-Disposition'].split('filename=')\n if len(localName) > 1:\n localName = localName[1]\n if localName[0] == '\"' or localName[0] == \"'\":\n localName = localName[1:-1]\n else:\n localName = url2name(r.url)\n elif r.url != url:\n localName = url2name(r.url)\n if localFileName:\n localName = localFileName\n if localDirName:\n if not os.path.exists(localDirName):\n os.makedirs(localDirName)\n localName = os.path.join(localDirName, localName)\n f = open(localName, 'wb')\n f.write(r.read())\n f.close()\n", "role": "user" }, { "content": "download", "role": "assistant" } ]
def x(unistr, charset_from, charset_to): chars = [] for c in unistr: idx = charset_from.find(c) chars.append(charset_to[idx] if idx != -1 else c) return u''.join(chars)
t
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(unistr, charset_from, charset_to):\n chars = []\n for c in unistr:\n idx = charset_from.find(c)\n chars.append(charset_to[idx] if idx != -1 else c)\n return u''.join(chars)\n", "role": "user" }, { "content": "t", "role": "assistant" } ]
def x(text): filtered_text = set(list(text)).intersection(ALL_CHARS) if len(filtered_text) is 0: return None if filtered_text.issubset(SHARED_CHARS): return EITHER if filtered_text.issubset(TRAD_CHARS): return TRAD if filtered_text.issubset(SIMP_CHARS): return SIMP if filtered_text.difference(TRAD_CHARS).issubset(SIMP_CHARS): return BOTH
identify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n filtered_text = set(list(text)).intersection(ALL_CHARS)\n if len(filtered_text) is 0:\n return None\n if filtered_text.issubset(SHARED_CHARS):\n return EITHER\n if filtered_text.issubset(TRAD_CHARS):\n return TRAD\n if filtered_text.issubset(SIMP_CHARS):\n return SIMP\n if filtered_text.difference(TRAD_CHARS).issubset(SIMP_CHARS):\n return BOTH\n", "role": "user" }, { "content": "identify", "role": "assistant" } ]
def x(absVSequence): if len(absVSequence) < 2 or len(set(absVSequence)) == 1: raise RelativizeSequenceException(absVSequence) minV = min(absVSequence) maxV = max(absVSequence) relativeSeq = [((value - minV) / (maxV - minV)) for value in absVSequence] return relativeSeq, minV, maxV
makeSequenceRelative
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(absVSequence):\n if len(absVSequence) < 2 or len(set(absVSequence)) == 1:\n raise RelativizeSequenceException(absVSequence)\n minV = min(absVSequence)\n maxV = max(absVSequence)\n relativeSeq = [((value - minV) / (maxV - minV)) for value in absVSequence]\n return relativeSeq, minV, maxV\n", "role": "user" }, { "content": "makeSequenceRelative", "role": "assistant" } ]
def x(relVSequence, minV, maxV): return [(value * (maxV - minV) + minV) for value in relVSequence]
makeSequenceAbsolute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(relVSequence, minV, maxV):\n return [(value * (maxV - minV) + minV) for value in relVSequence]\n", "role": "user" }, { "content": "makeSequenceAbsolute", "role": "assistant" } ]
def x(absoluteDataList): timingSeq = [row[0] for row in absoluteDataList] valueSeq = [list(row[1:]) for row in absoluteDataList] relTimingSeq, startTime, endTime = makeSequenceRelative(timingSeq) relDataList = [tuple([time] + row) for time, row in zip(relTimingSeq, valueSeq)] return relDataList, startTime, endTime
makeTimingRelative
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(absoluteDataList):\n timingSeq = [row[0] for row in absoluteDataList]\n valueSeq = [list(row[1:]) for row in absoluteDataList]\n relTimingSeq, startTime, endTime = makeSequenceRelative(timingSeq)\n relDataList = [tuple([time] + row) for time, row in zip(relTimingSeq,\n valueSeq)]\n return relDataList, startTime, endTime\n", "role": "user" }, { "content": "makeTimingRelative", "role": "assistant" } ]
def x(relativeDataList, startTime, endTime): timingSeq = [row[0] for row in relativeDataList] valueSeq = [list(row[1:]) for row in relativeDataList] absTimingSeq = makeSequenceAbsolute(timingSeq, startTime, endTime) absDataList = [tuple([time] + row) for time, row in zip(absTimingSeq, valueSeq)] return absDataList
makeTimingAbsolute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(relativeDataList, startTime, endTime):\n timingSeq = [row[0] for row in relativeDataList]\n valueSeq = [list(row[1:]) for row in relativeDataList]\n absTimingSeq = makeSequenceAbsolute(timingSeq, startTime, endTime)\n absDataList = [tuple([time] + row) for time, row in zip(absTimingSeq,\n valueSeq)]\n return absDataList\n", "role": "user" }, { "content": "makeTimingAbsolute", "role": "assistant" } ]
def x(inputList, targetVal): targetList = inputList[:] retVal = None while True: if len(targetList) == 1: retVal = targetList[0] break halfPoint = int(len(targetList) / 2.0) - 1 a = targetList[halfPoint] b = targetList[halfPoint + 1] leftDiff = abs(targetVal - a) rightDiff = abs(targetVal - b) if leftDiff == 0 or rightDiff == 0: retVal = targetVal break if leftDiff < rightDiff: targetList = targetList[:halfPoint + 1] else: targetList = targetList[halfPoint + 1:] return retVal
getSmallestDifference
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inputList, targetVal):\n targetList = inputList[:]\n retVal = None\n while True:\n if len(targetList) == 1:\n retVal = targetList[0]\n break\n halfPoint = int(len(targetList) / 2.0) - 1\n a = targetList[halfPoint]\n b = targetList[halfPoint + 1]\n leftDiff = abs(targetVal - a)\n rightDiff = abs(targetVal - b)\n if leftDiff == 0 or rightDiff == 0:\n retVal = targetVal\n break\n if leftDiff < rightDiff:\n targetList = targetList[:halfPoint + 1]\n else:\n targetList = targetList[halfPoint + 1:]\n return retVal\n", "role": "user" }, { "content": "getSmallestDifference", "role": "assistant" } ]
def x(fromValList, toValList): indexList = [] for fromTimestamp in fromValList: smallestDiff = _getSmallestDifference(toValList, fromTimestamp) i = toValList.index(smallestDiff) indexList.append(i) return indexList
getNearestMappingIndexList
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fromValList, toValList):\n indexList = []\n for fromTimestamp in fromValList:\n smallestDiff = _getSmallestDifference(toValList, fromTimestamp)\n i = toValList.index(smallestDiff)\n indexList.append(i)\n return indexList\n", "role": "user" }, { "content": "getNearestMappingIndexList", "role": "assistant" } ]
def x(fromList, toList, stepList): fromListRel, fromStartTime, fromEndTime = _makeTimingRelative(fromList) toListRel = _makeTimingRelative(toList)[0] fromTimeList = [dataTuple[0] for dataTuple in fromListRel] toTimeList = [dataTuple[0] for dataTuple in toListRel] indexList = _getNearestMappingIndexList(fromTimeList, toTimeList) alignedToPitchRel = [toListRel[i] for i in indexList] for stepAmount in stepList: newPitchList = [] for fromTuple, toTuple in zip(fromListRel, alignedToPitchRel): fromTime, fromValue = fromTuple toTime, toValue = toTuple newValue = fromValue + stepAmount * (toValue - fromValue) newTime = fromTime + stepAmount * (toTime - fromTime) newPitchList.append((newTime, newValue)) newPitchList = _makeTimingAbsolute(newPitchList, fromStartTime, fromEndTime) yield stepAmount, newPitchList
morphDataLists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fromList, toList, stepList):\n fromListRel, fromStartTime, fromEndTime = _makeTimingRelative(fromList)\n toListRel = _makeTimingRelative(toList)[0]\n fromTimeList = [dataTuple[0] for dataTuple in fromListRel]\n toTimeList = [dataTuple[0] for dataTuple in toListRel]\n indexList = _getNearestMappingIndexList(fromTimeList, toTimeList)\n alignedToPitchRel = [toListRel[i] for i in indexList]\n for stepAmount in stepList:\n newPitchList = []\n for fromTuple, toTuple in zip(fromListRel, alignedToPitchRel):\n fromTime, fromValue = fromTuple\n toTime, toValue = toTuple\n newValue = fromValue + stepAmount * (toValue - fromValue)\n newTime = fromTime + stepAmount * (toTime - fromTime)\n newPitchList.append((newTime, newValue))\n newPitchList = _makeTimingAbsolute(newPitchList, fromStartTime,\n fromEndTime)\n yield stepAmount, newPitchList\n", "role": "user" }, { "content": "morphDataLists", "role": "assistant" } ]
def x(fromDataList, toDataList, stepList): assert len(fromDataList) == len(toDataList) outputList = [] for x, y in zip(fromDataList, toDataList): if len(x) < 2 or len(y) < 2: continue tmpList = [outputPitchList for _, outputPitchList in morphDataLists (x, y, stepList)] outputList.append(tmpList) finalOutputList = outputList.pop(0) for subList in outputList: for i, subsubList in enumerate(subList): finalOutputList[i].extend(subsubList) return finalOutputList
morphChunkedDataLists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fromDataList, toDataList, stepList):\n assert len(fromDataList) == len(toDataList)\n outputList = []\n for x, y in zip(fromDataList, toDataList):\n if len(x) < 2 or len(y) < 2:\n continue\n tmpList = [outputPitchList for _, outputPitchList in morphDataLists\n (x, y, stepList)]\n outputList.append(tmpList)\n finalOutputList = outputList.pop(0)\n for subList in outputList:\n for i, subsubList in enumerate(subList):\n finalOutputList[i].extend(subsubList)\n return finalOutputList\n", "role": "user" }, { "content": "morphChunkedDataLists", "role": "assistant" } ]
def x(fromDataList, toDataList): timeList, fromPitchList = zip(*fromDataList) toPitchList = [pitchVal for _, pitchVal in toDataList] fromListNoZeroes = [val for val in fromPitchList if val > 0] fromAverage = sum(fromListNoZeroes) / float(len(fromListNoZeroes)) toListNoZeroes = [val for val in toPitchList if val > 0] toAverage = sum(toListNoZeroes) / float(len(toListNoZeroes)) newPitchList = [(val - fromAverage + toAverage) for val in fromPitchList] retDataList = [(time, pitchVal) for time, pitchVal in zip(timeList, newPitchList) if pitchVal > 0] return retDataList
morphAveragePitch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fromDataList, toDataList):\n timeList, fromPitchList = zip(*fromDataList)\n toPitchList = [pitchVal for _, pitchVal in toDataList]\n fromListNoZeroes = [val for val in fromPitchList if val > 0]\n fromAverage = sum(fromListNoZeroes) / float(len(fromListNoZeroes))\n toListNoZeroes = [val for val in toPitchList if val > 0]\n toAverage = sum(toListNoZeroes) / float(len(toListNoZeroes))\n newPitchList = [(val - fromAverage + toAverage) for val in fromPitchList]\n retDataList = [(time, pitchVal) for time, pitchVal in zip(timeList,\n newPitchList) if pitchVal > 0]\n return retDataList\n", "role": "user" }, { "content": "morphAveragePitch", "role": "assistant" } ]
def x(fromDataList, toDataList): fromPitchList = [dataTuple[1] for dataTuple in fromDataList] toPitchList = [dataTuple[1] for dataTuple in toDataList] fromPitchListSorted = sorted(fromPitchList) toPitchListSorted = sorted(toPitchList) fromListRel = makeSequenceRelative(fromPitchListSorted)[0] toListRel = makeSequenceRelative(toPitchListSorted)[0] indexList = _getNearestMappingIndexList(fromListRel, toListRel) retList = [] for time, pitch in fromDataList: fromI = fromPitchListSorted.index(pitch) toI = indexList[fromI] newPitch = toPitchListSorted[toI] retList.append((time, newPitch)) return retList
morphRange
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fromDataList, toDataList):\n fromPitchList = [dataTuple[1] for dataTuple in fromDataList]\n toPitchList = [dataTuple[1] for dataTuple in toDataList]\n fromPitchListSorted = sorted(fromPitchList)\n toPitchListSorted = sorted(toPitchList)\n fromListRel = makeSequenceRelative(fromPitchListSorted)[0]\n toListRel = makeSequenceRelative(toPitchListSorted)[0]\n indexList = _getNearestMappingIndexList(fromListRel, toListRel)\n retList = []\n for time, pitch in fromDataList:\n fromI = fromPitchListSorted.index(pitch)\n toI = indexList[fromI]\n newPitch = toPitchListSorted[toI]\n retList.append((time, newPitch))\n return retList\n", "role": "user" }, { "content": "morphRange", "role": "assistant" } ]
def x(valueList2d, numDegrees, n, startTime=None, endTime=None): _numpyCheck() x, y = zip(*valueList2d) if startTime is None: startTime = x[0] if endTime is None: endTime = x[-1] polyFunc = np.poly1d(np.polyfit(x, y, numDegrees)) newX = np.linspace(startTime, endTime, n) retList = [(n, polyFunc(n)) for n in newX] return retList
quadraticInterpolation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(valueList2d, numDegrees, n, startTime=None, endTime=None):\n _numpyCheck()\n x, y = zip(*valueList2d)\n if startTime is None:\n startTime = x[0]\n if endTime is None:\n endTime = x[-1]\n polyFunc = np.poly1d(np.polyfit(x, y, numDegrees))\n newX = np.linspace(startTime, endTime, n)\n retList = [(n, polyFunc(n)) for n in newX]\n return retList\n", "role": "user" }, { "content": "quadraticInterpolation", "role": "assistant" } ]
def x(fn, tierName, filterFunc=None, includeUnlabeledRegions=False): tg = tgio.openTextgrid(fn) tier = tg.tierDict[tierName] if includeUnlabeledRegions is True: tier = tgio._fillInBlanks(tier) entryList = tier.entryList if filterFunc is not None: entryList = [entry for entry in entryList if filterFunc(entry)] return entryList
getIntervals
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn, tierName, filterFunc=None, includeUnlabeledRegions=False):\n tg = tgio.openTextgrid(fn)\n tier = tg.tierDict[tierName]\n if includeUnlabeledRegions is True:\n tier = tgio._fillInBlanks(tier)\n entryList = tier.entryList\n if filterFunc is not None:\n entryList = [entry for entry in entryList if filterFunc(entry)]\n return entryList\n", "role": "user" }, { "content": "getIntervals", "role": "assistant" } ]
def x(fromWavFN, durationParameters, stepList, outputName, outputMinPitch, outputMaxPitch, praatEXE): rootPath = os.path.split(fromWavFN)[0] outputPath = join(rootPath, 'duration_resynthesized_wavs') utils.makeDir(outputPath) durationTierPath = join(rootPath, 'duration_tiers') utils.makeDir(durationTierPath) fromWavDuration = audio_scripts.getSoundFileDuration(fromWavFN) durationParameters = copy.deepcopy(durationParameters) if durationParameters[0][0] != 0: tmpVar = 0, durationParameters[0][0] - PRAAT_TIME_DIFF, 1 durationParameters.insert(0, tmpVar) if durationParameters[-1][1] < fromWavDuration: durationParameters.append((durationParameters[-1][1] + PRAAT_TIME_DIFF, fromWavDuration, 1)) for stepAmount in stepList: durationPointList = [] for start, end, ratio in durationParameters: percentChange = 1 + (ratio - 1) * stepAmount durationPointList.append((start, percentChange)) durationPointList.append((end, percentChange)) outputPrefix = '%s_%0.3g' % (outputName, stepAmount) durationTierFN = join(durationTierPath, '%s.DurationTier' % outputPrefix) outputWavFN = join(outputPath, '%s.wav' % outputPrefix) durationTier = dataio.PointObject2D(durationPointList, dataio. DURATION, 0, fromWavDuration) durationTier.save(durationTierFN) praat_scripts.resynthesizeDuration(praatEXE, fromWavFN, durationTierFN, outputWavFN, outputMinPitch, outputMaxPitch)
changeDuration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fromWavFN, durationParameters, stepList, outputName, outputMinPitch,\n outputMaxPitch, praatEXE):\n rootPath = os.path.split(fromWavFN)[0]\n outputPath = join(rootPath, 'duration_resynthesized_wavs')\n utils.makeDir(outputPath)\n durationTierPath = join(rootPath, 'duration_tiers')\n utils.makeDir(durationTierPath)\n fromWavDuration = audio_scripts.getSoundFileDuration(fromWavFN)\n durationParameters = copy.deepcopy(durationParameters)\n if durationParameters[0][0] != 0:\n tmpVar = 0, durationParameters[0][0] - PRAAT_TIME_DIFF, 1\n durationParameters.insert(0, tmpVar)\n if durationParameters[-1][1] < fromWavDuration:\n durationParameters.append((durationParameters[-1][1] +\n PRAAT_TIME_DIFF, fromWavDuration, 1))\n for stepAmount in stepList:\n durationPointList = []\n for start, end, ratio in durationParameters:\n percentChange = 1 + (ratio - 1) * stepAmount\n durationPointList.append((start, percentChange))\n durationPointList.append((end, percentChange))\n outputPrefix = '%s_%0.3g' % (outputName, stepAmount)\n durationTierFN = join(durationTierPath, '%s.DurationTier' %\n outputPrefix)\n outputWavFN = join(outputPath, '%s.wav' % outputPrefix)\n durationTier = dataio.PointObject2D(durationPointList, dataio.\n DURATION, 0, fromWavDuration)\n durationTier.save(durationTierFN)\n praat_scripts.resynthesizeDuration(praatEXE, fromWavFN,\n durationTierFN, outputWavFN, outputMinPitch, outputMaxPitch)\n", "role": "user" }, { "content": "changeDuration", "role": "assistant" } ]
def x(fromTGFN, toTGFN, tierName, filterFunc=None, useBlanks=False): if filterFunc is None: filterFunc = lambda entry: True fromEntryList = utils.getIntervals(fromTGFN, tierName, includeUnlabeledRegions=useBlanks) toEntryList = utils.getIntervals(toTGFN, tierName, includeUnlabeledRegions=useBlanks) fromEntryList = [entry for entry in fromEntryList if filterFunc(entry)] toEntryList = [entry for entry in toEntryList if filterFunc(entry)] assert len(fromEntryList) == len(toEntryList) durationParameters = [] for fromEntry, toEntry in zip(fromEntryList, toEntryList): fromStart, fromEnd = fromEntry[:2] toStart, toEnd = toEntry[:2] toStart += PRAAT_TIME_DIFF fromStart += PRAAT_TIME_DIFF ratio = (toEnd - toStart) / float(fromEnd - fromStart) durationParameters.append((fromStart, fromEnd, ratio)) return durationParameters
getMorphParameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fromTGFN, toTGFN, tierName, filterFunc=None, useBlanks=False):\n if filterFunc is None:\n filterFunc = lambda entry: True\n fromEntryList = utils.getIntervals(fromTGFN, tierName,\n includeUnlabeledRegions=useBlanks)\n toEntryList = utils.getIntervals(toTGFN, tierName,\n includeUnlabeledRegions=useBlanks)\n fromEntryList = [entry for entry in fromEntryList if filterFunc(entry)]\n toEntryList = [entry for entry in toEntryList if filterFunc(entry)]\n assert len(fromEntryList) == len(toEntryList)\n durationParameters = []\n for fromEntry, toEntry in zip(fromEntryList, toEntryList):\n fromStart, fromEnd = fromEntry[:2]\n toStart, toEnd = toEntry[:2]\n toStart += PRAAT_TIME_DIFF\n fromStart += PRAAT_TIME_DIFF\n ratio = (toEnd - toStart) / float(fromEnd - fromStart)\n durationParameters.append((fromStart, fromEnd, ratio))\n return durationParameters\n", "role": "user" }, { "content": "getMorphParameters", "role": "assistant" } ]
def x(tgFN, tierName, modFunc, filterFunc=None, useBlanks=False): fromExtractInfo = utils.getIntervals(tgFN, tierName, filterFunc, useBlanks) durationParameters = [] for fromInfoTuple in fromExtractInfo: fromStart, fromEnd = fromInfoTuple[:2] toStart, toEnd = modFunc(fromStart), modFunc(fromEnd) toStart += PRAAT_TIME_DIFF fromStart += PRAAT_TIME_DIFF ratio = (toEnd - toStart) / float(fromEnd - fromStart) ratioTuple = fromStart, fromEnd, ratio durationParameters.append(ratioTuple) return durationParameters
getManipulatedParamaters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tgFN, tierName, modFunc, filterFunc=None, useBlanks=False):\n fromExtractInfo = utils.getIntervals(tgFN, tierName, filterFunc, useBlanks)\n durationParameters = []\n for fromInfoTuple in fromExtractInfo:\n fromStart, fromEnd = fromInfoTuple[:2]\n toStart, toEnd = modFunc(fromStart), modFunc(fromEnd)\n toStart += PRAAT_TIME_DIFF\n fromStart += PRAAT_TIME_DIFF\n ratio = (toEnd - toStart) / float(fromEnd - fromStart)\n ratioTuple = fromStart, fromEnd, ratio\n durationParameters.append(ratioTuple)\n return durationParameters\n", "role": "user" }, { "content": "getManipulatedParamaters", "role": "assistant" } ]
def x(fromTGFN, toTGFN): fromTG = tgio.openTextgrid(fromTGFN) toTG = tgio.openTextgrid(toTGFN) adjustedTG = tgio.Textgrid() for tierName in fromTG.tierNameList: fromTier = fromTG.tierDict[tierName] toTier = toTG.tierDict[tierName] adjustedTier = fromTier.morph(toTier) adjustedTG.addTier(adjustedTier) return adjustedTG
textgridMorphDuration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fromTGFN, toTGFN):\n fromTG = tgio.openTextgrid(fromTGFN)\n toTG = tgio.openTextgrid(toTGFN)\n adjustedTG = tgio.Textgrid()\n for tierName in fromTG.tierNameList:\n fromTier = fromTG.tierDict[tierName]\n toTier = toTG.tierDict[tierName]\n adjustedTier = fromTier.morph(toTier)\n adjustedTG.addTier(adjustedTier)\n return adjustedTG\n", "role": "user" }, { "content": "textgridMorphDuration", "role": "assistant" } ]
def x(fn): audiofile = wave.open(fn, 'r') params = audiofile.getparams() framerate = params[2] nframes = params[3] duration = float(nframes) / framerate return duration
getSoundFileDuration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn):\n audiofile = wave.open(fn, 'r')\n params = audiofile.getparams()\n framerate = params[2]\n nframes = params[3]\n duration = float(nframes) / framerate\n return duration\n", "role": "user" }, { "content": "getSoundFileDuration", "role": "assistant" } ]
def x(text, include_part_of_speech=False, strip_english=False, strip_numbers=False): if not include_part_of_speech: seg_list = pseg.cut(text) if strip_english: seg_list = filter(lambda x: not contains_english(x), seg_list) if strip_numbers: seg_list = filter(lambda x: not _is_number(x), seg_list) return list(map(lambda i: i.word, seg_list)) else: seg_list = pseg.cut(text) objs = map(lambda w: (w.word, w.flag), seg_list) if strip_english: objs = filter(lambda x: not contains_english(x[0]), objs) if strip_english: objs = filter(lambda x: not _is_number(x[0]), objs) return objs return list(seg_list)
split_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, include_part_of_speech=False, strip_english=False,\n strip_numbers=False):\n if not include_part_of_speech:\n seg_list = pseg.cut(text)\n if strip_english:\n seg_list = filter(lambda x: not contains_english(x), seg_list)\n if strip_numbers:\n seg_list = filter(lambda x: not _is_number(x), seg_list)\n return list(map(lambda i: i.word, seg_list))\n else:\n seg_list = pseg.cut(text)\n objs = map(lambda w: (w.word, w.flag), seg_list)\n if strip_english:\n objs = filter(lambda x: not contains_english(x[0]), objs)\n if strip_english:\n objs = filter(lambda x: not _is_number(x[0]), objs)\n return objs\n return list(seg_list)\n", "role": "user" }, { "content": "split_text", "role": "assistant" } ]
def x(cron_atom, span): for special_char in ('%', '#', 'L', 'W'): if special_char not in cron_atom: continue if special_char == '#': if span != DAYS_OF_WEEK: raise ValueError('"#" invalid where used.') elif not VALIDATE_POUND.match(cron_atom): raise ValueError('"#" syntax incorrect.') elif special_char == 'W': if span != DAYS_OF_MONTH: raise ValueError('"W" syntax incorrect.') elif not (VALIDATE_W.match(cron_atom) and int(cron_atom[:-1]) > 0): raise ValueError('Invalid use of "W".') elif special_char == 'L': if span not in L_FIELDS: raise ValueError('"L" invalid where used.') elif span == DAYS_OF_MONTH: if cron_atom != 'L': raise ValueError('"L" must be alone in days of month.') elif span == DAYS_OF_WEEK: if not VALIDATE_L_IN_DOW.match(cron_atom): raise ValueError('"L" syntax incorrect.') elif special_char == '%': if not (cron_atom[1:].isdigit() and int(cron_atom[1:]) > 1): raise ValueError('"%" syntax incorrect.') return True else: return False
is_special_atom
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cron_atom, span):\n for special_char in ('%', '#', 'L', 'W'):\n if special_char not in cron_atom:\n continue\n if special_char == '#':\n if span != DAYS_OF_WEEK:\n raise ValueError('\"#\" invalid where used.')\n elif not VALIDATE_POUND.match(cron_atom):\n raise ValueError('\"#\" syntax incorrect.')\n elif special_char == 'W':\n if span != DAYS_OF_MONTH:\n raise ValueError('\"W\" syntax incorrect.')\n elif not (VALIDATE_W.match(cron_atom) and int(cron_atom[:-1]) > 0):\n raise ValueError('Invalid use of \"W\".')\n elif special_char == 'L':\n if span not in L_FIELDS:\n raise ValueError('\"L\" invalid where used.')\n elif span == DAYS_OF_MONTH:\n if cron_atom != 'L':\n raise ValueError('\"L\" must be alone in days of month.')\n elif span == DAYS_OF_WEEK:\n if not VALIDATE_L_IN_DOW.match(cron_atom):\n raise ValueError('\"L\" syntax incorrect.')\n elif special_char == '%':\n if not (cron_atom[1:].isdigit() and int(cron_atom[1:]) > 1):\n raise ValueError('\"%\" syntax incorrect.')\n return True\n else:\n return False\n", "role": "user" }, { "content": "is_special_atom", "role": "assistant" } ]
def x(parse, minmax): parse = parse.strip() increment = 1 if parse == '*': return set(xrange(minmax[0], minmax[1] + 1)) elif parse.isdigit(): value = int(parse) if value >= minmax[0] and value <= minmax[1]: return set((value,)) else: raise ValueError('"%s" is not within valid range.' % parse) elif '-' in parse or '/' in parse: divide = parse.split('/') subrange = divide[0] if len(divide) == 2: increment = int(divide[1]) if '-' in subrange: prefix, suffix = [int(n) for n in subrange.split('-')] if prefix < minmax[0] or suffix > minmax[1]: raise ValueError('"%s" is not within valid range.' % parse) elif subrange.isdigit(): return set(xrange(int(subrange), minmax[1] + 1, increment)) elif subrange == '*': prefix, suffix = minmax else: raise ValueError('Unrecognized symbol "%s"' % subrange) if prefix < suffix: return set(xrange(prefix, suffix + 1, increment)) else: noskips = list(xrange(prefix, minmax[1] + 1)) noskips += list(xrange(minmax[0], suffix + 1)) return set(noskips[::increment]) else: raise ValueError('Atom "%s" not in a recognized format.' % parse)
parse_atom
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parse, minmax):\n parse = parse.strip()\n increment = 1\n if parse == '*':\n return set(xrange(minmax[0], minmax[1] + 1))\n elif parse.isdigit():\n value = int(parse)\n if value >= minmax[0] and value <= minmax[1]:\n return set((value,))\n else:\n raise ValueError('\"%s\" is not within valid range.' % parse)\n elif '-' in parse or '/' in parse:\n divide = parse.split('/')\n subrange = divide[0]\n if len(divide) == 2:\n increment = int(divide[1])\n if '-' in subrange:\n prefix, suffix = [int(n) for n in subrange.split('-')]\n if prefix < minmax[0] or suffix > minmax[1]:\n raise ValueError('\"%s\" is not within valid range.' % parse)\n elif subrange.isdigit():\n return set(xrange(int(subrange), minmax[1] + 1, increment))\n elif subrange == '*':\n prefix, suffix = minmax\n else:\n raise ValueError('Unrecognized symbol \"%s\"' % subrange)\n if prefix < suffix:\n return set(xrange(prefix, suffix + 1, increment))\n else:\n noskips = list(xrange(prefix, minmax[1] + 1))\n noskips += list(xrange(minmax[0], suffix + 1))\n return set(noskips[::increment])\n else:\n raise ValueError('Atom \"%s\" not in a recognized format.' % parse)\n", "role": "user" }, { "content": "parse_atom", "role": "assistant" } ]
def x(self): self.numerical_tab = [] for field_str, span in zip(self.string_tab, FIELD_RANGES): split_field_str = field_str.split(',') if len(split_field_str) > 1 and '*' in split_field_str: raise ValueError('"*" must be alone in a field.') unified = set() for cron_atom in split_field_str: if not is_special_atom(cron_atom, span): unified.update(parse_atom(cron_atom, span)) self.numerical_tab.append(unified) if self.string_tab[2] == '*' and self.string_tab[4] != '*': self.numerical_tab[2] = set() elif self.string_tab[4] == '*' and self.string_tab[2] != '*': self.numerical_tab[4] = set()
compute_numtab
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.numerical_tab = []\n for field_str, span in zip(self.string_tab, FIELD_RANGES):\n split_field_str = field_str.split(',')\n if len(split_field_str) > 1 and '*' in split_field_str:\n raise ValueError('\"*\" must be alone in a field.')\n unified = set()\n for cron_atom in split_field_str:\n if not is_special_atom(cron_atom, span):\n unified.update(parse_atom(cron_atom, span))\n self.numerical_tab.append(unified)\n if self.string_tab[2] == '*' and self.string_tab[4] != '*':\n self.numerical_tab[2] = set()\n elif self.string_tab[4] == '*' and self.string_tab[2] != '*':\n self.numerical_tab[4] = set()\n", "role": "user" }, { "content": "compute_numtab", "role": "assistant" } ]
def x(self, date_tuple, utc_offset=0): year, month, day, hour, mins = date_tuple given_date = datetime.date(year, month, day) zeroday = datetime.date(*self.epoch[:3]) last_dom = calendar.monthrange(year, month)[-1] dom_matched = True given_dow = (datetime.date.weekday(given_date) + 1) % 7 first_dow = (given_dow + 1 - day) % 7 utc_diff = utc_offset - self.epoch[5] mod_delta_yrs = year - self.epoch[0] mod_delta_mon = month - self.epoch[1] + mod_delta_yrs * 12 mod_delta_day = (given_date - zeroday).days mod_delta_hrs = hour - self.epoch[3] + mod_delta_day * 24 + utc_diff mod_delta_min = mins - self.epoch[4] + mod_delta_hrs * 60 quintuple = zip((mins, hour, day, month, given_dow), self.numerical_tab, self.string_tab, (mod_delta_min, mod_delta_hrs, mod_delta_day, mod_delta_mon, mod_delta_day), FIELD_RANGES) for value, valid_values, field_str, delta_t, field_type in quintuple: if value in valid_values: continue for cron_atom in field_str.split(','): if cron_atom[0] == '%': if not delta_t % int(cron_atom[1:]): break elif '#' in cron_atom: D, N = int(cron_atom[0]), int(cron_atom[2]) if (D - first_dow) % 7 + 1 + 7 * (N - 1) == day: break elif cron_atom[-1] == 'W': target = min(int(cron_atom[:-1]), last_dom) lands_on = (first_dow + target - 1) % 7 if lands_on == 0: if target < last_dom: target += 1 else: target -= 2 elif lands_on == 6: if target > 1: target -= 1 else: target += 2 if target == day and (first_dow + target) % 7 > 1: break elif cron_atom[-1] == 'L': target = last_dom if field_type == DAYS_OF_WEEK: desired_dow = int(cron_atom[:-1]) target = (desired_dow - first_dow) % 7 + 29 if target > last_dom: target -= 7 if target == day: break else: if field_type == DAYS_OF_MONTH and self.string_tab[4] != '*': dom_matched = False continue elif field_type == DAYS_OF_WEEK and self.string_tab[2] != '*': return dom_matched return False return True
check_trigger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, date_tuple, utc_offset=0):\n year, month, day, hour, mins = date_tuple\n given_date = datetime.date(year, month, day)\n zeroday = datetime.date(*self.epoch[:3])\n last_dom = calendar.monthrange(year, month)[-1]\n dom_matched = True\n given_dow = (datetime.date.weekday(given_date) + 1) % 7\n first_dow = (given_dow + 1 - day) % 7\n utc_diff = utc_offset - self.epoch[5]\n mod_delta_yrs = year - self.epoch[0]\n mod_delta_mon = month - self.epoch[1] + mod_delta_yrs * 12\n mod_delta_day = (given_date - zeroday).days\n mod_delta_hrs = hour - self.epoch[3] + mod_delta_day * 24 + utc_diff\n mod_delta_min = mins - self.epoch[4] + mod_delta_hrs * 60\n quintuple = zip((mins, hour, day, month, given_dow), self.numerical_tab,\n self.string_tab, (mod_delta_min, mod_delta_hrs, mod_delta_day,\n mod_delta_mon, mod_delta_day), FIELD_RANGES)\n for value, valid_values, field_str, delta_t, field_type in quintuple:\n if value in valid_values:\n continue\n for cron_atom in field_str.split(','):\n if cron_atom[0] == '%':\n if not delta_t % int(cron_atom[1:]):\n break\n elif '#' in cron_atom:\n D, N = int(cron_atom[0]), int(cron_atom[2])\n if (D - first_dow) % 7 + 1 + 7 * (N - 1) == day:\n break\n elif cron_atom[-1] == 'W':\n target = min(int(cron_atom[:-1]), last_dom)\n lands_on = (first_dow + target - 1) % 7\n if lands_on == 0:\n if target < last_dom:\n target += 1\n else:\n target -= 2\n elif lands_on == 6:\n if target > 1:\n target -= 1\n else:\n target += 2\n if target == day and (first_dow + target) % 7 > 1:\n break\n elif cron_atom[-1] == 'L':\n target = last_dom\n if field_type == DAYS_OF_WEEK:\n desired_dow = int(cron_atom[:-1])\n target = (desired_dow - first_dow) % 7 + 29\n if target > last_dom:\n target -= 7\n if target == day:\n break\n else:\n if field_type == DAYS_OF_MONTH and self.string_tab[4] != '*':\n dom_matched = False\n continue\n elif field_type == DAYS_OF_WEEK and self.string_tab[2] != '*':\n return dom_matched\n return False\n return True\n", "role": "user" }, { "content": "check_trigger", "role": "assistant" } ]
def x(self): for rule in self.rules_list: result = ', '.join([str(check) for check, deny in rule]) print(result)
show
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for rule in self.rules_list:\n result = ', '.join([str(check) for check, deny in rule])\n print(result)\n", "role": "user" }, { "content": "show", "role": "assistant" } ]
def x(self): failed_result = None for rule in self.rules_list: for check, deny in rule: if not check(): failed_result = False, deny break else: return True, None return failed_result
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n failed_result = None\n for rule in self.rules_list:\n for check, deny in rule:\n if not check():\n failed_result = False, deny\n break\n else:\n return True, None\n return failed_result\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, value): if value < 0: value *= -1 value = min(value, 1) if self.horizontal: width = int(self.width * value) height = self.height else: width = self.width height = int(self.height * value) self.canvas.coords(self.meter, self.xpos, self.ypos, self.xpos + width, self.ypos + height)
set_fraction
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if value < 0:\n value *= -1\n value = min(value, 1)\n if self.horizontal:\n width = int(self.width * value)\n height = self.height\n else:\n width = self.width\n height = int(self.height * value)\n self.canvas.coords(self.meter, self.xpos, self.ypos, self.xpos + width,\n self.ypos + height)\n", "role": "user" }, { "content": "set_fraction", "role": "assistant" } ]
def x(self): try: self.update_connection_status() self.max_stream_rate.set(self.get_stream_rate_str()) self.ip.set(self.status.external_ip) self.uptime.set(self.status.str_uptime) upstream, downstream = self.status.transmission_rate except IOError: pass else: if self.max_downstream > 0: self.in_meter.set_fraction(1.0 * downstream / self.max_downstream) if self.max_upstream > 0: self.out_meter.set_fraction(1.0 * upstream / self.max_upstream) self.update_traffic_info() self.after(1000, self.update_status)
update_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n self.update_connection_status()\n self.max_stream_rate.set(self.get_stream_rate_str())\n self.ip.set(self.status.external_ip)\n self.uptime.set(self.status.str_uptime)\n upstream, downstream = self.status.transmission_rate\n except IOError:\n pass\n else:\n if self.max_downstream > 0:\n self.in_meter.set_fraction(1.0 * downstream / self.max_downstream)\n if self.max_upstream > 0:\n self.out_meter.set_fraction(1.0 * upstream / self.max_upstream)\n self.update_traffic_info()\n self.after(1000, self.update_status)\n", "role": "user" }, { "content": "update_status", "role": "assistant" } ]
def x(num, unit='bytes'): if unit == 'bytes': extension = 'B' else: extension = 'Bit' for dimension in (unit, 'K', 'M', 'G', 'T'): if num < 1024: if dimension == unit: return '%3.1f %s' % (num, dimension) return '%3.1f %s%s' % (num, dimension, extension) num /= 1024 return '%3.1f P%s' % (num, extension)
format_num
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(num, unit='bytes'):\n if unit == 'bytes':\n extension = 'B'\n else:\n extension = 'Bit'\n for dimension in (unit, 'K', 'M', 'G', 'T'):\n if num < 1024:\n if dimension == unit:\n return '%3.1f %s' % (num, dimension)\n return '%3.1f %s%s' % (num, dimension, extension)\n num /= 1024\n return '%3.1f P%s' % (num, extension)\n", "role": "user" }, { "content": "format_num", "role": "assistant" } ]
def x(content_disposition, location=None, relaxed=False): LOGGER.debug('Content-Disposition %r, Location %r', content_disposition, location) if content_disposition is None: return ContentDisposition(location=location) if False: content_disposition = ensure_charset(content_disposition, 'ascii') else: content_disposition = ensure_charset(content_disposition, 'iso-8859-1') if relaxed: content_disposition = normalize_ws(content_disposition) parser = content_disposition_value_relaxed else: if not is_lws_safe(content_disposition): raise ValueError(content_disposition, 'Contains nonstandard whitespace') parser = content_disposition_value try: parsed = parser.parse(content_disposition) except FullFirstMatchException: return ContentDisposition(location=location) return ContentDisposition(disposition=parsed[0], assocs=parsed[1:], location=location)
parse_headers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(content_disposition, location=None, relaxed=False):\n LOGGER.debug('Content-Disposition %r, Location %r', content_disposition,\n location)\n if content_disposition is None:\n return ContentDisposition(location=location)\n if False:\n content_disposition = ensure_charset(content_disposition, 'ascii')\n else:\n content_disposition = ensure_charset(content_disposition, 'iso-8859-1')\n if relaxed:\n content_disposition = normalize_ws(content_disposition)\n parser = content_disposition_value_relaxed\n else:\n if not is_lws_safe(content_disposition):\n raise ValueError(content_disposition,\n 'Contains nonstandard whitespace')\n parser = content_disposition_value\n try:\n parsed = parser.parse(content_disposition)\n except FullFirstMatchException:\n return ContentDisposition(location=location)\n return ContentDisposition(disposition=parsed[0], assocs=parsed[1:],\n location=location)\n", "role": "user" }, { "content": "parse_headers", "role": "assistant" } ]
def x(response, **kwargs): return parse_headers(response.headers.get('content-disposition'), response.url, **kwargs)
parse_requests_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(response, **kwargs):\n return parse_headers(response.headers.get('content-disposition'),\n response.url, **kwargs)\n", "role": "user" }, { "content": "parse_requests_response", "role": "assistant" } ]
def x(filename, disposition='attachment', filename_compat=None): if disposition != 'attachment': assert is_token(disposition) rv = disposition if is_token(filename): rv += '; filename=%s' % (filename,) return rv elif is_ascii(filename) and is_lws_safe(filename): qd_filename = qd_quote(filename) rv += '; filename="%s"' % (qd_filename,) if qd_filename == filename: return rv elif filename_compat: if is_token(filename_compat): rv += '; filename=%s' % (filename_compat,) else: assert is_lws_safe(filename_compat) rv += '; filename="%s"' % (qd_quote(filename_compat),) rv += "; filename*=utf-8''%s" % (percent_encode(filename, safe= attr_chars_nonalnum, encoding='utf-8'),) return rv.encode('iso-8859-1')
build_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, disposition='attachment', filename_compat=None):\n if disposition != 'attachment':\n assert is_token(disposition)\n rv = disposition\n if is_token(filename):\n rv += '; filename=%s' % (filename,)\n return rv\n elif is_ascii(filename) and is_lws_safe(filename):\n qd_filename = qd_quote(filename)\n rv += '; filename=\"%s\"' % (qd_filename,)\n if qd_filename == filename:\n return rv\n elif filename_compat:\n if is_token(filename_compat):\n rv += '; filename=%s' % (filename_compat,)\n else:\n assert is_lws_safe(filename_compat)\n rv += '; filename=\"%s\"' % (qd_quote(filename_compat),)\n rv += \"; filename*=utf-8''%s\" % (percent_encode(filename, safe=\n attr_chars_nonalnum, encoding='utf-8'),)\n return rv.encode('iso-8859-1')\n", "role": "user" }, { "content": "build_header", "role": "assistant" } ]
def x(self): if 'filename*' in self.assocs: return self.assocs['filename*'].string elif 'filename' in self.assocs: return self.assocs['filename'] elif self.location is not None: return posixpath.basename(self.location_path.rstrip('/'))
filename_unsafe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if 'filename*' in self.assocs:\n return self.assocs['filename*'].string\n elif 'filename' in self.assocs:\n return self.assocs['filename']\n elif self.location is not None:\n return posixpath.basename(self.location_path.rstrip('/'))\n", "role": "user" }, { "content": "filename_unsafe", "role": "assistant" } ]
def x(self, extension, default_filename='file'): assert extension assert extension[0] != '.' assert default_filename assert '.' not in default_filename extension = '.' + extension fname = self.filename_unsafe if fname is None: fname = default_filename fname = posixpath.basename(fname) fname = os.path.basename(fname) fname = fname.lstrip('.') if not fname: fname = default_filename if not fname.endswith(extension): fname = fname + extension return fname
filename_sanitized
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, extension, default_filename='file'):\n assert extension\n assert extension[0] != '.'\n assert default_filename\n assert '.' not in default_filename\n extension = '.' + extension\n fname = self.filename_unsafe\n if fname is None:\n fname = default_filename\n fname = posixpath.basename(fname)\n fname = os.path.basename(fname)\n fname = fname.lstrip('.')\n if not fname:\n fname = default_filename\n if not fname.endswith(extension):\n fname = fname + extension\n return fname\n", "role": "user" }, { "content": "filename_sanitized", "role": "assistant" } ]
def x(self): mins, secs = divmod(self.uptime, 60) hours, mins = divmod(mins, 60) return '%02d:%02d:%02d' % (hours, mins, secs)
str_uptime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n mins, secs = divmod(self.uptime, 60)\n hours, mins = divmod(mins, 60)\n return '%02d:%02d:%02d' % (hours, mins, secs)\n", "role": "user" }, { "content": "str_uptime", "role": "assistant" } ]
def x(self): sent = self.bytes_sent received = self.bytes_received traffic_call = time.time() time_delta = traffic_call - self.last_traffic_call upstream = int(1.0 * (sent - self.last_bytes_sent) / time_delta) downstream = int(1.0 * (received - self.last_bytes_received) / time_delta) self.last_bytes_sent = sent self.last_bytes_received = received self.last_traffic_call = traffic_call return upstream, downstream
transmission_rate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n sent = self.bytes_sent\n received = self.bytes_received\n traffic_call = time.time()\n time_delta = traffic_call - self.last_traffic_call\n upstream = int(1.0 * (sent - self.last_bytes_sent) / time_delta)\n downstream = int(1.0 * (received - self.last_bytes_received) / time_delta)\n self.last_bytes_sent = sent\n self.last_bytes_received = received\n self.last_traffic_call = traffic_call\n return upstream, downstream\n", "role": "user" }, { "content": "transmission_rate", "role": "assistant" } ]
def x(self): upstream, downstream = self.transmission_rate return fritztools.format_num(upstream), fritztools.format_num(downstream)
str_transmission_rate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n upstream, downstream = self.transmission_rate\n return fritztools.format_num(upstream), fritztools.format_num(downstream)\n", "role": "user" }, { "content": "str_transmission_rate", "role": "assistant" } ]
def x(self): status = self.fc.call_action('WANCommonInterfaceConfig', 'GetCommonLinkProperties') downstream = status['NewLayer1DownstreamMaxBitRate'] upstream = status['NewLayer1UpstreamMaxBitRate'] return upstream, downstream
max_bit_rate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n status = self.fc.call_action('WANCommonInterfaceConfig',\n 'GetCommonLinkProperties')\n downstream = status['NewLayer1DownstreamMaxBitRate']\n upstream = status['NewLayer1UpstreamMaxBitRate']\n return upstream, downstream\n", "role": "user" }, { "content": "max_bit_rate", "role": "assistant" } ]
def x(self): upstream, downstream = self.max_bit_rate return fritztools.format_rate(upstream, unit='bits' ), fritztools.format_rate(downstream, unit='bits')
str_max_bit_rate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n upstream, downstream = self.max_bit_rate\n return fritztools.format_rate(upstream, unit='bits'\n ), fritztools.format_rate(downstream, unit='bits')\n", "role": "user" }, { "content": "str_max_bit_rate", "role": "assistant" } ]
def x(self, kwargs): p = {'action_name': self.name, 'service_type': self.service_type, 'arguments': ''} if kwargs: arguments = [(self.argument_template % {'name': k, 'value': v}) for k, v in kwargs.items()] p['arguments'] = ''.join(arguments) body = self.body_template.strip() % p return body
body_builder
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, kwargs):\n p = {'action_name': self.name, 'service_type': self.service_type,\n 'arguments': ''}\n if kwargs:\n arguments = [(self.argument_template % {'name': k, 'value': v}) for\n k, v in kwargs.items()]\n p['arguments'] = ''.join(arguments)\n body = self.body_template.strip() % p\n return body\n", "role": "user" }, { "content": "body_builder", "role": "assistant" } ]
def x(self, **kwargs): headers = self.header.copy() headers['soapaction'] = '%s#%s' % (self.service_type, self.name) data = self.envelope.strip() % self._body_builder(kwargs) url = 'http://%s:%s%s' % (self.address, self.port, self.control_url) auth = None if self.password: auth = HTTPDigestAuth(self.user, self.password) response = requests.post(url, data=data, headers=headers, auth=auth) result = self.parse_response(response.content) return result
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n headers = self.header.copy()\n headers['soapaction'] = '%s#%s' % (self.service_type, self.name)\n data = self.envelope.strip() % self._body_builder(kwargs)\n url = 'http://%s:%s%s' % (self.address, self.port, self.control_url)\n auth = None\n if self.password:\n auth = HTTPDigestAuth(self.user, self.password)\n response = requests.post(url, data=data, headers=headers, auth=auth)\n result = self.parse_response(response.content)\n return result\n", "role": "user" }, { "content": "execute", "role": "assistant" } ]
def x(self, response): result = {} root = etree.fromstring(response) for argument in self.arguments.values(): try: value = root.find('.//%s' % argument.name).text except AttributeError: continue if argument.data_type.startswith('ui'): try: value = int(value) except ValueError: value = None result[argument.name] = value return result
parse_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response):\n result = {}\n root = etree.fromstring(response)\n for argument in self.arguments.values():\n try:\n value = root.find('.//%s' % argument.name).text\n except AttributeError:\n continue\n if argument.data_type.startswith('ui'):\n try:\n value = int(value)\n except ValueError:\n value = None\n result[argument.name] = value\n return result\n", "role": "user" }, { "content": "parse_response", "role": "assistant" } ]
def x(self): xpath = '%s/%s' % (self.nodename('device'), self.nodename('modelName')) return self.root.find(xpath).text
get_modelname
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n xpath = '%s/%s' % (self.nodename('device'), self.nodename('modelName'))\n return self.root.find(xpath).text\n", "role": "user" }, { "content": "get_modelname", "role": "assistant" } ]
def x(self): result = [] nodes = self.root.iterfind('.//ns:service', namespaces={'ns': self. namespace}) for node in nodes: result.append(FritzService(node.find(self.nodename('serviceType')). text, node.find(self.nodename('controlURL')).text, node.find( self.nodename('SCPDURL')).text)) return result
get_services
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n result = []\n nodes = self.root.iterfind('.//ns:service', namespaces={'ns': self.\n namespace})\n for node in nodes:\n result.append(FritzService(node.find(self.nodename('serviceType')).\n text, node.find(self.nodename('controlURL')).text, node.find(\n self.nodename('SCPDURL')).text))\n return result\n", "role": "user" }, { "content": "get_services", "role": "assistant" } ]
def x(self): nodes = self.root.iterfind('.//ns:stateVariable', namespaces={'ns': self.namespace}) for node in nodes: key = node.find(self.nodename('name')).text value = node.find(self.nodename('dataType')).text self.state_variables[key] = value
read_state_variables
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n nodes = self.root.iterfind('.//ns:stateVariable', namespaces={'ns':\n self.namespace})\n for node in nodes:\n key = node.find(self.nodename('name')).text\n value = node.find(self.nodename('dataType')).text\n self.state_variables[key] = value\n", "role": "user" }, { "content": "read_state_variables", "role": "assistant" } ]
def x(self): self._read_state_variables() actions = [] nodes = self.root.iterfind('.//ns:action', namespaces={'ns': self. namespace}) for node in nodes: action = FritzAction(self.service.service_type, self.service. control_url) action.name = node.find(self.nodename('name')).text action.arguments = self._get_arguments(node) actions.append(action) return actions
get_actions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._read_state_variables()\n actions = []\n nodes = self.root.iterfind('.//ns:action', namespaces={'ns': self.\n namespace})\n for node in nodes:\n action = FritzAction(self.service.service_type, self.service.\n control_url)\n action.name = node.find(self.nodename('name')).text\n action.arguments = self._get_arguments(node)\n actions.append(action)\n return actions\n", "role": "user" }, { "content": "get_actions", "role": "assistant" } ]
def x(self, action_node): arguments = {} argument_nodes = action_node.iterfind('./ns:argumentList/ns:argument', namespaces={'ns': self.namespace}) for argument_node in argument_nodes: argument = self._get_argument(argument_node) arguments[argument.name] = argument return arguments
get_arguments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action_node):\n arguments = {}\n argument_nodes = action_node.iterfind('./ns:argumentList/ns:argument',\n namespaces={'ns': self.namespace})\n for argument_node in argument_nodes:\n argument = self._get_argument(argument_node)\n arguments[argument.name] = argument\n return arguments\n", "role": "user" }, { "content": "get_arguments", "role": "assistant" } ]
def x(self, argument_node): argument = FritzActionArgument() argument.name = argument_node.find(self.nodename('name')).text argument.direction = argument_node.find(self.nodename('direction')).text rsv = argument_node.find(self.nodename('relatedStateVariable')).text argument.data_type = self.state_variables.get(rsv, None) return argument
get_argument
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, argument_node):\n argument = FritzActionArgument()\n argument.name = argument_node.find(self.nodename('name')).text\n argument.direction = argument_node.find(self.nodename('direction')).text\n rsv = argument_node.find(self.nodename('relatedStateVariable')).text\n argument.data_type = self.state_variables.get(rsv, None)\n return argument\n", "role": "user" }, { "content": "get_argument", "role": "assistant" } ]
def x(self, password): descfiles = [FRITZ_IGD_DESC_FILE] if password: descfiles.append(FRITZ_TR64_DESC_FILE) for descfile in descfiles: parser = FritzDescParser(self.address, self.port, descfile) if not self.modelname: self.modelname = parser.get_modelname() services = parser.get_services() self._read_services(services)
read_descriptions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, password):\n descfiles = [FRITZ_IGD_DESC_FILE]\n if password:\n descfiles.append(FRITZ_TR64_DESC_FILE)\n for descfile in descfiles:\n parser = FritzDescParser(self.address, self.port, descfile)\n if not self.modelname:\n self.modelname = parser.get_modelname()\n services = parser.get_services()\n self._read_services(services)\n", "role": "user" }, { "content": "read_descriptions", "role": "assistant" } ]
def x(self, services): for service in services: parser = FritzSCDPParser(self.address, self.port, service) actions = parser.get_actions() service.actions = {action.name: action for action in actions} self.services[service.name] = service
read_services
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, services):\n for service in services:\n parser = FritzSCDPParser(self.address, self.port, service)\n actions = parser.get_actions()\n service.actions = {action.name: action for action in actions}\n self.services[service.name] = service\n", "role": "user" }, { "content": "read_services", "role": "assistant" } ]
def x(self): actions = [] for service_name in sorted(self.services.keys()): action_names = self.services[service_name].actions.keys() for action_name in sorted(action_names): actions.append((service_name, action_name)) return actions
actionnames
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n actions = []\n for service_name in sorted(self.services.keys()):\n action_names = self.services[service_name].actions.keys()\n for action_name in sorted(action_names):\n actions.append((service_name, action_name))\n return actions\n", "role": "user" }, { "content": "actionnames", "role": "assistant" } ]
def x(self, service_name, action_name): return self.services[service_name].actions[action_name].info
get_action_arguments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service_name, action_name):\n return self.services[service_name].actions[action_name].info\n", "role": "user" }, { "content": "get_action_arguments", "role": "assistant" } ]
def x(self, service_name, action_name, **kwargs): action = self.services[service_name].actions[action_name] return action.execute(**kwargs)
call_action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service_name, action_name, **kwargs):\n action = self.services[service_name].actions[action_name]\n return action.execute(**kwargs)\n", "role": "user" }, { "content": "call_action", "role": "assistant" } ]
def x(self): result = [] index = 0 while index < self.host_numbers: host = self.get_generic_host_entry(index) result.append({'ip': host['NewIPAddress'], 'name': host[ 'NewHostName'], 'mac': host['NewMACAddress'], 'status': host[ 'NewActive']}) index += 1 return result
get_hosts_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n result = []\n index = 0\n while index < self.host_numbers:\n host = self.get_generic_host_entry(index)\n result.append({'ip': host['NewIPAddress'], 'name': host[\n 'NewHostName'], 'mac': host['NewMACAddress'], 'status': host[\n 'NewActive']})\n index += 1\n return result\n", "role": "user" }, { "content": "get_hosts_info", "role": "assistant" } ]
def x(executable): logger = logging.getLogger(__name__) logger.debug("Checking executable '%s'...", executable) executable_path = _find_executable(executable) found = executable_path is not None if found: logger.debug("Executable '%s' found: '%s'", executable, executable_path ) else: logger.debug("Executable '%s' not found", executable) return executable_path
find_executable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(executable):\n logger = logging.getLogger(__name__)\n logger.debug(\"Checking executable '%s'...\", executable)\n executable_path = _find_executable(executable)\n found = executable_path is not None\n if found:\n logger.debug(\"Executable '%s' found: '%s'\", executable, executable_path\n )\n else:\n logger.debug(\"Executable '%s' not found\", executable)\n return executable_path\n", "role": "user" }, { "content": "find_executable", "role": "assistant" } ]
def x(server, port): logger = logging.getLogger(__name__) logger.debug("Checking network connection to server '%s'...", server) try: host = socket.gethostbyname(server) sock = socket.create_connection((host, port), 2) sock.close() except Exception: logger.debug('Network connection not working') return False logger.debug('Network connection working') return True
check_network_connection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(server, port):\n logger = logging.getLogger(__name__)\n logger.debug(\"Checking network connection to server '%s'...\", server)\n try:\n host = socket.gethostbyname(server)\n sock = socket.create_connection((host, port), 2)\n sock.close()\n except Exception:\n logger.debug('Network connection not working')\n return False\n logger.debug('Network connection working')\n return True\n", "role": "user" }, { "content": "check_network_connection", "role": "assistant" } ]
def x(package_or_module): logger = logging.getLogger(__name__) logger.debug("Checking python import '%s'...", package_or_module) loader = pkgutil.get_loader(package_or_module) found = loader is not None if found: logger.debug("Python %s '%s' found", 'package' if loader.is_package (package_or_module) else 'module', package_or_module) else: logger.debug("Python import '%s' not found", package_or_module) return found
check_python_import
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(package_or_module):\n logger = logging.getLogger(__name__)\n logger.debug(\"Checking python import '%s'...\", package_or_module)\n loader = pkgutil.get_loader(package_or_module)\n found = loader is not None\n if found:\n logger.debug(\"Python %s '%s' found\", 'package' if loader.is_package\n (package_or_module) else 'module', package_or_module)\n else:\n logger.debug(\"Python import '%s' not found\", package_or_module)\n return found\n", "role": "user" }, { "content": "check_python_import", "role": "assistant" } ]
def x(self): with open(self.script_url, 'r', encoding='utf8') as f: self.selenium.execute_script(f.read())
inject
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with open(self.script_url, 'r', encoding='utf8') as f:\n self.selenium.execute_script(f.read())\n", "role": "user" }, { "content": "inject", "role": "assistant" } ]
def x(self, context=None, options=None): template = ('var callback = arguments[arguments.length - 1];' + 'axe.run(%s).then(results => callback(results))') args = '' if context is not None: args += '%r' % context if context is not None and options is not None: args += ',' if options is not None: args += '%s' % options command = template % args response = self.selenium.execute_async_script(command) return response
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, context=None, options=None):\n template = ('var callback = arguments[arguments.length - 1];' +\n 'axe.run(%s).then(results => callback(results))')\n args = ''\n if context is not None:\n args += '%r' % context\n if context is not None and options is not None:\n args += ','\n if options is not None:\n args += '%s' % options\n command = template % args\n response = self.selenium.execute_async_script(command)\n return response\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, violations): string = '' string += 'Found ' + str(len(violations)) + ' accessibility violations:' for violation in violations: string += '\n\n\nRule Violated:\n' + violation['id' ] + ' - ' + violation['description'] + '\n\tURL: ' + violation[ 'helpUrl'] + """ Impact Level: """ + violation['impact' ] + '\n\tTags:' for tag in violation['tags']: string += ' ' + tag string += '\n\tElements Affected:' i = 1 for node in violation['nodes']: for target in node['target']: string += '\n\t' + str(i) + ') Target: ' + target i += 1 for item in node['all']: string += '\n\t\t' + item['message'] for item in node['any']: string += '\n\t\t' + item['message'] for item in node['none']: string += '\n\t\t' + item['message'] string += '\n\n\n' return string
report
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, violations):\n string = ''\n string += 'Found ' + str(len(violations)) + ' accessibility violations:'\n for violation in violations:\n string += '\\n\\n\\nRule Violated:\\n' + violation['id'\n ] + ' - ' + violation['description'] + '\\n\\tURL: ' + violation[\n 'helpUrl'] + \"\"\"\n\tImpact Level: \"\"\" + violation['impact'\n ] + '\\n\\tTags:'\n for tag in violation['tags']:\n string += ' ' + tag\n string += '\\n\\tElements Affected:'\n i = 1\n for node in violation['nodes']:\n for target in node['target']:\n string += '\\n\\t' + str(i) + ') Target: ' + target\n i += 1\n for item in node['all']:\n string += '\\n\\t\\t' + item['message']\n for item in node['any']:\n string += '\\n\\t\\t' + item['message']\n for item in node['none']:\n string += '\\n\\t\\t' + item['message']\n string += '\\n\\n\\n'\n return string\n", "role": "user" }, { "content": "report", "role": "assistant" } ]
def x(self, data, name=None): if name: filepath = os.path.abspath(name) else: filepath = os.path.join(os.path.getcwd(), 'results.json') with open(filepath, 'w', encoding='utf8') as f: try: f.write(unicode(json.dumps(data, indent=4))) except NameError: f.write(json.dumps(data, indent=4))
write_results
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, name=None):\n if name:\n filepath = os.path.abspath(name)\n else:\n filepath = os.path.join(os.path.getcwd(), 'results.json')\n with open(filepath, 'w', encoding='utf8') as f:\n try:\n f.write(unicode(json.dumps(data, indent=4)))\n except NameError:\n f.write(json.dumps(data, indent=4))\n", "role": "user" }, { "content": "write_results", "role": "assistant" } ]
def x(engine, options=None, defaults=None): if engine not in _ENGINE_MAP.keys(): raise TTSError('Unknown engine %s' % engine) options = options or {} defaults = defaults or {} einst = _ENGINE_MAP[engine](**options) einst.configure_default(**defaults) return einst
create_engine
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(engine, options=None, defaults=None):\n if engine not in _ENGINE_MAP.keys():\n raise TTSError('Unknown engine %s' % engine)\n options = options or {}\n defaults = defaults or {}\n einst = _ENGINE_MAP[engine](**options)\n einst.configure_default(**defaults)\n return einst\n", "role": "user" }, { "content": "create_engine", "role": "assistant" } ]
def x(self, txt): ranks = [] for lang, score in langid.rank(txt): if lang in self.preferred_languages: score += self.preferred_factor ranks.append((lang, score)) ranks.sort(key=lambda x: x[1], reverse=True) return ranks[0][0]
classify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, txt):\n ranks = []\n for lang, score in langid.rank(txt):\n if lang in self.preferred_languages:\n score += self.preferred_factor\n ranks.append((lang, score))\n ranks.sort(key=lambda x: x[1], reverse=True)\n return ranks[0][0]\n", "role": "user" }, { "content": "classify", "role": "assistant" } ]
def x(self, lang): for eng in self.engines: if lang in eng.languages.keys(): return eng raise TTSError('Could not match language')
get_engine_for_lang
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lang):\n for eng in self.engines:\n if lang in eng.languages.keys():\n return eng\n raise TTSError('Could not match language')\n", "role": "user" }, { "content": "get_engine_for_lang", "role": "assistant" } ]
def x(self, txt, lang=None): lang = lang or self.classify(txt) self.get_engine_for_lang(lang).say(txt, language=lang)
say
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, txt, lang=None):\n lang = lang or self.classify(txt)\n self.get_engine_for_lang(lang).say(txt, language=lang)\n", "role": "user" }, { "content": "say", "role": "assistant" } ]
def x(self, **_options): language, voice, voiceinfo, options = self._configure(**_options) self.languages_options[language] = voice, options self.default_language = language self.default_options = options
configure_default
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **_options):\n language, voice, voiceinfo, options = self._configure(**_options)\n self.languages_options[language] = voice, options\n self.default_language = language\n self.default_options = options\n", "role": "user" }, { "content": "configure_default", "role": "assistant" } ]
def x(self, **_options): language, voice, voiceinfo, options = self._configure(**_options) self.languages_options[language] = voice, options
configure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **_options):\n language, voice, voiceinfo, options = self._configure(**_options)\n self.languages_options[language] = voice, options\n", "role": "user" }, { "content": "configure", "role": "assistant" } ]
def x(self, phrase, **_options): language, voice, voiceinfo, options = self._configure(**_options) self._logger.debug("Saying '%s' with '%s'", phrase, self.SLUG) self._say(phrase, language, voice, voiceinfo, options)
say
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, phrase, **_options):\n language, voice, voiceinfo, options = self._configure(**_options)\n self._logger.debug(\"Saying '%s' with '%s'\", phrase, self.SLUG)\n self._say(phrase, language, voice, voiceinfo, options)\n", "role": "user" }, { "content": "say", "role": "assistant" } ]
def x(self, filename, translate=False): if translate: with tempfile.NamedTemporaryFile(suffix='.wav', delete=False) as f: fname = f.name with audioread.audio_open(filename) as f: with contextlib.closing(wave.open(fname, 'w')) as of: of.setnchannels(f.channels) of.setframerate(f.samplerate) of.setsampwidth(2) for buf in f: of.writeframes(buf) filename = fname if winsound: winsound.PlaySound(str(filename), winsound.SND_FILENAME) else: cmd = ['aplay', str(filename)] self._logger.debug('Executing %s', ' '.join([pipes.quote(arg) for arg in cmd])) subprocess.call(cmd) if translate: os.remove(fname)
play
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, translate=False):\n if translate:\n with tempfile.NamedTemporaryFile(suffix='.wav', delete=False) as f:\n fname = f.name\n with audioread.audio_open(filename) as f:\n with contextlib.closing(wave.open(fname, 'w')) as of:\n of.setnchannels(f.channels)\n of.setframerate(f.samplerate)\n of.setsampwidth(2)\n for buf in f:\n of.writeframes(buf)\n filename = fname\n if winsound:\n winsound.PlaySound(str(filename), winsound.SND_FILENAME)\n else:\n cmd = ['aplay', str(filename)]\n self._logger.debug('Executing %s', ' '.join([pipes.quote(arg) for\n arg in cmd]))\n subprocess.call(cmd)\n if translate:\n os.remove(fname)\n", "role": "user" }, { "content": "play", "role": "assistant" } ]
def x(queue, cfg): server = CollectDServerMP if cfg.collectd_workers > 1 else CollectDServer return server(queue, cfg)
getCollectDServer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(queue, cfg):\n server = CollectDServerMP if cfg.collectd_workers > 1 else CollectDServer\n return server(queue, cfg)\n", "role": "user" }, { "content": "getCollectDServer", "role": "assistant" } ]
def x(self, a, b): if len(a) != len(b): return False diff = 0 if six.PY2: a = bytearray(a) b = bytearray(b) for x, y in zip(a, b): diff |= x ^ y return not diff
hashes_match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, a, b):\n if len(a) != len(b):\n return False\n diff = 0\n if six.PY2:\n a = bytearray(a)\n b = bytearray(b)\n for x, y in zip(a, b):\n diff |= x ^ y\n return not diff\n", "role": "user" }, { "content": "hashes_match", "role": "assistant" } ]
def x(*basin_ids): basins = [] for basin in basin_ids: if basin.isdigit() and len(basin) == 8: basins.append(basin) else: from climata.huc8 import get_huc8 basins.extend(get_huc8(basin)) sites = StationMetaIO(basin=basins, parameter=list(elems.keys()), start_date='1900-01-01', end_date=date.today(), meta=ALL_META_FIELDS) seen_sites = [site.uid for site in sites] nodata_sites = [site for site in StationMetaIO(basin=basins) if site. uid not in seen_sites] seen_auths = set() seen_elems = set() ranges = {} for site in sites: for auth in site.sids.keys(): seen_auths.add(auth) start, end = None, None for elem in site.valid_daterange: s, e = site.valid_daterange[elem] seen_elems.add(elem) if s is None or e is None: continue if start is None or s < start: start = s if end is None or e > end: end = e ranges[site.uid] = [start, end] for site in nodata_sites: for auth in site.sids.keys(): seen_auths.add(auth) seen_auths = sorted(seen_auths) seen_elems = sorted(seen_elems) print(','.join(['ACIS uid', 'name'] + seen_auths + ['latitude', 'longitude', 'start', 'end', 'years'] + [elems[elem]['desc'] for elem in seen_elems])) for site in sites: start, end = ranges[site.uid] if start and end: years = end.year - start.year + 1 elem_ranges = [] for elem in seen_elems: estart, eend = site.valid_daterange[elem] if estart is None: erange = '' elif estart == start and eend == end: erange = 'period' else: erange = '%s to %s' % (estart.date(), eend.date()) elem_ranges.append(erange) print(','.join(map(str, [site.uid, site.name] + [site.sids.get(auth, '') for auth in seen_auths] + [site.latitude, site.longitude] + [start.date(), end.date(), years] + elem_ranges))) for site in nodata_sites: print(','.join(map(str, [site.uid, site.name] + [site.sids.get(auth, '') for auth in seen_auths] + [site.latitude, site.longitude] + ['NO DATA'])))
load_sites
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*basin_ids):\n basins = []\n for basin in basin_ids:\n if basin.isdigit() and len(basin) == 8:\n basins.append(basin)\n else:\n from climata.huc8 import get_huc8\n basins.extend(get_huc8(basin))\n sites = StationMetaIO(basin=basins, parameter=list(elems.keys()),\n start_date='1900-01-01', end_date=date.today(), meta=ALL_META_FIELDS)\n seen_sites = [site.uid for site in sites]\n nodata_sites = [site for site in StationMetaIO(basin=basins) if site.\n uid not in seen_sites]\n seen_auths = set()\n seen_elems = set()\n ranges = {}\n for site in sites:\n for auth in site.sids.keys():\n seen_auths.add(auth)\n start, end = None, None\n for elem in site.valid_daterange:\n s, e = site.valid_daterange[elem]\n seen_elems.add(elem)\n if s is None or e is None:\n continue\n if start is None or s < start:\n start = s\n if end is None or e > end:\n end = e\n ranges[site.uid] = [start, end]\n for site in nodata_sites:\n for auth in site.sids.keys():\n seen_auths.add(auth)\n seen_auths = sorted(seen_auths)\n seen_elems = sorted(seen_elems)\n print(','.join(['ACIS uid', 'name'] + seen_auths + ['latitude',\n 'longitude', 'start', 'end', 'years'] + [elems[elem]['desc'] for\n elem in seen_elems]))\n for site in sites:\n start, end = ranges[site.uid]\n if start and end:\n years = end.year - start.year + 1\n elem_ranges = []\n for elem in seen_elems:\n estart, eend = site.valid_daterange[elem]\n if estart is None:\n erange = ''\n elif estart == start and eend == end:\n erange = 'period'\n else:\n erange = '%s to %s' % (estart.date(), eend.date())\n elem_ranges.append(erange)\n print(','.join(map(str, [site.uid, site.name] + [site.sids.get(auth,\n '') for auth in seen_auths] + [site.latitude, site.longitude] +\n [start.date(), end.date(), years] + elem_ranges)))\n for site in nodata_sites:\n print(','.join(map(str, [site.uid, site.name] + [site.sids.get(auth,\n '') for auth in seen_auths] + [site.latitude, site.longitude] +\n ['NO DATA'])))\n", "role": "user" }, { "content": "load_sites", "role": "assistant" } ]