source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(cbname):
_checkTkInit()
if cbname == 'PRIMARY':
try:
return _theRoot.selection_get(selection='PRIMARY')
except:
return None
if cbname == 'CLIPBOARD':
try:
return _theRoot.selection_get(selection='CLIPBOARD')
except:
return None
raise RuntimeError('Unexpected clipboard name: ' + str(cbname))
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cbname):\n _checkTkInit()\n if cbname == 'PRIMARY':\n try:\n return _theRoot.selection_get(selection='PRIMARY')\n except:\n return None\n if cbname == 'CLIPBOARD':\n try:\n return _theRoot.selection_get(selection='CLIPBOARD')\n except:\n return None\n raise RuntimeError('Unexpected clipboard name: ' + str(cbname))\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, deviceCfg):
ioCfg = deviceCfg['io']
type = deviceCfg['type']
if type == 'mpu6050':
fs = deviceCfg.get('fs')
name = deviceCfg.get('name')
if ioCfg['type'] == 'mock':
provider = ioCfg.get('provider')
if provider is not None and provider == 'white noise':
dataProvider = WhiteNoiseProvider()
else:
raise ValueError(provider +
' is not a supported mock io data provider')
self.logger.warning('Loading mock data provider for mpu6050')
io = mock_io(dataProvider=dataProvider.provide)
elif ioCfg['type'] == 'smbus':
busId = ioCfg['busId']
self.logger.warning('Loading smbus %d', busId)
io = smbus_io(busId)
else:
raise ValueError(ioCfg['type'] + ' is not a supported io provider')
self.logger.warning('Loading mpu6050 ' + name + '/' + str(fs))
return mpu6050(io, name=name, fs=fs) if name is not None else mpu6050(
io, fs=fs)
else:
raise ValueError(type + ' is not a supported device')
| createDevice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, deviceCfg):\n ioCfg = deviceCfg['io']\n type = deviceCfg['type']\n if type == 'mpu6050':\n fs = deviceCfg.get('fs')\n name = deviceCfg.get('name')\n if ioCfg['type'] == 'mock':\n provider = ioCfg.get('provider')\n if provider is not None and provider == 'white noise':\n dataProvider = WhiteNoiseProvider()\n else:\n raise ValueError(provider +\n ' is not a supported mock io data provider')\n self.logger.warning('Loading mock data provider for mpu6050')\n io = mock_io(dataProvider=dataProvider.provide)\n elif ioCfg['type'] == 'smbus':\n busId = ioCfg['busId']\n self.logger.warning('Loading smbus %d', busId)\n io = smbus_io(busId)\n else:\n raise ValueError(ioCfg['type'] + ' is not a supported io provider')\n self.logger.warning('Loading mpu6050 ' + name + '/' + str(fs))\n return mpu6050(io, name=name, fs=fs) if name is not None else mpu6050(\n io, fs=fs)\n else:\n raise ValueError(type + ' is not a supported device')\n",
"role": "user"
},
{
"content": "createDevice",
"role": "assistant"
}
] |
def x(self):
return {device.name: device for device in [self.createDevice(deviceCfg) for
deviceCfg in self.config['accelerometers']]}
| loadRecordingDevices | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {device.name: device for device in [self.createDevice(deviceCfg) for\n deviceCfg in self.config['accelerometers']]}\n",
"role": "user"
},
{
"content": "loadRecordingDevices",
"role": "assistant"
}
] |
def x(self, handler):
target = handler['target']
if handler['type'] == 'log':
self.logger.warning('Initialising csvlogger to log data to ' + target)
return CSVLogger('recorder', handler['name'], target)
elif handler['type'] == 'post':
self.logger.warning('Initialising http logger to log data to ' + target
)
return HttpPoster(handler['name'], target)
| createHandler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handler):\n target = handler['target']\n if handler['type'] == 'log':\n self.logger.warning('Initialising csvlogger to log data to ' + target)\n return CSVLogger('recorder', handler['name'], target)\n elif handler['type'] == 'post':\n self.logger.warning('Initialising http logger to log data to ' + target\n )\n return HttpPoster(handler['name'], target)\n",
"role": "user"
},
{
"content": "createHandler",
"role": "assistant"
}
] |
def x(self):
return {handler.name: handler for handler in map(self.createHandler,
self.config['handlers'])}
| loadHandlers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {handler.name: handler for handler in map(self.createHandler,\n self.config['handlers'])}\n",
"role": "user"
},
{
"content": "loadHandlers",
"role": "assistant"
}
] |
def x(self, filename, chunkIdx, totalChunks):
logger.info('handling chunk ' + chunkIdx + ' of ' + totalChunks +
' for ' + filename)
import flask
bytesWritten = self._uploadController.writeChunk(flask.request.stream,
filename, int(chunkIdx))
return str(bytesWritten), 200 if bytesWritten > 0 else 400
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, chunkIdx, totalChunks):\n logger.info('handling chunk ' + chunkIdx + ' of ' + totalChunks +\n ' for ' + filename)\n import flask\n bytesWritten = self._uploadController.writeChunk(flask.request.stream,\n filename, int(chunkIdx))\n return str(bytesWritten), 200 if bytesWritten > 0 else 400\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(self, name):
try:
result = self._uploadController.delete(name)
return None, 200 if result is not None else 404
except Exception as e:
return str(e), 500
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n try:\n result = self._uploadController.delete(name)\n return None, 200 if result is not None else 404\n except Exception as e:\n return str(e), 500\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, name, start, end):
entry = self._uploadController.getEntry(name)
if entry is not None:
return None, 200 if self._targetController.storeFromWav(entry,
start, end) else 500
else:
return None, 404
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, start, end):\n entry = self._uploadController.getEntry(name)\n if entry is not None:\n return None, 200 if self._targetController.storeFromWav(entry,\n start, end) else 500\n else:\n return None, 404\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(self, name, start, end, resolution, window):
logger.info('Analysing ' + name + ' from ' + start + ' to ' + end +
' at ' + resolution + 'x resolution using ' + window + ' window')
signal = self._uploadController.loadSignal(name, start=start if start !=
'start' else None, end=end if end != 'end' else None)
if signal is not None:
window = tuple(filter(None, window.split(' ')))
if len(window) == 2:
window = window[0], float(window[1])
import time
data = {'spectrum': self._jsonify(signal.spectrum(ref=
SPECLAB_REFERENCE, segmentLengthMultiplier=int(resolution),
window=window)), 'peakSpectrum': self._jsonify(signal.
peakSpectrum(ref=SPECLAB_REFERENCE, segmentLengthMultiplier=int
(resolution), window=window)), 'analysedAt': int(time.time() *
1000)}
return data, 200
else:
return None, 404
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, start, end, resolution, window):\n logger.info('Analysing ' + name + ' from ' + start + ' to ' + end +\n ' at ' + resolution + 'x resolution using ' + window + ' window')\n signal = self._uploadController.loadSignal(name, start=start if start !=\n 'start' else None, end=end if end != 'end' else None)\n if signal is not None:\n window = tuple(filter(None, window.split(' ')))\n if len(window) == 2:\n window = window[0], float(window[1])\n import time\n data = {'spectrum': self._jsonify(signal.spectrum(ref=\n SPECLAB_REFERENCE, segmentLengthMultiplier=int(resolution),\n window=window)), 'peakSpectrum': self._jsonify(signal.\n peakSpectrum(ref=SPECLAB_REFERENCE, segmentLengthMultiplier=int\n (resolution), window=window)), 'analysedAt': int(time.time() * \n 1000)}\n return data, 200\n else:\n return None, 404\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, filename, totalChunks, status):
logger.info('Completing ' + filename + ' - ' + status)
self._uploadController.finalise(filename, int(totalChunks), status)
return None, 200
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, totalChunks, status):\n logger.info('Completing ' + filename + ' - ' + status)\n self._uploadController.finalise(filename, int(totalChunks), status)\n return None, 200\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(self, measurementId):
data = request.get_json()
if data is not None:
logger.debug('Received payload for ' + measurementId + ' - ' + str(
data))
if self._measurementController.editMeasurement(measurementId, data):
return None, 200
else:
logger.warning('Unable to edit payload ' + measurementId)
return None, 404
else:
logger.error('Invalid data payload received ' + measurementId)
return None, 400
| patch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, measurementId):\n data = request.get_json()\n if data is not None:\n logger.debug('Received payload for ' + measurementId + ' - ' + str(\n data))\n if self._measurementController.editMeasurement(measurementId, data):\n return None, 200\n else:\n logger.warning('Unable to edit payload ' + measurementId)\n return None, 404\n else:\n logger.error('Invalid data payload received ' + measurementId)\n return None, 400\n",
"role": "user"
},
{
"content": "patch",
"role": "assistant"
}
] |
def x(self, measurementId):
json = request.get_json()
try:
start = self._calculateStartTime(json)
except ValueError:
return 'invalid date format in request', 400
duration = json['duration'] if 'duration' in json else 10
if start is None:
return 'no start time', 400
else:
scheduled, message = self._measurementController.schedule(measurementId
, duration, start, description=json.get('description'))
return message, 200 if scheduled else 400
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, measurementId):\n json = request.get_json()\n try:\n start = self._calculateStartTime(json)\n except ValueError:\n return 'invalid date format in request', 400\n duration = json['duration'] if 'duration' in json else 10\n if start is None:\n return 'no start time', 400\n else:\n scheduled, message = self._measurementController.schedule(measurementId\n , duration, start, description=json.get('description'))\n return message, 200 if scheduled else 400\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(self, json):
start = json['startTime'] if 'startTime' in json else None
delay = json['delay'] if 'delay' in json else None
if start is None and delay is None:
return self._getAbsoluteTime(datetime.datetime.utcnow(), 2)
elif start is not None:
target = datetime.datetime.strptime(start, DATETIME_FORMAT)
if target <= datetime.datetime.utcnow():
time = self._getAbsoluteTime(datetime.datetime.utcnow(), 2)
logger.warning('Date requested is in the past (' + start +
'), defaulting to ' + time.strftime(DATETIME_FORMAT))
return time
else:
return target
elif delay is not None:
return self._getAbsoluteTime(datetime.datetime.utcnow(), delay)
else:
return None
| calculateStartTime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, json):\n start = json['startTime'] if 'startTime' in json else None\n delay = json['delay'] if 'delay' in json else None\n if start is None and delay is None:\n return self._getAbsoluteTime(datetime.datetime.utcnow(), 2)\n elif start is not None:\n target = datetime.datetime.strptime(start, DATETIME_FORMAT)\n if target <= datetime.datetime.utcnow():\n time = self._getAbsoluteTime(datetime.datetime.utcnow(), 2)\n logger.warning('Date requested is in the past (' + start +\n '), defaulting to ' + time.strftime(DATETIME_FORMAT))\n return time\n else:\n return target\n elif delay is not None:\n return self._getAbsoluteTime(datetime.datetime.utcnow(), delay)\n else:\n return None\n",
"role": "user"
},
{
"content": "calculateStartTime",
"role": "assistant"
}
] |
def x(self, start, delay):
return start + datetime.timedelta(days=0, seconds=delay)
| getAbsoluteTime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start, delay):\n return start + datetime.timedelta(days=0, seconds=delay)\n",
"role": "user"
},
{
"content": "getAbsoluteTime",
"role": "assistant"
}
] |
def x(self, measurementId):
message, count, deleted = self._measurementController.delete(measurementId)
if count == 0:
return message, 404
elif deleted is None:
return message, 500
else:
return deleted, 200
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, measurementId):\n message, count, deleted = self._measurementController.delete(measurementId)\n if count == 0:\n return message, 404\n elif deleted is None:\n return message, 500\n else:\n return deleted, 200\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, measurementId, deviceId):
logger.info('Starting measurement ' + measurementId + ' for ' + deviceId)
if self._measurementController.startMeasurement(measurementId, deviceId):
logger.info('Started measurement ' + measurementId + ' for ' + deviceId
)
return None, 200
else:
logger.warning('Failed to start measurement ' + measurementId +
' for ' + deviceId)
return None, 404
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, measurementId, deviceId):\n logger.info('Starting measurement ' + measurementId + ' for ' + deviceId)\n if self._measurementController.startMeasurement(measurementId, deviceId):\n logger.info('Started measurement ' + measurementId + ' for ' + deviceId\n )\n return None, 200\n else:\n logger.warning('Failed to start measurement ' + measurementId +\n ' for ' + deviceId)\n return None, 404\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(self, measurementId, deviceId):
data = request.get_json()
if data is not None:
parsedData = json.loads(data)
logger.debug('Received payload ' + measurementId + '/' + deviceId +
': ' + str(len(parsedData)) + ' records')
if self._measurementController.recordData(measurementId, deviceId,
parsedData):
return None, 200
else:
logger.warning('Unable to record payload ' + measurementId +
'/' + deviceId)
return None, 404
else:
logger.error('Invalid data payload received ' + measurementId + '/' +
deviceId)
return None, 400
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, measurementId, deviceId):\n data = request.get_json()\n if data is not None:\n parsedData = json.loads(data)\n logger.debug('Received payload ' + measurementId + '/' + deviceId +\n ': ' + str(len(parsedData)) + ' records')\n if self._measurementController.recordData(measurementId, deviceId,\n parsedData):\n return None, 200\n else:\n logger.warning('Unable to record payload ' + measurementId +\n '/' + deviceId)\n return None, 404\n else:\n logger.error('Invalid data payload received ' + measurementId + '/' +\n deviceId)\n return None, 400\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(self, measurementId, deviceId):
payload = request.get_json()
failureReason = json.loads(payload).get('failureReason'
) if payload is not None else None
logger.warning('Failing measurement ' + measurementId + ' for ' +
deviceId + ' because ' + str(failureReason))
if self._measurementController.failMeasurement(measurementId, deviceId,
failureReason=failureReason):
logger.warning('Failed measurement ' + measurementId + ' for ' +
deviceId)
return None, 200
else:
logger.error('Unable to fail measurement ' + measurementId +
' for ' + deviceId)
return None, 404
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, measurementId, deviceId):\n payload = request.get_json()\n failureReason = json.loads(payload).get('failureReason'\n ) if payload is not None else None\n logger.warning('Failing measurement ' + measurementId + ' for ' +\n deviceId + ' because ' + str(failureReason))\n if self._measurementController.failMeasurement(measurementId, deviceId,\n failureReason=failureReason):\n logger.warning('Failed measurement ' + measurementId + ' for ' +\n deviceId)\n return None, 200\n else:\n logger.error('Unable to fail measurement ' + measurementId +\n ' for ' + deviceId)\n return None, 404\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(self, deviceId):
device = request.get_json()
logger.debug('Received /devices/' + deviceId + ' - ' + str(device))
self._deviceController.accept(deviceId, device)
return None, 200
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, deviceId):\n device = request.get_json()\n logger.debug('Received /devices/' + deviceId + ' - ' + str(device))\n self._deviceController.accept(deviceId, device)\n return None, 200\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(in_strings, term_width=80, min_pad=1):
assert in_strings and len(in_strings) > 0, 'Unexpected: ' + repr(in_strings
)
maxWidth = len(max(in_strings, key=len)) + 2 * min_pad
numCols = term_width // maxWidth
numCols = min(numCols, len(in_strings))
if numCols < 2:
lines = [x.center(term_width) for x in in_strings]
return '\n'.join(lines)
colWidth = term_width // numCols
retval = ''
for i in range(len(in_strings)):
retval += in_strings[i].center(colWidth)
if (i + 1) % numCols == 0:
retval += '\n'
return retval.rstrip()
| printColsAuto | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(in_strings, term_width=80, min_pad=1):\n assert in_strings and len(in_strings) > 0, 'Unexpected: ' + repr(in_strings\n )\n maxWidth = len(max(in_strings, key=len)) + 2 * min_pad\n numCols = term_width // maxWidth\n numCols = min(numCols, len(in_strings))\n if numCols < 2:\n lines = [x.center(term_width) for x in in_strings]\n return '\\n'.join(lines)\n colWidth = term_width // numCols\n retval = ''\n for i in range(len(in_strings)):\n retval += in_strings[i].center(colWidth)\n if (i + 1) % numCols == 0:\n retval += '\\n'\n return retval.rstrip()\n",
"role": "user"
},
{
"content": "printColsAuto",
"role": "assistant"
}
] |
def x(strlist, cols=5, width=80):
nlines = (len(strlist) + cols - 1) // cols
line = nlines * ['']
for i in range(len(strlist)):
c, r = divmod(i, nlines)
nwid = c * width // cols - len(line[r])
if nwid > 0:
line[r] = line[r] + nwid * ' ' + strlist[i]
else:
line[r] = line[r] + ' ' + strlist[i]
for s in line:
print(s)
| printCols | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(strlist, cols=5, width=80):\n nlines = (len(strlist) + cols - 1) // cols\n line = nlines * ['']\n for i in range(len(strlist)):\n c, r = divmod(i, nlines)\n nwid = c * width // cols - len(line[r])\n if nwid > 0:\n line[r] = line[r] + nwid * ' ' + strlist[i]\n else:\n line[r] = line[r] + ' ' + strlist[i]\n for s in line:\n print(s)\n",
"role": "user"
},
{
"content": "printCols",
"role": "assistant"
}
] |
def x(value):
if value[:1] == '"':
value = value[1:]
if value[-1:] == '"':
value = value[:-1]
value = re.sub(_re_doubleq2, '"', value)
elif value[:1] == "'":
value = value[1:]
if value[-1:] == "'":
value = value[:-1]
value = re.sub(_re_singleq2, "'", value)
return value
| stripQuotes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if value[:1] == '\"':\n value = value[1:]\n if value[-1:] == '\"':\n value = value[:-1]\n value = re.sub(_re_doubleq2, '\"', value)\n elif value[:1] == \"'\":\n value = value[1:]\n if value[-1:] == \"'\":\n value = value[:-1]\n value = re.sub(_re_singleq2, \"'\", value)\n return value\n",
"role": "user"
},
{
"content": "stripQuotes",
"role": "assistant"
}
] |
def x(line, delim=',', allowEol=True):
tokens = []
ldl = len(delim)
keepOnRollin = line is not None and len(line) > 0
while keepOnRollin:
tok = _getCharsUntil(line, delim, True, allowEol=allowEol)
if len(tok) > 0:
if tok[-ldl:] == delim:
tokens.append(tok[:-ldl])
else:
tokens.append(tok)
keepOnRollin = False
line = line[len(tok):]
else:
tokens.append('')
keepOnRollin = False
return tokens
| csvSplit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line, delim=',', allowEol=True):\n tokens = []\n ldl = len(delim)\n keepOnRollin = line is not None and len(line) > 0\n while keepOnRollin:\n tok = _getCharsUntil(line, delim, True, allowEol=allowEol)\n if len(tok) > 0:\n if tok[-ldl:] == delim:\n tokens.append(tok[:-ldl])\n else:\n tokens.append(tok)\n keepOnRollin = False\n line = line[len(tok):]\n else:\n tokens.append('')\n keepOnRollin = False\n return tokens\n",
"role": "user"
},
{
"content": "csvSplit",
"role": "assistant"
}
] |
def x(root, pattern):
retlist = []
if None not in (pattern, root):
for base, dirs, files in os.walk(root):
goodfiles = fnmatch.filter(files, pattern)
retlist.extend(os.path.join(base, f) for f in goodfiles)
return retlist
| rglob | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root, pattern):\n retlist = []\n if None not in (pattern, root):\n for base, dirs, files in os.walk(root):\n goodfiles = fnmatch.filter(files, pattern)\n retlist.extend(os.path.join(base, f) for f in goodfiles)\n return retlist\n",
"role": "user"
},
{
"content": "rglob",
"role": "assistant"
}
] |
def x(fname, makeWritable, ignoreErrors=False):
privs = os.stat(fname).st_mode
try:
if makeWritable:
os.chmod(fname, privs | stat.S_IWUSR)
else:
os.chmod(fname, privs & ~stat.S_IWUSR)
except OSError:
if ignoreErrors:
pass
else:
raise
| setWritePrivs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname, makeWritable, ignoreErrors=False):\n privs = os.stat(fname).st_mode\n try:\n if makeWritable:\n os.chmod(fname, privs | stat.S_IWUSR)\n else:\n os.chmod(fname, privs & ~stat.S_IWUSR)\n except OSError:\n if ignoreErrors:\n pass\n else:\n raise\n",
"role": "user"
},
{
"content": "setWritePrivs",
"role": "assistant"
}
] |
def x(value, quoted=0):
i = value.find('\\"')
while i >= 0:
value = value[:i] + value[i + 1:]
i = value.find('\\"', i + 1)
i = value.find("\\'")
while i >= 0:
value = value[:i] + value[i + 1:]
i = value.find("\\'", i + 1)
i = value.find('\\\n')
while i >= 0:
j = i + 2
if quoted:
for c in value[i + 2:]:
if c not in ' \t':
break
j = j + 1
value = value[:i] + value[j:]
i = value.find('\\\n', i + 1)
return value
| removeEscapes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, quoted=0):\n i = value.find('\\\\\"')\n while i >= 0:\n value = value[:i] + value[i + 1:]\n i = value.find('\\\\\"', i + 1)\n i = value.find(\"\\\\'\")\n while i >= 0:\n value = value[:i] + value[i + 1:]\n i = value.find(\"\\\\'\", i + 1)\n i = value.find('\\\\\\n')\n while i >= 0:\n j = i + 2\n if quoted:\n for c in value[i + 2:]:\n if c not in ' \\t':\n break\n j = j + 1\n value = value[:i] + value[j:]\n i = value.find('\\\\\\n', i + 1)\n return value\n",
"role": "user"
},
{
"content": "removeEscapes",
"role": "assistant"
}
] |
def x(s, dot=0):
s = s.replace('$', 'DOLLAR')
sparts = s.split('.')
for i in range(len(sparts)):
if sparts[i] == '' or sparts[i][0
] in string.digits or keyword.iskeyword(sparts[i]):
sparts[i] = 'PY' + sparts[i]
if dot:
return 'DOT'.join(sparts)
else:
return '.'.join(sparts)
| translateName | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, dot=0):\n s = s.replace('$', 'DOLLAR')\n sparts = s.split('.')\n for i in range(len(sparts)):\n if sparts[i] == '' or sparts[i][0\n ] in string.digits or keyword.iskeyword(sparts[i]):\n sparts[i] = 'PY' + sparts[i]\n if dot:\n return 'DOT'.join(sparts)\n else:\n return '.'.join(sparts)\n",
"role": "user"
},
{
"content": "translateName",
"role": "assistant"
}
] |
def x(withdraw=True):
if not capable.OF_GRAPHICS:
raise RuntimeError('Cannot run this command without graphics')
if not TKNTR._default_root:
junk = TKNTR.Tk()
retval = TKNTR._default_root
if withdraw and retval:
retval.withdraw()
return retval
| init_tk_default_root | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(withdraw=True):\n if not capable.OF_GRAPHICS:\n raise RuntimeError('Cannot run this command without graphics')\n if not TKNTR._default_root:\n junk = TKNTR.Tk()\n retval = TKNTR._default_root\n if withdraw and retval:\n retval.withdraw()\n return retval\n",
"role": "user"
},
{
"content": "init_tk_default_root",
"role": "assistant"
}
] |
def x(file=None):
if file is None:
file = sys.stdin
if not hasattr(file, 'readline'):
raise TypeError('file must be a filehandle with a readline method')
try:
fd = file.fileno()
except:
fd = None
if fd and capable.OF_GRAPHICS:
tkread(fd, 0)
if not select.select([fd], [], [], 0)[0]:
return ''
return file.readline()
| tkreadline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file=None):\n if file is None:\n file = sys.stdin\n if not hasattr(file, 'readline'):\n raise TypeError('file must be a filehandle with a readline method')\n try:\n fd = file.fileno()\n except:\n fd = None\n if fd and capable.OF_GRAPHICS:\n tkread(fd, 0)\n if not select.select([fd], [], [], 0)[0]:\n return ''\n return file.readline()\n",
"role": "user"
},
{
"content": "tkreadline",
"role": "assistant"
}
] |
def x(url, brow_bin='mozilla', subj=None):
if not subj:
subj = url
if sys.platform not in 'os2warp, iphone':
import webbrowser
if not webbrowser.open(url):
print('Error opening URL: ' + url)
else:
print('Help on "' + subj +
'" is now being displayed in a web browser')
return
pid = os.fork()
if pid == 0:
if sys.platform == 'darwin':
if 0 != os.system('open "' + url + '"'):
print('Error opening URL: ' + url)
os._exit(0)
else:
if not subj:
subj = url
print('Help on "' + subj + '" is now being displayed in a browser')
| launchBrowser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, brow_bin='mozilla', subj=None):\n if not subj:\n subj = url\n if sys.platform not in 'os2warp, iphone':\n import webbrowser\n if not webbrowser.open(url):\n print('Error opening URL: ' + url)\n else:\n print('Help on \"' + subj +\n '\" is now being displayed in a web browser')\n return\n pid = os.fork()\n if pid == 0:\n if sys.platform == 'darwin':\n if 0 != os.system('open \"' + url + '\"'):\n print('Error opening URL: ' + url)\n os._exit(0)\n else:\n if not subj:\n subj = url\n print('Help on \"' + subj + '\" is now being displayed in a browser')\n",
"role": "user"
},
{
"content": "launchBrowser",
"role": "assistant"
}
] |
def x(self, file, nbytes):
if not capable.OF_GRAPHICS:
raise RuntimeError('Cannot run this command without graphics')
if isinstance(file, int):
fd = file
else:
try:
fd = file.fileno()
except:
raise TypeError('file must be an integer or a filehandle/socket')
init_tk_default_root()
self.widget = TKNTR._default_root
if not self.widget:
s = []
while nbytes > 0:
snew = os.read(fd, nbytes)
if snew:
if PY3K:
snew = snew.decode('ascii', 'replace')
s.append(snew)
nbytes -= len(snew)
else:
break
return ''.join(s)
else:
self.nbytes = nbytes
self.value = []
self.widget.tk.createfilehandler(fd, TKNTR.READABLE | TKNTR.
EXCEPTION, self._read)
try:
self.widget.mainloop()
finally:
self.widget.tk.deletefilehandler(fd)
return ''.join(self.value)
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file, nbytes):\n if not capable.OF_GRAPHICS:\n raise RuntimeError('Cannot run this command without graphics')\n if isinstance(file, int):\n fd = file\n else:\n try:\n fd = file.fileno()\n except:\n raise TypeError('file must be an integer or a filehandle/socket')\n init_tk_default_root()\n self.widget = TKNTR._default_root\n if not self.widget:\n s = []\n while nbytes > 0:\n snew = os.read(fd, nbytes)\n if snew:\n if PY3K:\n snew = snew.decode('ascii', 'replace')\n s.append(snew)\n nbytes -= len(snew)\n else:\n break\n return ''.join(s)\n else:\n self.nbytes = nbytes\n self.value = []\n self.widget.tk.createfilehandler(fd, TKNTR.READABLE | TKNTR.\n EXCEPTION, self._read)\n try:\n self.widget.mainloop()\n finally:\n self.widget.tk.deletefilehandler(fd)\n return ''.join(self.value)\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self, fd, mask):
try:
if select.select([fd], [], [], 0)[0]:
snew = os.read(fd, self.nbytes)
if PY3K:
snew = snew.decode('ascii', 'replace')
self.value.append(snew)
self.nbytes -= len(snew)
else:
snew = ''
if (self.nbytes <= 0 or len(snew) == 0) and self.widget:
self.widget.quit()
except OSError:
raise IOError('Error reading from %s' % (fd,))
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fd, mask):\n try:\n if select.select([fd], [], [], 0)[0]:\n snew = os.read(fd, self.nbytes)\n if PY3K:\n snew = snew.decode('ascii', 'replace')\n self.value.append(snew)\n self.nbytes -= len(snew)\n else:\n snew = ''\n if (self.nbytes <= 0 or len(snew) == 0) and self.widget:\n self.widget.quit()\n except OSError:\n raise IOError('Error reading from %s' % (fd,))\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(filename, timeColumnIdx=0, dataColumnIdx=1, delimiter=',', skipHeader=0
) ->Signal:
data = np.genfromtxt(filename, delimiter=delimiter, skip_header=skipHeader)
columnCount = data.shape[1]
if columnCount < timeColumnIdx + 1:
raise ValueError(filename + ' has only ' + columnCount +
" columns, time values can't be at column " + timeColumnIdx)
if columnCount < dataColumnIdx + 1:
raise ValueError(filename + ' has only ' + columnCount +
" columns, data values can't be at column " + dataColumnIdx)
t = data[:, [timeColumnIdx]]
samples = data[:, [dataColumnIdx]]
fs = int(round(1 / np.diff(t, n=1, axis=0).mean(), 0))
source = Signal(samples.ravel(), fs)
return source
| loadSignalFromDelimitedFile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, timeColumnIdx=0, dataColumnIdx=1, delimiter=',', skipHeader=0\n ) ->Signal:\n data = np.genfromtxt(filename, delimiter=delimiter, skip_header=skipHeader)\n columnCount = data.shape[1]\n if columnCount < timeColumnIdx + 1:\n raise ValueError(filename + ' has only ' + columnCount +\n \" columns, time values can't be at column \" + timeColumnIdx)\n if columnCount < dataColumnIdx + 1:\n raise ValueError(filename + ' has only ' + columnCount +\n \" columns, data values can't be at column \" + dataColumnIdx)\n t = data[:, [timeColumnIdx]]\n samples = data[:, [dataColumnIdx]]\n fs = int(round(1 / np.diff(t, n=1, axis=0).mean(), 0))\n source = Signal(samples.ravel(), fs)\n return source\n",
"role": "user"
},
{
"content": "loadSignalFromDelimitedFile",
"role": "assistant"
}
] |
def x(inputSignalFile, calibrationRealWorldValue=None,
calibrationSignalFile=None, start=None, end=None) ->Signal:
inputSignal = readWav(inputSignalFile, start=start, end=end)
if calibrationSignalFile is not None:
calibrationSignal = readWav(calibrationSignalFile)
scalingFactor = calibrationRealWorldValue / np.max(calibrationSignal
.samples)
return Signal(inputSignal.samples * scalingFactor, inputSignal.fs)
else:
return inputSignal
| loadSignalFromWav | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inputSignalFile, calibrationRealWorldValue=None,\n calibrationSignalFile=None, start=None, end=None) ->Signal:\n inputSignal = readWav(inputSignalFile, start=start, end=end)\n if calibrationSignalFile is not None:\n calibrationSignal = readWav(calibrationSignalFile)\n scalingFactor = calibrationRealWorldValue / np.max(calibrationSignal\n .samples)\n return Signal(inputSignal.samples * scalingFactor, inputSignal.fs)\n else:\n return inputSignal\n",
"role": "user"
},
{
"content": "loadSignalFromWav",
"role": "assistant"
}
] |
def x(inputSignalFile, selectedChannel=1, start=None, end=None) ->Signal:
def x(time, fs):
hours, minutes, seconds = time.split(':')[-3:]
hours = int(hours)
minutes = int(minutes)
seconds = float(seconds)
millis = int(3600000 * hours + 60000 * minutes + 1000 * seconds)
return int(millis * (fs / 1000))
import soundfile as sf
if start is not None or end is not None:
info = sf.info(inputSignalFile)
startFrame = 0 if start is None else asFrames(start, info.samplerate)
endFrame = None if end is None else asFrames(end, info.samplerate)
ys, frameRate = sf.read(inputSignalFile, start=startFrame, stop=
endFrame)
else:
ys, frameRate = sf.read(inputSignalFile)
return Signal(ys[::selectedChannel], frameRate)
| readWav | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inputSignalFile, selectedChannel=1, start=None, end=None) ->Signal:\n\n def x(time, fs):\n hours, minutes, seconds = time.split(':')[-3:]\n hours = int(hours)\n minutes = int(minutes)\n seconds = float(seconds)\n millis = int(3600000 * hours + 60000 * minutes + 1000 * seconds)\n return int(millis * (fs / 1000))\n import soundfile as sf\n if start is not None or end is not None:\n info = sf.info(inputSignalFile)\n startFrame = 0 if start is None else asFrames(start, info.samplerate)\n endFrame = None if end is None else asFrames(end, info.samplerate)\n ys, frameRate = sf.read(inputSignalFile, start=startFrame, stop=\n endFrame)\n else:\n ys, frameRate = sf.read(inputSignalFile)\n return Signal(ys[::selectedChannel], frameRate)\n",
"role": "user"
},
{
"content": "readWav",
"role": "assistant"
}
] |
def x(filename, timeColumnIdx=0, xIdx=1, yIdx=2, zIdx=3, delimiter=',',
skipHeader=0) ->TriAxisSignal:
return TriAxisSignal(x=loadSignalFromDelimitedFile(filename,
timeColumnIdx=timeColumnIdx, dataColumnIdx=xIdx, delimiter=
delimiter, skipHeader=skipHeader), y=loadSignalFromDelimitedFile(
filename, timeColumnIdx=timeColumnIdx, dataColumnIdx=yIdx,
delimiter=delimiter, skipHeader=skipHeader), z=
loadSignalFromDelimitedFile(filename, timeColumnIdx=timeColumnIdx,
dataColumnIdx=zIdx, delimiter=delimiter, skipHeader=skipHeader))
| loadTriAxisSignalFromFile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, timeColumnIdx=0, xIdx=1, yIdx=2, zIdx=3, delimiter=',',\n skipHeader=0) ->TriAxisSignal:\n return TriAxisSignal(x=loadSignalFromDelimitedFile(filename,\n timeColumnIdx=timeColumnIdx, dataColumnIdx=xIdx, delimiter=\n delimiter, skipHeader=skipHeader), y=loadSignalFromDelimitedFile(\n filename, timeColumnIdx=timeColumnIdx, dataColumnIdx=yIdx,\n delimiter=delimiter, skipHeader=skipHeader), z=\n loadSignalFromDelimitedFile(filename, timeColumnIdx=timeColumnIdx,\n dataColumnIdx=zIdx, delimiter=delimiter, skipHeader=skipHeader))\n",
"role": "user"
},
{
"content": "loadTriAxisSignalFromFile",
"role": "assistant"
}
] |
def x(self, ref=None, segmentLengthMultiplier=1, mode=None, **kwargs):
def x(x, nperseg, **kwargs):
f, Pxx_den = signal.welch(self.samples, self.fs, nperseg=nperseg,
detrend=False, **kwargs)
if ref is not None:
Pxx_den = librosa.power_to_db(Pxx_den, ref)
return f, Pxx_den
if mode == 'cq':
return self._cq(analysisFunc, segmentLengthMultiplier)
else:
return analysisFunc(0, self.getSegmentLength() *
segmentLengthMultiplier, **kwargs)
| psd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ref=None, segmentLengthMultiplier=1, mode=None, **kwargs):\n\n def x(x, nperseg, **kwargs):\n f, Pxx_den = signal.welch(self.samples, self.fs, nperseg=nperseg,\n detrend=False, **kwargs)\n if ref is not None:\n Pxx_den = librosa.power_to_db(Pxx_den, ref)\n return f, Pxx_den\n if mode == 'cq':\n return self._cq(analysisFunc, segmentLengthMultiplier)\n else:\n return analysisFunc(0, self.getSegmentLength() *\n segmentLengthMultiplier, **kwargs)\n",
"role": "user"
},
{
"content": "psd",
"role": "assistant"
}
] |
def x(self, ref=None, segmentLengthMultiplier=1, mode=None, **kwargs):
def x(x, nperseg, **kwargs):
f, Pxx_spec = signal.welch(self.samples, self.fs, nperseg=nperseg,
scaling='spectrum', detrend=False, **kwargs)
Pxx_spec = np.sqrt(Pxx_spec)
if x > 0:
Pxx_spec = Pxx_spec / 10 ** (3 * x / 20)
if ref is not None:
Pxx_spec = librosa.amplitude_to_db(Pxx_spec, ref)
return f, Pxx_spec
if mode == 'cq':
return self._cq(analysisFunc, segmentLengthMultiplier)
else:
return analysisFunc(0, self.getSegmentLength() *
segmentLengthMultiplier, **kwargs)
| spectrum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ref=None, segmentLengthMultiplier=1, mode=None, **kwargs):\n\n def x(x, nperseg, **kwargs):\n f, Pxx_spec = signal.welch(self.samples, self.fs, nperseg=nperseg,\n scaling='spectrum', detrend=False, **kwargs)\n Pxx_spec = np.sqrt(Pxx_spec)\n if x > 0:\n Pxx_spec = Pxx_spec / 10 ** (3 * x / 20)\n if ref is not None:\n Pxx_spec = librosa.amplitude_to_db(Pxx_spec, ref)\n return f, Pxx_spec\n if mode == 'cq':\n return self._cq(analysisFunc, segmentLengthMultiplier)\n else:\n return analysisFunc(0, self.getSegmentLength() *\n segmentLengthMultiplier, **kwargs)\n",
"role": "user"
},
{
"content": "spectrum",
"role": "assistant"
}
] |
def x(self, ref=None, segmentLengthMultiplier=1, mode=None, window='hann'):
def x(x, nperseg):
freqs, _, Pxy = signal.spectrogram(self.samples, self.fs, window=
window, nperseg=int(nperseg), noverlap=int(nperseg // 2),
detrend=False, scaling='spectrum')
Pxy_max = np.sqrt(Pxy.max(axis=-1).real)
if x > 0:
Pxy_max = Pxy_max / 10 ** (3 * x / 20)
if ref is not None:
Pxy_max = librosa.amplitude_to_db(Pxy_max, ref=ref)
return freqs, Pxy_max
if mode == 'cq':
return self._cq(analysisFunc, segmentLengthMultiplier)
else:
return analysisFunc(0, self.getSegmentLength() *
segmentLengthMultiplier)
| peakSpectrum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ref=None, segmentLengthMultiplier=1, mode=None, window='hann'):\n\n def x(x, nperseg):\n freqs, _, Pxy = signal.spectrogram(self.samples, self.fs, window=\n window, nperseg=int(nperseg), noverlap=int(nperseg // 2),\n detrend=False, scaling='spectrum')\n Pxy_max = np.sqrt(Pxy.max(axis=-1).real)\n if x > 0:\n Pxy_max = Pxy_max / 10 ** (3 * x / 20)\n if ref is not None:\n Pxy_max = librosa.amplitude_to_db(Pxy_max, ref=ref)\n return freqs, Pxy_max\n if mode == 'cq':\n return self._cq(analysisFunc, segmentLengthMultiplier)\n else:\n return analysisFunc(0, self.getSegmentLength() *\n segmentLengthMultiplier)\n",
"role": "user"
},
{
"content": "peakSpectrum",
"role": "assistant"
}
] |
def x(self, ref=None, segmentLengthMultiplier=1, window='hann'):
t, f, Sxx = signal.spectrogram(self.samples, self.fs, window=window,
nperseg=self.getSegmentLength() * segmentLengthMultiplier, detrend=
False, scaling='spectrum')
Sxx = np.sqrt(Sxx)
if ref is not None:
Sxx = librosa.amplitude_to_db(Sxx, ref)
return t, f, Sxx
| spectrogram | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ref=None, segmentLengthMultiplier=1, window='hann'):\n t, f, Sxx = signal.spectrogram(self.samples, self.fs, window=window,\n nperseg=self.getSegmentLength() * segmentLengthMultiplier, detrend=\n False, scaling='spectrum')\n Sxx = np.sqrt(Sxx)\n if ref is not None:\n Sxx = librosa.amplitude_to_db(Sxx, ref)\n return t, f, Sxx\n",
"role": "user"
},
{
"content": "spectrogram",
"role": "assistant"
}
] |
def x(self, *args):
return Signal(self._butter(self.samples, 'low', *args), fs=self.fs)
| lowPass | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n return Signal(self._butter(self.samples, 'low', *args), fs=self.fs)\n",
"role": "user"
},
{
"content": "lowPass",
"role": "assistant"
}
] |
def x(self, *args):
return Signal(self._butter(self.samples, 'high', *args), fs=self.fs)
| highPass | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n return Signal(self._butter(self.samples, 'high', *args), fs=self.fs)\n",
"role": "user"
},
{
"content": "highPass",
"role": "assistant"
}
] |
def x(self, data, btype, f3=2, order=2):
b, a = signal.butter(order, f3 / (0.5 * self.fs), btype=btype)
y = signal.filtfilt(b, a, data)
return y
| butter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, btype, f3=2, order=2):\n b, a = signal.butter(order, f3 / (0.5 * self.fs), btype=btype)\n y = signal.filtfilt(b, a, data)\n return y\n",
"role": "user"
},
{
"content": "butter",
"role": "assistant"
}
] |
def x(self, axis, analysis, ref=None):
cache = self.cache.get(str(ref))
if cache is None:
cache = {'x': {}, 'y': {}, 'z': {}, 'sum': {}}
self.cache[str(ref)] = cache
if axis in cache:
data = self.cache['raw'].get(axis, None)
cachedAxis = cache.get(axis)
if cachedAxis.get(analysis) is None:
if axis == 'sum':
if self._canSum(analysis):
fx, Pxx = self._getAnalysis('x', analysis)
fy, Pxy = self._getAnalysis('y', analysis)
fz, Pxz = self._getAnalysis('z', analysis)
Psum = ((Pxx * 2.2) ** 2 + (Pxy * 2.4) ** 2 + Pxz ** 2
) ** 0.5
if ref is not None:
Psum = librosa.amplitude_to_db(Psum, ref)
cachedAxis[analysis] = fx, Psum
else:
return None
else:
cachedAxis[analysis] = getattr(data.highPass(), analysis)(ref
=ref)
return cachedAxis[analysis]
else:
return None
| getAnalysis | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, axis, analysis, ref=None):\n cache = self.cache.get(str(ref))\n if cache is None:\n cache = {'x': {}, 'y': {}, 'z': {}, 'sum': {}}\n self.cache[str(ref)] = cache\n if axis in cache:\n data = self.cache['raw'].get(axis, None)\n cachedAxis = cache.get(axis)\n if cachedAxis.get(analysis) is None:\n if axis == 'sum':\n if self._canSum(analysis):\n fx, Pxx = self._getAnalysis('x', analysis)\n fy, Pxy = self._getAnalysis('y', analysis)\n fz, Pxz = self._getAnalysis('z', analysis)\n Psum = ((Pxx * 2.2) ** 2 + (Pxy * 2.4) ** 2 + Pxz ** 2\n ) ** 0.5\n if ref is not None:\n Psum = librosa.amplitude_to_db(Psum, ref)\n cachedAxis[analysis] = fx, Psum\n else:\n return None\n else:\n cachedAxis[analysis] = getattr(data.highPass(), analysis)(ref\n =ref)\n return cachedAxis[analysis]\n else:\n return None\n",
"role": "user"
},
{
"content": "getAnalysis",
"role": "assistant"
}
] |
def x(year, month, day):
try:
assert year >= 1
assert 0 < month <= 14
assert 0 < day <= 28
if month == 14:
if isleap(year + YEAR_EPOCH - 1):
assert day <= 2
else:
assert day == 1
except AssertionError:
raise ValueError('Invalid Positivist date: ({}, {}, {})'.format(
year, month, day))
return True
| legal_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(year, month, day):\n try:\n assert year >= 1\n assert 0 < month <= 14\n assert 0 < day <= 28\n if month == 14:\n if isleap(year + YEAR_EPOCH - 1):\n assert day <= 2\n else:\n assert day == 1\n except AssertionError:\n raise ValueError('Invalid Positivist date: ({}, {}, {})'.format(\n year, month, day))\n return True\n",
"role": "user"
},
{
"content": "legal_date",
"role": "assistant"
}
] |
def x(year, month, day):
legal_date(year, month, day)
gyear = year + YEAR_EPOCH - 1
return gregorian.EPOCH - 1 + 365 * (gyear - 1) + floor((gyear - 1) / 4
) + -floor((gyear - 1) / 100) + floor((gyear - 1) / 400) + (month - 1
) * 28 + day
| to_jd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(year, month, day):\n legal_date(year, month, day)\n gyear = year + YEAR_EPOCH - 1\n return gregorian.EPOCH - 1 + 365 * (gyear - 1) + floor((gyear - 1) / 4\n ) + -floor((gyear - 1) / 100) + floor((gyear - 1) / 400) + (month - 1\n ) * 28 + day\n",
"role": "user"
},
{
"content": "to_jd",
"role": "assistant"
}
] |
def x(jd):
try:
assert jd >= EPOCH
except AssertionError:
raise ValueError('Invalid Julian day')
depoch = floor(jd - 0.5) + 0.5 - gregorian.EPOCH
quadricent = floor(depoch / gregorian.INTERCALATION_CYCLE_DAYS)
dqc = depoch % gregorian.INTERCALATION_CYCLE_DAYS
cent = floor(dqc / gregorian.LEAP_SUPPRESSION_DAYS)
dcent = dqc % gregorian.LEAP_SUPPRESSION_DAYS
quad = floor(dcent / gregorian.LEAP_CYCLE_DAYS)
dquad = dcent % gregorian.LEAP_CYCLE_DAYS
yindex = floor(dquad / gregorian.YEAR_DAYS)
year = (quadricent * gregorian.INTERCALATION_CYCLE_YEARS + cent *
gregorian.LEAP_SUPPRESSION_YEARS + quad * gregorian.
LEAP_CYCLE_YEARS + yindex)
if yindex == 4:
yearday = 365
year = year - 1
else:
yearday = (depoch - quadricent * gregorian.INTERCALATION_CYCLE_DAYS -
cent * gregorian.LEAP_SUPPRESSION_DAYS - quad * gregorian.
LEAP_CYCLE_DAYS - yindex * gregorian.YEAR_DAYS)
month = floor(yearday / 28)
return year - YEAR_EPOCH + 2, month + 1, int(yearday - month * 28) + 1
| from_jd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(jd):\n try:\n assert jd >= EPOCH\n except AssertionError:\n raise ValueError('Invalid Julian day')\n depoch = floor(jd - 0.5) + 0.5 - gregorian.EPOCH\n quadricent = floor(depoch / gregorian.INTERCALATION_CYCLE_DAYS)\n dqc = depoch % gregorian.INTERCALATION_CYCLE_DAYS\n cent = floor(dqc / gregorian.LEAP_SUPPRESSION_DAYS)\n dcent = dqc % gregorian.LEAP_SUPPRESSION_DAYS\n quad = floor(dcent / gregorian.LEAP_CYCLE_DAYS)\n dquad = dcent % gregorian.LEAP_CYCLE_DAYS\n yindex = floor(dquad / gregorian.YEAR_DAYS)\n year = (quadricent * gregorian.INTERCALATION_CYCLE_YEARS + cent *\n gregorian.LEAP_SUPPRESSION_YEARS + quad * gregorian.\n LEAP_CYCLE_YEARS + yindex)\n if yindex == 4:\n yearday = 365\n year = year - 1\n else:\n yearday = (depoch - quadricent * gregorian.INTERCALATION_CYCLE_DAYS -\n cent * gregorian.LEAP_SUPPRESSION_DAYS - quad * gregorian.\n LEAP_CYCLE_DAYS - yindex * gregorian.YEAR_DAYS)\n month = floor(yearday / 28)\n return year - YEAR_EPOCH + 2, month + 1, int(yearday - month * 28) + 1\n",
"role": "user"
},
{
"content": "from_jd",
"role": "assistant"
}
] |
def x(year, month, day):
legal_date(year, month, day)
yearday = (month - 1) * 28 + day
if isleap(year + YEAR_EPOCH - 1):
dname = data.day_names_leap[yearday - 1]
else:
dname = data.day_names[yearday - 1]
return MONTHS[month - 1], dname
| dayname | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(year, month, day):\n legal_date(year, month, day)\n yearday = (month - 1) * 28 + day\n if isleap(year + YEAR_EPOCH - 1):\n dname = data.day_names_leap[yearday - 1]\n else:\n dname = data.day_names[yearday - 1]\n return MONTHS[month - 1], dname\n",
"role": "user"
},
{
"content": "dayname",
"role": "assistant"
}
] |
def x(self):
return (datetime.datetime.utcnow() - self.lastUpdateTime).total_seconds(
) > self.maxAgeSeconds
| hasExpired | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return (datetime.datetime.utcnow() - self.lastUpdateTime).total_seconds(\n ) > self.maxAgeSeconds\n",
"role": "user"
},
{
"content": "hasExpired",
"role": "assistant"
}
] |
def x(self, deviceId, device):
storedDevice = self.devices.get(deviceId)
if storedDevice is None:
logger.info('Initialising device ' + deviceId)
storedDevice = Device(self.maxAgeSeconds)
storedDevice.deviceId = deviceId
storedDevice.dataHandler = AsyncHandler('analyser', CSVLogger(
'analyser', deviceId, self.dataDir))
else:
logger.debug('Pinged by device ' + deviceId)
storedDevice.payload = device
storedDevice.lastUpdateTime = datetime.datetime.utcnow()
self.devices.update({deviceId: storedDevice})
self.targetStateController.updateDeviceState(storedDevice.payload)
| accept | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, deviceId, device):\n storedDevice = self.devices.get(deviceId)\n if storedDevice is None:\n logger.info('Initialising device ' + deviceId)\n storedDevice = Device(self.maxAgeSeconds)\n storedDevice.deviceId = deviceId\n storedDevice.dataHandler = AsyncHandler('analyser', CSVLogger(\n 'analyser', deviceId, self.dataDir))\n else:\n logger.debug('Pinged by device ' + deviceId)\n storedDevice.payload = device\n storedDevice.lastUpdateTime = datetime.datetime.utcnow()\n self.devices.update({deviceId: storedDevice})\n self.targetStateController.updateDeviceState(storedDevice.payload)\n",
"role": "user"
},
{
"content": "accept",
"role": "assistant"
}
] |
def x(self, status=None):
return [d for d in self.devices.values() if status is None or d.payload
.get('status') == status]
| getDevices | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status=None):\n return [d for d in self.devices.values() if status is None or d.payload\n .get('status') == status]\n",
"role": "user"
},
{
"content": "getDevices",
"role": "assistant"
}
] |
def x(self, id):
return next(iter([d for d in self.devices.values() if d.deviceId == id]
), None)
| getDevice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id):\n return next(iter([d for d in self.devices.values() if d.deviceId == id]\n ), None)\n",
"role": "user"
},
{
"content": "getDevice",
"role": "assistant"
}
] |
def x(self):
while self.running:
expiredDeviceIds = [key for key, value in self.devices.items() if
value.hasExpired()]
for key in expiredDeviceIds:
logger.warning('Device timeout, removing ' + key)
del self.devices[key]
time.sleep(1)
logger.warning('DeviceCaretaker is now shutdown')
| evictStaleDevices | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while self.running:\n expiredDeviceIds = [key for key, value in self.devices.items() if\n value.hasExpired()]\n for key in expiredDeviceIds:\n logger.warning('Device timeout, removing ' + key)\n del self.devices[key]\n time.sleep(1)\n logger.warning('DeviceCaretaker is now shutdown')\n",
"role": "user"
},
{
"content": "evictStaleDevices",
"role": "assistant"
}
] |
def x(self, measurementId, duration, start):
results = {}
for device in self.getDevices(RecordingDeviceStatus.INITIALISED.name):
logger.info('Sending measurement ' + measurementId + ' to ' +
device.payload['serviceURL'])
try:
resp = self.httpclient.put(device.payload['serviceURL'] +
'/measurements/' + measurementId, json={'duration':
duration, 'at': start.strftime(DATETIME_FORMAT)})
logger.info('Response for ' + measurementId + ' from ' + device
.payload['serviceURL'] + ' is ' + str(resp.status_code))
results[device] = resp.status_code
except Exception as e:
logger.exception(e)
results[device] = 500
return results
| scheduleMeasurement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, measurementId, duration, start):\n results = {}\n for device in self.getDevices(RecordingDeviceStatus.INITIALISED.name):\n logger.info('Sending measurement ' + measurementId + ' to ' +\n device.payload['serviceURL'])\n try:\n resp = self.httpclient.put(device.payload['serviceURL'] +\n '/measurements/' + measurementId, json={'duration':\n duration, 'at': start.strftime(DATETIME_FORMAT)})\n logger.info('Response for ' + measurementId + ' from ' + device\n .payload['serviceURL'] + ' is ' + str(resp.status_code))\n results[device] = resp.status_code\n except Exception as e:\n logger.exception(e)\n results[device] = 500\n return results\n",
"role": "user"
},
{
"content": "scheduleMeasurement",
"role": "assistant"
}
] |
def x(self):
json = request.get_json()
logger.info('Updating target state with ' + str(json))
self._targetStateController.updateTargetState(json)
return None, 200
| patch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n json = request.get_json()\n logger.info('Updating target state with ' + str(json))\n self._targetStateController.updateTargetState(json)\n return None, 200\n",
"role": "user"
},
{
"content": "patch",
"role": "assistant"
}
] |
def x(name_list):
if name_list and name_list[0] == '@':
value = name_list[1:]
if not os.path.exists(value):
log.warning('The file %s does not exist' % value)
return
try:
return [v.strip() for v in open(value, 'r').readlines()]
except IOError as e:
log.warning('reading %s failed: %s; ignoring this file' % (
value, e))
else:
return [v.strip() for v in name_list.split(',')]
| list_parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name_list):\n if name_list and name_list[0] == '@':\n value = name_list[1:]\n if not os.path.exists(value):\n log.warning('The file %s does not exist' % value)\n return\n try:\n return [v.strip() for v in open(value, 'r').readlines()]\n except IOError as e:\n log.warning('reading %s failed: %s; ignoring this file' % (\n value, e))\n else:\n return [v.strip() for v in name_list.split(',')]\n",
"role": "user"
},
{
"content": "list_parse",
"role": "assistant"
}
] |
def x(self):
mmkeys = {}
mmkeysGet = mmkeys.setdefault
minkeylength = self.minkeylength
for key in self.data.keys():
lenkey = len(key)
start = min(minkeylength, lenkey)
for i in range(start, lenkey + 1):
mmkeysGet(key[0:i], []).append(key)
self.mmkeys = mmkeys
| mmInit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mmkeys = {}\n mmkeysGet = mmkeys.setdefault\n minkeylength = self.minkeylength\n for key in self.data.keys():\n lenkey = len(key)\n start = min(minkeylength, lenkey)\n for i in range(start, lenkey + 1):\n mmkeysGet(key[0:i], []).append(key)\n self.mmkeys = mmkeys\n",
"role": "user"
},
{
"content": "mmInit",
"role": "assistant"
}
] |
def x(self, key, keylist):
raise AmbiguousKeyError('Ambiguous key ' + repr(key) +
', could be any of ' + str(sorted(keylist)))
| resolve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, keylist):\n raise AmbiguousKeyError('Ambiguous key ' + repr(key) +\n ', could be any of ' + str(sorted(keylist)))\n",
"role": "user"
},
{
"content": "resolve",
"role": "assistant"
}
] |
def x(self, key, item):
mmkeys = self.mmkeys
if mmkeys is not None and not key in self.data:
lenkey = len(key)
start = min(self.minkeylength, lenkey)
mmkeysGet = mmkeys.setdefault
for i in range(start, lenkey + 1):
mmkeysGet(key[0:i], []).append(key)
self.data[key] = item
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, item):\n mmkeys = self.mmkeys\n if mmkeys is not None and not key in self.data:\n lenkey = len(key)\n start = min(self.minkeylength, lenkey)\n mmkeysGet = mmkeys.setdefault\n for i in range(start, lenkey + 1):\n mmkeysGet(key[0:i], []).append(key)\n self.data[key] = item\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, key, failobj=None, exact=0):
if not exact:
key = self.getfullkey(key, new=1)
return self.data.get(key, failobj)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, failobj=None, exact=0):\n if not exact:\n key = self.getfullkey(key, new=1)\n return self.data.get(key, failobj)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, key, exact=0):
if not exact:
key = self.getfullkey(key, new=1)
return key in self.data
| has | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, exact=0):\n if not exact:\n key = self.getfullkey(key, new=1)\n return key in self.data\n",
"role": "user"
},
{
"content": "has",
"role": "assistant"
}
] |
def x(self, key, failobj=None):
if self.mmkeys is None:
self._mmInit()
k = self.mmkeys.get(key)
if not k:
return failobj
return list(map(self.data.get, k))
| getall | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, failobj=None):\n if self.mmkeys is None:\n self._mmInit()\n k = self.mmkeys.get(key)\n if not k:\n return failobj\n return list(map(self.data.get, k))\n",
"role": "user"
},
{
"content": "getall",
"role": "assistant"
}
] |
def x(self, key, failobj=None):
if self.mmkeys is None:
self._mmInit()
return self.mmkeys.get(key, failobj)
| getallkeys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, failobj=None):\n if self.mmkeys is None:\n self._mmInit()\n return self.mmkeys.get(key, failobj)\n",
"role": "user"
},
{
"content": "getallkeys",
"role": "assistant"
}
] |
def x(self, key, failobj=None, exact=0):
if not exact:
try:
key = self.getfullkey(key)
except KeyError:
return failobj
return self.data.get(key, failobj)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, failobj=None, exact=0):\n if not exact:\n try:\n key = self.getfullkey(key)\n except KeyError:\n return failobj\n return self.data.get(key, failobj)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, key, exact=0):
if not exact:
try:
key = self.getfullkey(key)
return 1
except KeyError:
return 0
else:
return key in self.data
| has | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, exact=0):\n if not exact:\n try:\n key = self.getfullkey(key)\n return 1\n except KeyError:\n return 0\n else:\n return key in self.data\n",
"role": "user"
},
{
"content": "has",
"role": "assistant"
}
] |
def x(fields, strict=0):
if len(fields) < 3 or None in fields[0:3]:
raise SyntaxError('At least 3 fields must be given')
type = fields[1]
if type in _string_types:
return IrafParS(fields, strict)
elif type == 'R':
return StrictParR(fields, 1)
elif type in _real_types:
return IrafParR(fields, strict)
elif type == 'I':
return StrictParI(fields, 1)
elif type == 'i':
return IrafParI(fields, strict)
elif type == 'b':
return IrafParB(fields, strict)
elif type == 'ar':
return IrafParAR(fields, strict)
elif type == 'ai':
return IrafParAI(fields, strict)
elif type == 'as':
return IrafParAS(fields, strict)
elif type == 'ab':
return IrafParAB(fields, strict)
elif type[:1] == 'a':
raise SyntaxError('Cannot handle arrays of type %s' % type)
else:
raise SyntaxError('Cannot handle parameter type %s' % type)
| parFactory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fields, strict=0):\n if len(fields) < 3 or None in fields[0:3]:\n raise SyntaxError('At least 3 fields must be given')\n type = fields[1]\n if type in _string_types:\n return IrafParS(fields, strict)\n elif type == 'R':\n return StrictParR(fields, 1)\n elif type in _real_types:\n return IrafParR(fields, strict)\n elif type == 'I':\n return StrictParI(fields, 1)\n elif type == 'i':\n return IrafParI(fields, strict)\n elif type == 'b':\n return IrafParB(fields, strict)\n elif type == 'ar':\n return IrafParAR(fields, strict)\n elif type == 'ai':\n return IrafParAI(fields, strict)\n elif type == 'as':\n return IrafParAS(fields, strict)\n elif type == 'ab':\n return IrafParAB(fields, strict)\n elif type[:1] == 'a':\n raise SyntaxError('Cannot handle arrays of type %s' % type)\n else:\n raise SyntaxError('Cannot handle parameter type %s' % type)\n",
"role": "user"
},
{
"content": "parFactory",
"role": "assistant"
}
] |
def x(self, value=1):
if value:
self.__dict__['flags'] = self.flags | _cmdlineFlag
else:
self.__dict__['flags'] = self.flags & ~_cmdlineFlag
| setCmdline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value=1):\n if value:\n self.__dict__['flags'] = self.flags | _cmdlineFlag\n else:\n self.__dict__['flags'] = self.flags & ~_cmdlineFlag\n",
"role": "user"
},
{
"content": "setCmdline",
"role": "assistant"
}
] |
def x(self, value=1):
if value:
self.__dict__['flags'] = self.flags | _changedFlag
else:
self.__dict__['flags'] = self.flags & ~_changedFlag
| setChanged | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value=1):\n if value:\n self.__dict__['flags'] = self.flags | _changedFlag\n else:\n self.__dict__['flags'] = self.flags & ~_changedFlag\n",
"role": "user"
},
{
"content": "setChanged",
"role": "assistant"
}
] |
def x(self, mode=None):
if 'l' in self.mode:
return 1
if 'h' in self.mode:
return 0
if 'a' in self.mode:
if mode is None:
mode = 'ql'
if 'h' in mode and 'l' not in mode:
return 0
return 1
| isLearned | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode=None):\n if 'l' in self.mode:\n return 1\n if 'h' in self.mode:\n return 0\n if 'a' in self.mode:\n if mode is None:\n mode = 'ql'\n if 'h' in mode and 'l' not in mode:\n return 0\n return 1\n",
"role": "user"
},
{
"content": "isLearned",
"role": "assistant"
}
] |
def x(self):
if self.prompt:
pstring = self.prompt.split('\n')[0].strip()
else:
pstring = self.name
if self.choice:
schoice = list(map(self.toString, self.choice))
pstring = pstring + ' (' + '|'.join(schoice) + ')'
elif self.min not in [None, INDEF] or self.max not in [None, INDEF]:
pstring = pstring + ' ('
if self.min not in [None, INDEF]:
pstring = pstring + self.toString(self.min)
pstring = pstring + ':'
if self.max not in [None, INDEF]:
pstring = pstring + self.toString(self.max)
pstring = pstring + ')'
if self.value is not None:
pstring = pstring + ' (' + self.toString(self.value, quoted=1) + ')'
pstring = pstring + ': '
stdout = sys.__stdout__
try:
if sys.stdout.isatty() or not stdout.isatty():
stdout = sys.stdout
except AttributeError:
pass
stdin = sys.__stdin__
try:
if sys.stdin.isatty() or not stdin.isatty():
stdin = sys.stdin
except AttributeError:
pass
stdout.write(pstring)
stdout.flush()
ovalue = irafutils.tkreadline(stdin)
value = ovalue.strip()
while 1:
try:
if value == '':
value = self._nullPrompt()
self.set(value)
if self.value is not None:
return
if ovalue == '':
stdout.flush()
raise EOFError('EOF on parameter prompt')
print('Error: specify a value for the parameter')
except ValueError as e:
print(str(e))
stdout.write(pstring)
stdout.flush()
ovalue = irafutils.tkreadline(stdin)
value = ovalue.strip()
| getWithPrompt | [
{
"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.prompt:\n pstring = self.prompt.split('\\n')[0].strip()\n else:\n pstring = self.name\n if self.choice:\n schoice = list(map(self.toString, self.choice))\n pstring = pstring + ' (' + '|'.join(schoice) + ')'\n elif self.min not in [None, INDEF] or self.max not in [None, INDEF]:\n pstring = pstring + ' ('\n if self.min not in [None, INDEF]:\n pstring = pstring + self.toString(self.min)\n pstring = pstring + ':'\n if self.max not in [None, INDEF]:\n pstring = pstring + self.toString(self.max)\n pstring = pstring + ')'\n if self.value is not None:\n pstring = pstring + ' (' + self.toString(self.value, quoted=1) + ')'\n pstring = pstring + ': '\n stdout = sys.__stdout__\n try:\n if sys.stdout.isatty() or not stdout.isatty():\n stdout = sys.stdout\n except AttributeError:\n pass\n stdin = sys.__stdin__\n try:\n if sys.stdin.isatty() or not stdin.isatty():\n stdin = sys.stdin\n except AttributeError:\n pass\n stdout.write(pstring)\n stdout.flush()\n ovalue = irafutils.tkreadline(stdin)\n value = ovalue.strip()\n while 1:\n try:\n if value == '':\n value = self._nullPrompt()\n self.set(value)\n if self.value is not None:\n return\n if ovalue == '':\n stdout.flush()\n raise EOFError('EOF on parameter prompt')\n print('Error: specify a value for the parameter')\n except ValueError as e:\n print(str(e))\n stdout.write(pstring)\n stdout.flush()\n ovalue = irafutils.tkreadline(stdin)\n value = ovalue.strip()\n",
"role": "user"
},
{
"content": "getWithPrompt",
"role": "assistant"
}
] |
def x(self, field=None, index=None, lpar=0, prompt=1, native=0, mode='h'):
if field and field != 'p_value':
return self._getField(field, native=native, prompt=prompt)
if prompt:
self._optionalPrompt(mode)
if index is not None:
raise SyntaxError('Parameter ' + self.name + ' is not an array')
if native:
rv = self.value
else:
rv = self.toString(self.value)
return rv
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field=None, index=None, lpar=0, prompt=1, native=0, mode='h'):\n if field and field != 'p_value':\n return self._getField(field, native=native, prompt=prompt)\n if prompt:\n self._optionalPrompt(mode)\n if index is not None:\n raise SyntaxError('Parameter ' + self.name + ' is not an array')\n if native:\n rv = self.value\n else:\n rv = self.toString(self.value)\n return rv\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, value, field=None, index=None, check=1):
if index is not None:
raise SyntaxError('Parameter ' + self.name + ' is not an array')
if field:
self._setField(value, field, check=check)
else:
if check:
self.value = self.checkValue(value)
else:
self.value = self._coerceValue(value)
self.setChanged()
| set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, field=None, index=None, check=1):\n if index is not None:\n raise SyntaxError('Parameter ' + self.name + ' is not an array')\n if field:\n self._setField(value, field, check=check)\n else:\n if check:\n self.value = self.checkValue(value)\n else:\n self.value = self._coerceValue(value)\n self.setChanged()\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, value, strict=0):
v = self._coerceValue(value, strict)
return self.checkOneValue(v, strict)
| checkValue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, strict=0):\n v = self._coerceValue(value, strict)\n return self.checkOneValue(v, strict)\n",
"role": "user"
},
{
"content": "checkValue",
"role": "assistant"
}
] |
def x(self, v, strict=0):
if v in [None, INDEF] or isinstance(v, str) and v[:1] == ')':
return v
elif v == '':
return None
elif self.choice is not None and v not in self.choiceDict:
schoice = list(map(self.toString, self.choice))
schoice = '|'.join(schoice)
raise ValueError(
'Parameter %s: value %s is not in choice list (%s)' % (self.
name, str(v), schoice))
elif self.min not in [None, INDEF] and v < self.min:
raise ValueError(
"Parameter %s: value `%s' is less than minimum `%s'" % (self.
name, str(v), str(self.min)))
elif self.max not in [None, INDEF] and v > self.max:
raise ValueError(
"Parameter %s: value `%s' is greater than maximum `%s'" % (self
.name, str(v), str(self.max)))
return v
| checkOneValue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, v, strict=0):\n if v in [None, INDEF] or isinstance(v, str) and v[:1] == ')':\n return v\n elif v == '':\n return None\n elif self.choice is not None and v not in self.choiceDict:\n schoice = list(map(self.toString, self.choice))\n schoice = '|'.join(schoice)\n raise ValueError(\n 'Parameter %s: value %s is not in choice list (%s)' % (self.\n name, str(v), schoice))\n elif self.min not in [None, INDEF] and v < self.min:\n raise ValueError(\n \"Parameter %s: value `%s' is less than minimum `%s'\" % (self.\n name, str(v), str(self.min)))\n elif self.max not in [None, INDEF] and v > self.max:\n raise ValueError(\n \"Parameter %s: value `%s' is greater than maximum `%s'\" % (self\n .name, str(v), str(self.max)))\n return v\n",
"role": "user"
},
{
"content": "checkOneValue",
"role": "assistant"
}
] |
def x(self, cl=1):
sval = self.toString(self.value, quoted=1)
if not cl:
if sval == '':
sval = 'None'
s = '%s = %s' % (self.name, sval)
return s
| dpar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cl=1):\n sval = self.toString(self.value, quoted=1)\n if not cl:\n if sval == '':\n sval = 'None'\n s = '%s = %s' % (self.name, sval)\n return s\n",
"role": "user"
},
{
"content": "dpar",
"role": "assistant"
}
] |
def x(self, verbose=0):
plines = self.prompt.split('\n')
for i in range(len(plines) - 1):
plines[i + 1] = 32 * ' ' + plines[i + 1]
plines = '\n'.join(plines)
namelen = min(len(self.name), 12)
pvalue = self.get(prompt=0, lpar=1)
alwaysquoted = ['s', 'f', '*gcur', '*imcur', '*ukey', 'pset']
if self.type in alwaysquoted and self.value is not None:
pvalue = '"' + pvalue + '"'
if self.mode == 'h':
s = '%13s = %-15s %s' % ('(' + self.name[:namelen], pvalue + ')',
plines)
else:
s = '%13s = %-15s %s' % (self.name[:namelen], pvalue, plines)
if not verbose:
return s
if self.choice is not None:
s = s + '\n' + 32 * ' ' + '|'
nline = 33
for i in range(len(self.choice)):
sch = str(self.choice[i]) + '|'
s = s + sch
nline = nline + len(sch) + 1
if nline > 80:
s = s + '\n' + 32 * ' ' + '|'
nline = 33
elif self.min not in [None, INDEF] or self.max not in [None, INDEF]:
s = s + '\n' + 32 * ' '
if self.min not in [None, INDEF]:
s = s + str(self.min) + ' <= '
s = s + self.name
if self.max not in [None, INDEF]:
s = s + ' <= ' + str(self.max)
return s
| pretty | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, verbose=0):\n plines = self.prompt.split('\\n')\n for i in range(len(plines) - 1):\n plines[i + 1] = 32 * ' ' + plines[i + 1]\n plines = '\\n'.join(plines)\n namelen = min(len(self.name), 12)\n pvalue = self.get(prompt=0, lpar=1)\n alwaysquoted = ['s', 'f', '*gcur', '*imcur', '*ukey', 'pset']\n if self.type in alwaysquoted and self.value is not None:\n pvalue = '\"' + pvalue + '\"'\n if self.mode == 'h':\n s = '%13s = %-15s %s' % ('(' + self.name[:namelen], pvalue + ')',\n plines)\n else:\n s = '%13s = %-15s %s' % (self.name[:namelen], pvalue, plines)\n if not verbose:\n return s\n if self.choice is not None:\n s = s + '\\n' + 32 * ' ' + '|'\n nline = 33\n for i in range(len(self.choice)):\n sch = str(self.choice[i]) + '|'\n s = s + sch\n nline = nline + len(sch) + 1\n if nline > 80:\n s = s + '\\n' + 32 * ' ' + '|'\n nline = 33\n elif self.min not in [None, INDEF] or self.max not in [None, INDEF]:\n s = s + '\\n' + 32 * ' '\n if self.min not in [None, INDEF]:\n s = s + str(self.min) + ' <= '\n s = s + self.name\n if self.max not in [None, INDEF]:\n s = s + ' <= ' + str(self.max)\n return s\n",
"role": "user"
},
{
"content": "pretty",
"role": "assistant"
}
] |
def x(self, dolist=0):
quoted = not dolist
fields = 7 * ['']
fields[0] = self.name
fields[1] = self.type
fields[2] = self.mode
fields[3] = self.toString(self.value, quoted=quoted)
if self.choice is not None:
schoice = list(map(self.toString, self.choice))
schoice.insert(0, '')
schoice.append('')
fields[4] = repr('|'.join(schoice))
elif self.min not in [None, INDEF]:
fields[4] = self.toString(self.min, quoted=quoted)
if self.max not in [None, INDEF]:
fields[5] = self.toString(self.max, quoted=quoted)
if self.prompt:
if quoted:
sprompt = repr(self.prompt)
else:
sprompt = self.prompt
sprompt = sprompt.replace('\\012', '\n')
sprompt = sprompt.replace('\\n', '\n')
fields[6] = sprompt
for i in [6, 5, 4]:
if fields[i] != '':
break
del fields[i]
if dolist:
return fields
else:
return ','.join(fields)
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dolist=0):\n quoted = not dolist\n fields = 7 * ['']\n fields[0] = self.name\n fields[1] = self.type\n fields[2] = self.mode\n fields[3] = self.toString(self.value, quoted=quoted)\n if self.choice is not None:\n schoice = list(map(self.toString, self.choice))\n schoice.insert(0, '')\n schoice.append('')\n fields[4] = repr('|'.join(schoice))\n elif self.min not in [None, INDEF]:\n fields[4] = self.toString(self.min, quoted=quoted)\n if self.max not in [None, INDEF]:\n fields[5] = self.toString(self.max, quoted=quoted)\n if self.prompt:\n if quoted:\n sprompt = repr(self.prompt)\n else:\n sprompt = self.prompt\n sprompt = sprompt.replace('\\\\012', '\\n')\n sprompt = sprompt.replace('\\\\n', '\\n')\n fields[6] = sprompt\n for i in [6, 5, 4]:\n if fields[i] != '':\n break\n del fields[i]\n if dolist:\n return fields\n else:\n return ','.join(fields)\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, s, strict=0):
clist = _getChoice(s, strict)
self.choice = list(map(self._coerceValue, clist))
self._setChoiceDict()
| setChoice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s, strict=0):\n clist = _getChoice(s, strict)\n self.choice = list(map(self._coerceValue, clist))\n self._setChoiceDict()\n",
"role": "user"
},
{
"content": "setChoice",
"role": "assistant"
}
] |
def x(self):
self.choiceDict = {}
for c in self.choice:
self.choiceDict[c] = c
| setChoiceDict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.choiceDict = {}\n for c in self.choice:\n self.choiceDict[c] = c\n",
"role": "user"
},
{
"content": "setChoiceDict",
"role": "assistant"
}
] |
def x(self, mode):
if self.mode == 'h' or self.mode == 'a' and mode == 'h':
if not self.isLegal():
self.getWithPrompt()
elif self.mode == 'u':
if not self.isLegal():
raise ValueError(
"Attempt to access undefined local variable `%s'" % self.name)
elif self.isCmdline() == 0:
self.getWithPrompt()
| optionalPrompt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode):\n if self.mode == 'h' or self.mode == 'a' and mode == 'h':\n if not self.isLegal():\n self.getWithPrompt()\n elif self.mode == 'u':\n if not self.isLegal():\n raise ValueError(\n \"Attempt to access undefined local variable `%s'\" % self.name)\n elif self.isCmdline() == 0:\n self.getWithPrompt()\n",
"role": "user"
},
{
"content": "optionalPrompt",
"role": "assistant"
}
] |
def x(self, native, prompt):
return self.get(native=native, prompt=prompt)
| getPFilename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, native, prompt):\n return self.get(native=native, prompt=prompt)\n",
"role": "user"
},
{
"content": "getPFilename",
"role": "assistant"
}
] |
def x(self, field, native=0, prompt=1):
try:
field = _getFieldDict[field]
except KeyError as e:
raise SyntaxError('Cannot get field ' + field + ' for parameter ' +
self.name + '\n' + str(e))
if field == 'p_value':
return self.get(native=native, prompt=prompt)
elif field == 'p_name':
return self.name
elif field == 'p_xtype':
return self.type
elif field == 'p_type':
return self._getPType()
elif field == 'p_mode':
return self.mode
elif field == 'p_prompt':
return self.prompt
elif field == 'p_scope':
return self.scope
elif field == 'p_default' or field == 'p_filename':
return self._getPFilename(native, prompt)
elif field == 'p_maximum':
if native:
return self.max
else:
return self.toString(self.max)
elif field == 'p_minimum':
if self.choice is not None:
if native:
return self.choice
else:
schoice = list(map(self.toString, self.choice))
return '|' + '|'.join(schoice) + '|'
elif native:
return self.min
else:
return self.toString(self.min)
else:
raise RuntimeError('Program bug in IrafPar._getField()\n' +
'Requested field ' + field + ' for parameter ' + self.name)
| getField | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field, native=0, prompt=1):\n try:\n field = _getFieldDict[field]\n except KeyError as e:\n raise SyntaxError('Cannot get field ' + field + ' for parameter ' +\n self.name + '\\n' + str(e))\n if field == 'p_value':\n return self.get(native=native, prompt=prompt)\n elif field == 'p_name':\n return self.name\n elif field == 'p_xtype':\n return self.type\n elif field == 'p_type':\n return self._getPType()\n elif field == 'p_mode':\n return self.mode\n elif field == 'p_prompt':\n return self.prompt\n elif field == 'p_scope':\n return self.scope\n elif field == 'p_default' or field == 'p_filename':\n return self._getPFilename(native, prompt)\n elif field == 'p_maximum':\n if native:\n return self.max\n else:\n return self.toString(self.max)\n elif field == 'p_minimum':\n if self.choice is not None:\n if native:\n return self.choice\n else:\n schoice = list(map(self.toString, self.choice))\n return '|' + '|'.join(schoice) + '|'\n elif native:\n return self.min\n else:\n return self.toString(self.min)\n else:\n raise RuntimeError('Program bug in IrafPar._getField()\\n' +\n 'Requested field ' + field + ' for parameter ' + self.name)\n",
"role": "user"
},
{
"content": "getField",
"role": "assistant"
}
] |
def x(self, value, field, check=1):
try:
field = _setFieldDict[field]
except KeyError as e:
raise SyntaxError('Cannot set field ' + field + ' for parameter ' +
self.name + '\n' + str(e))
if field == 'p_prompt':
self.prompt = irafutils.removeEscapes(irafutils.stripQuotes(value))
elif field == 'p_value':
self.set(value, check=check)
elif field == 'p_filename':
self.set(value, check=check)
elif field == 'p_scope':
self.scope = value
elif field == 'p_maximum':
self.max = self._coerceOneValue(value)
elif field == 'p_minimum':
if isinstance(value, str) and '|' in value:
self._setChoice(irafutils.stripQuotes(value))
else:
self.min = self._coerceOneValue(value)
elif field == 'p_mode':
self.mode = irafutils.stripQuotes(value)
else:
raise RuntimeError('Program bug in IrafPar._setField()' +
'Requested field ' + field + ' for parameter ' + self.name)
| setField | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, field, check=1):\n try:\n field = _setFieldDict[field]\n except KeyError as e:\n raise SyntaxError('Cannot set field ' + field + ' for parameter ' +\n self.name + '\\n' + str(e))\n if field == 'p_prompt':\n self.prompt = irafutils.removeEscapes(irafutils.stripQuotes(value))\n elif field == 'p_value':\n self.set(value, check=check)\n elif field == 'p_filename':\n self.set(value, check=check)\n elif field == 'p_scope':\n self.scope = value\n elif field == 'p_maximum':\n self.max = self._coerceOneValue(value)\n elif field == 'p_minimum':\n if isinstance(value, str) and '|' in value:\n self._setChoice(irafutils.stripQuotes(value))\n else:\n self.min = self._coerceOneValue(value)\n elif field == 'p_mode':\n self.mode = irafutils.stripQuotes(value)\n else:\n raise RuntimeError('Program bug in IrafPar._setField()' +\n 'Requested field ' + field + ' for parameter ' + self.name)\n",
"role": "user"
},
{
"content": "setField",
"role": "assistant"
}
] |
def x(self, dolist=0):
quoted = not dolist
array_size = 1
for d in self.shape:
array_size = d * array_size
ndim = len(self.shape)
fields = (7 + 2 * ndim + len(self.value)) * ['']
fields[0] = self.name
fields[1] = self.type
fields[2] = self.mode
fields[3] = str(ndim)
next = 4
for d in self.shape:
fields[next] = str(d)
next += 1
fields[next] = '1'
next += 1
nvstart = 7 + 2 * ndim
if self.choice is not None:
schoice = list(map(self.toString, self.choice))
schoice.insert(0, '')
schoice.append('')
fields[nvstart - 3] = repr('|'.join(schoice))
elif self.min not in [None, INDEF]:
fields[nvstart - 3] = self.toString(self.min, quoted=quoted)
if quoted:
fields[nvstart - 3] = '\\\n' + fields[nvstart - 3]
if self.max not in [None, INDEF]:
fields[nvstart - 2] = self.toString(self.max, quoted=quoted)
if self.prompt:
if quoted:
sprompt = repr(self.prompt)
else:
sprompt = self.prompt
sprompt = sprompt.replace('\\012', '\n')
sprompt = sprompt.replace('\\n', '\n')
fields[nvstart - 1] = sprompt
for i in range(len(self.value)):
fields[nvstart + i] = self.toString(self.value[i], quoted=quoted)
if dolist:
return fields
else:
fields[nvstart] = '\\\n' + fields[nvstart]
return ','.join(fields)
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dolist=0):\n quoted = not dolist\n array_size = 1\n for d in self.shape:\n array_size = d * array_size\n ndim = len(self.shape)\n fields = (7 + 2 * ndim + len(self.value)) * ['']\n fields[0] = self.name\n fields[1] = self.type\n fields[2] = self.mode\n fields[3] = str(ndim)\n next = 4\n for d in self.shape:\n fields[next] = str(d)\n next += 1\n fields[next] = '1'\n next += 1\n nvstart = 7 + 2 * ndim\n if self.choice is not None:\n schoice = list(map(self.toString, self.choice))\n schoice.insert(0, '')\n schoice.append('')\n fields[nvstart - 3] = repr('|'.join(schoice))\n elif self.min not in [None, INDEF]:\n fields[nvstart - 3] = self.toString(self.min, quoted=quoted)\n if quoted:\n fields[nvstart - 3] = '\\\\\\n' + fields[nvstart - 3]\n if self.max not in [None, INDEF]:\n fields[nvstart - 2] = self.toString(self.max, quoted=quoted)\n if self.prompt:\n if quoted:\n sprompt = repr(self.prompt)\n else:\n sprompt = self.prompt\n sprompt = sprompt.replace('\\\\012', '\\n')\n sprompt = sprompt.replace('\\\\n', '\\n')\n fields[nvstart - 1] = sprompt\n for i in range(len(self.value)):\n fields[nvstart + i] = self.toString(self.value[i], quoted=quoted)\n if dolist:\n return fields\n else:\n fields[nvstart] = '\\\\\\n' + fields[nvstart]\n return ','.join(fields)\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, cl=1):
sval = list(map(self.toString, self.value, len(self.value) * [1]))
for i in range(len(sval)):
if sval[i] == '':
sval[i] = 'None'
s = '%s = [%s]' % (self.name, ', '.join(sval))
return s
| dpar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cl=1):\n sval = list(map(self.toString, self.value, len(self.value) * [1]))\n for i in range(len(sval)):\n if sval[i] == '':\n sval[i] = 'None'\n s = '%s = [%s]' % (self.name, ', '.join(sval))\n return s\n",
"role": "user"
},
{
"content": "dpar",
"role": "assistant"
}
] |
def x(self, field=None, index=None, lpar=0, prompt=1, native=0, mode='h'):
if field:
return self._getField(field, native=native, prompt=prompt)
if prompt:
self._optionalPrompt(mode)
if index is not None:
sumindex = self._sumindex(index)
try:
if native:
return self.value[sumindex]
else:
return self.toString(self.value[sumindex])
except IndexError:
raise SyntaxError('Illegal index [' + repr(sumindex) +
'] for array parameter ' + self.name)
elif native:
return self
else:
return str(self)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field=None, index=None, lpar=0, prompt=1, native=0, mode='h'):\n if field:\n return self._getField(field, native=native, prompt=prompt)\n if prompt:\n self._optionalPrompt(mode)\n if index is not None:\n sumindex = self._sumindex(index)\n try:\n if native:\n return self.value[sumindex]\n else:\n return self.toString(self.value[sumindex])\n except IndexError:\n raise SyntaxError('Illegal index [' + repr(sumindex) +\n '] for array parameter ' + self.name)\n elif native:\n return self\n else:\n return str(self)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, value, field=None, index=None, check=1):
if index is not None:
sumindex = self._sumindex(index)
try:
value = self._coerceOneValue(value)
if check:
self.value[sumindex] = self.checkOneValue(value)
else:
self.value[sumindex] = value
return
except IndexError:
raise SyntaxError('Illegal index [' + repr(sumindex) +
'] for array parameter ' + self.name)
if field:
self._setField(value, field, check=check)
else:
if check:
self.value = self.checkValue(value)
else:
self.value = self._coerceValue(value)
self.setChanged()
| set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, field=None, index=None, check=1):\n if index is not None:\n sumindex = self._sumindex(index)\n try:\n value = self._coerceOneValue(value)\n if check:\n self.value[sumindex] = self.checkOneValue(value)\n else:\n self.value[sumindex] = value\n return\n except IndexError:\n raise SyntaxError('Illegal index [' + repr(sumindex) +\n '] for array parameter ' + self.name)\n if field:\n self._setField(value, field, check=check)\n else:\n if check:\n self.value = self.checkValue(value)\n else:\n self.value = self._coerceValue(value)\n self.setChanged()\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, value, strict=0):
v = self._coerceValue(value, strict)
for i in range(len(v)):
self.checkOneValue(v[i], strict=strict)
return v
| checkValue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, strict=0):\n v = self._coerceValue(value, strict)\n for i in range(len(v)):\n self.checkOneValue(v[i], strict=strict)\n return v\n",
"role": "user"
},
{
"content": "checkValue",
"role": "assistant"
}
] |
def x(self, index=None):
try:
ndim = len(index)
except TypeError:
index = index,
ndim = 1
if len(self.shape) != ndim:
raise ValueError(
'Index to %d-dimensional array %s has too %s dimensions' % (len
(self.shape), self.name, ['many', 'few'][len(self.shape) > ndim]))
sumindex = 0
for i in range(ndim - 1, -1, -1):
index1 = index[i]
if index1 < 0 or index1 >= self.shape[i]:
raise ValueError(
'Dimension %d index for array %s is out of bounds (value=%d)' %
(i + 1, self.name, index1))
sumindex = index1 + sumindex * self.shape[i]
return sumindex
| sumindex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index=None):\n try:\n ndim = len(index)\n except TypeError:\n index = index,\n ndim = 1\n if len(self.shape) != ndim:\n raise ValueError(\n 'Index to %d-dimensional array %s has too %s dimensions' % (len\n (self.shape), self.name, ['many', 'few'][len(self.shape) > ndim]))\n sumindex = 0\n for i in range(ndim - 1, -1, -1):\n index1 = index[i]\n if index1 < 0 or index1 >= self.shape[i]:\n raise ValueError(\n 'Dimension %d index for array %s is out of bounds (value=%d)' %\n (i + 1, self.name, index1))\n sumindex = index1 + sumindex * self.shape[i]\n return sumindex\n",
"role": "user"
},
{
"content": "sumindex",
"role": "assistant"
}
] |
def x(self, value, strict=0):
try:
if isinstance(value, str):
value = value.split()
if len(value) != len(self.value):
raise IndexError
v = len(self.value) * [0]
for i in range(len(v)):
v[i] = self._coerceOneValue(value[i], strict)
return v
except (IndexError, TypeError):
raise ValueError('Value must be a ' + repr(len(self.value)) +
'-element array for ' + self.name)
| coerceValue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, strict=0):\n try:\n if isinstance(value, str):\n value = value.split()\n if len(value) != len(self.value):\n raise IndexError\n v = len(self.value) * [0]\n for i in range(len(v)):\n v[i] = self._coerceOneValue(value[i], strict)\n return v\n except (IndexError, TypeError):\n raise ValueError('Value must be a ' + repr(len(self.value)) +\n '-element array for ' + self.name)\n",
"role": "user"
},
{
"content": "coerceValue",
"role": "assistant"
}
] |
def x(self):
self.choiceDict = minmatch.MinMatchDict()
for c in self.choice:
self.choiceDict.add(c, c)
| setChoiceDict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.choiceDict = minmatch.MinMatchDict()\n for c in self.choice:\n self.choiceDict.add(c, c)\n",
"role": "user"
},
{
"content": "setChoiceDict",
"role": "assistant"
}
] |
def x(self, strict):
if self.min:
warning('Minimum value not allowed for boolean-type parameter ' +
self.name, strict)
self.min = None
if self.max:
if not self.prompt:
warning('Maximum value not allowed for boolean-type parameter ' +
self.name + ' (probably missing comma)', strict)
self.prompt = self.max
else:
warning('Maximum value not allowed for boolean-type parameter ' +
self.name, strict)
self.max = None
if self.choice:
warning('Choice values not allowed for boolean-type parameter ' +
self.name, strict)
self.choice = None
| checkAttribs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, strict):\n if self.min:\n warning('Minimum value not allowed for boolean-type parameter ' +\n self.name, strict)\n self.min = None\n if self.max:\n if not self.prompt:\n warning('Maximum value not allowed for boolean-type parameter ' +\n self.name + ' (probably missing comma)', strict)\n self.prompt = self.max\n else:\n warning('Maximum value not allowed for boolean-type parameter ' +\n self.name, strict)\n self.max = None\n if self.choice:\n warning('Choice values not allowed for boolean-type parameter ' +\n self.name, strict)\n self.choice = None\n",
"role": "user"
},
{
"content": "checkAttribs",
"role": "assistant"
}
] |
def x(self, strict):
if self.choice:
warning('Choice values not allowed for real-type parameter ' + self
.name, strict)
self.choice = None
| checkAttribs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, strict):\n if self.choice:\n warning('Choice values not allowed for real-type parameter ' + self\n .name, strict)\n self.choice = None\n",
"role": "user"
},
{
"content": "checkAttribs",
"role": "assistant"
}
] |
def x(self, deviceId):
try:
device = self.recordingDevices.get(deviceId)
if device.status == RecordingDeviceStatus.INITIALISED:
errors = self._handlePatch(device)
if len(errors) == 0:
return device, 200
else:
return device, 500
else:
return device, 400
finally:
logger.info('Sending adhoc heartbeat on device state update')
self.heartbeater.sendHeartbeat()
| patch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, deviceId):\n try:\n device = self.recordingDevices.get(deviceId)\n if device.status == RecordingDeviceStatus.INITIALISED:\n errors = self._handlePatch(device)\n if len(errors) == 0:\n return device, 200\n else:\n return device, 500\n else:\n return device, 400\n finally:\n logger.info('Sending adhoc heartbeat on device state update')\n self.heartbeater.sendHeartbeat()\n",
"role": "user"
},
{
"content": "patch",
"role": "assistant"
}
] |
def x(year, month, day):
if month == 2:
daysinmonth = 29 if isleap(year) else 28
else:
daysinmonth = 30 if month in HAVE_30_DAYS else 31
if not 0 < day <= daysinmonth:
raise ValueError("Month {} doesn't have a day {}".format(month, day))
return True
| legal_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(year, month, day):\n if month == 2:\n daysinmonth = 29 if isleap(year) else 28\n else:\n daysinmonth = 30 if month in HAVE_30_DAYS else 31\n if not 0 < day <= daysinmonth:\n raise ValueError(\"Month {} doesn't have a day {}\".format(month, day))\n return True\n",
"role": "user"
},
{
"content": "legal_date",
"role": "assistant"
}
] |
def x(year, month, day):
legal_date(year, month, day)
if month <= 2:
year = year - 1
month = month + 12
a = floor(year / 100)
b = floor(a / 4)
c = 2 - a + b
e = floor(365.25 * (year + 4716))
f = floor(30.6001 * (month + 1))
return c + day + e + f - 1524.5
| to_jd2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(year, month, day):\n legal_date(year, month, day)\n if month <= 2:\n year = year - 1\n month = month + 12\n a = floor(year / 100)\n b = floor(a / 4)\n c = 2 - a + b\n e = floor(365.25 * (year + 4716))\n f = floor(30.6001 * (month + 1))\n return c + day + e + f - 1524.5\n",
"role": "user"
},
{
"content": "to_jd2",
"role": "assistant"
}
] |
def x(jd):
wjd = floor(jd - 0.5) + 0.5
depoch = wjd - EPOCH
quadricent = floor(depoch / INTERCALATION_CYCLE_DAYS)
dqc = depoch % INTERCALATION_CYCLE_DAYS
cent = floor(dqc / LEAP_SUPPRESSION_DAYS)
dcent = dqc % LEAP_SUPPRESSION_DAYS
quad = floor(dcent / LEAP_CYCLE_DAYS)
dquad = dcent % LEAP_CYCLE_DAYS
yindex = floor(dquad / YEAR_DAYS)
year = (quadricent * INTERCALATION_CYCLE_YEARS + cent *
LEAP_SUPPRESSION_YEARS + quad * LEAP_CYCLE_YEARS + yindex)
if not (cent == 4 or yindex == 4):
year += 1
yearday = wjd - to_jd(year, 1, 1)
leap = isleap(year)
if yearday < 58 + leap:
leap_adj = 0
elif leap:
leap_adj = 1
else:
leap_adj = 2
month = floor(((yearday + leap_adj) * 12 + 373) / 367)
day = int(wjd - to_jd(year, month, 1)) + 1
return year, month, day
| from_jd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(jd):\n wjd = floor(jd - 0.5) + 0.5\n depoch = wjd - EPOCH\n quadricent = floor(depoch / INTERCALATION_CYCLE_DAYS)\n dqc = depoch % INTERCALATION_CYCLE_DAYS\n cent = floor(dqc / LEAP_SUPPRESSION_DAYS)\n dcent = dqc % LEAP_SUPPRESSION_DAYS\n quad = floor(dcent / LEAP_CYCLE_DAYS)\n dquad = dcent % LEAP_CYCLE_DAYS\n yindex = floor(dquad / YEAR_DAYS)\n year = (quadricent * INTERCALATION_CYCLE_YEARS + cent *\n LEAP_SUPPRESSION_YEARS + quad * LEAP_CYCLE_YEARS + yindex)\n if not (cent == 4 or yindex == 4):\n year += 1\n yearday = wjd - to_jd(year, 1, 1)\n leap = isleap(year)\n if yearday < 58 + leap:\n leap_adj = 0\n elif leap:\n leap_adj = 1\n else:\n leap_adj = 2\n month = floor(((yearday + leap_adj) * 12 + 373) / 367)\n day = int(wjd - to_jd(year, month, 1)) + 1\n return year, month, day\n",
"role": "user"
},
{
"content": "from_jd",
"role": "assistant"
}
] |
def x(self, name, hingePoints):
if name not in self._cache:
if self._valid(hingePoints):
self._cache[name] = {'name': name, 'type': 'hinge', 'hinge':
hingePoints}
self.writeCache()
return True
return False
| storeFromHinge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, hingePoints):\n if name not in self._cache:\n if self._valid(hingePoints):\n self._cache[name] = {'name': name, 'type': 'hinge', 'hinge':\n hingePoints}\n self.writeCache()\n return True\n return False\n",
"role": "user"
},
{
"content": "storeFromHinge",
"role": "assistant"
}
] |
def x(self, uploadCacheEntry, start, end):
prefix = uploadCacheEntry['name'] + '_' + start + '_' + end
match = next((x for x in self._cache.values() if x['type'] == 'wav' and
x['name'].startswith(prefix)), None)
if match is None:
cached = [{'name': prefix + '_' + n, 'analysis': n, 'start': start,
'end': end, 'type': 'wav', 'filename': uploadCacheEntry['name']
} for n in ['spectrum', 'peakSpectrum']]
for cache in cached:
self._cache[cache['name']] = cache
self.writeCache()
return True
return False
| storeFromWav | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uploadCacheEntry, start, end):\n prefix = uploadCacheEntry['name'] + '_' + start + '_' + end\n match = next((x for x in self._cache.values() if x['type'] == 'wav' and\n x['name'].startswith(prefix)), None)\n if match is None:\n cached = [{'name': prefix + '_' + n, 'analysis': n, 'start': start,\n 'end': end, 'type': 'wav', 'filename': uploadCacheEntry['name']\n } for n in ['spectrum', 'peakSpectrum']]\n for cache in cached:\n self._cache[cache['name']] = cache\n self.writeCache()\n return True\n return False\n",
"role": "user"
},
{
"content": "storeFromWav",
"role": "assistant"
}
] |
def x(self, name):
if name in self._cache:
del self._cache[name]
self.writeCache()
return True
return False
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n if name in self._cache:\n del self._cache[name]\n self.writeCache()\n return True\n return False\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.