source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x():
parser = argparse.ArgumentParser()
parser.add_argument('-u', '--username', help='Hydro Quebec username')
parser.add_argument('-p', '--password', help='Password')
parser.add_argument('-j', '--json', action='store_true', default=False,
help='Json output')
parser.add_argument('-i', '--influxdb', action='store_true', default=
False, help='InfluxDb output')
parser.add_argument('-c', '--contract', default=None, help=
'Contract number')
parser.add_argument('-l', '--list-contracts', action='store_true',
default=False, help='List all your contracts')
parser.add_argument('-H', '--hourly', action='store_true', default=
False, help='Show yesterday hourly consumption')
parser.add_argument('-t', '--timeout', default=REQUESTS_TIMEOUT, help=
'Request timeout')
parser.add_argument('-V', '--version', action='store_true', default=
False, help='Show version')
raw_group = parser.add_argument_group(
'Detailled-energy raw download option')
raw_group.add_argument('--detailled-energy', action='store_true',
default=False, help='Get raw json output download')
raw_group.add_argument('--start-date', default=(datetime.datetime.now(
HQ_TIMEZONE) - datetime.timedelta(days=1)).strftime('%Y-%m-%d'),
help='Start date for detailled-output')
raw_group.add_argument('--end-date', default=datetime.datetime.now(
HQ_TIMEZONE).strftime('%Y-%m-%d'), help='End date for detailled-output'
)
args = parser.parse_args()
if args.version:
print(VERSION)
return 0
if not args.username or not args.password:
parser.print_usage()
print(
'pyhydroquebec: error: the following arguments are required: -u/--username, -p/--password'
)
return 3
client = HydroQuebecClient(args.username, args.password, args.timeout)
loop = asyncio.get_event_loop()
if args.detailled_energy is False:
async_func = client.fetch_data()
else:
start_date = datetime.datetime.strptime(args.start_date, '%Y-%m-%d')
end_date = datetime.datetime.strptime(args.end_date, '%Y-%m-%d')
async_func = client.fetch_data_detailled_energy_use(start_date,
end_date)
try:
fut = asyncio.wait([async_func])
loop.run_until_complete(fut)
except BaseException as exp:
print(exp)
return 1
finally:
close_fut = asyncio.wait([client.close_session()])
loop.run_until_complete(close_fut)
if not client.get_data():
return 2
if args.list_contracts:
print('Contracts: {}'.format(', '.join(client.get_contracts())))
elif args.influxdb:
output_influx(client.get_data(args.contract))
elif args.json or args.detailled_energy:
output_json(client.get_data(args.contract))
else:
output_text(args.username, client.get_data(args.contract), args.hourly)
return 0
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = argparse.ArgumentParser()\n parser.add_argument('-u', '--username', help='Hydro Quebec username')\n parser.add_argument('-p', '--password', help='Password')\n parser.add_argument('-j', '--json', action='store_true', default=False,\n help='Json output')\n parser.add_argument('-i', '--influxdb', action='store_true', default=\n False, help='InfluxDb output')\n parser.add_argument('-c', '--contract', default=None, help=\n 'Contract number')\n parser.add_argument('-l', '--list-contracts', action='store_true',\n default=False, help='List all your contracts')\n parser.add_argument('-H', '--hourly', action='store_true', default=\n False, help='Show yesterday hourly consumption')\n parser.add_argument('-t', '--timeout', default=REQUESTS_TIMEOUT, help=\n 'Request timeout')\n parser.add_argument('-V', '--version', action='store_true', default=\n False, help='Show version')\n raw_group = parser.add_argument_group(\n 'Detailled-energy raw download option')\n raw_group.add_argument('--detailled-energy', action='store_true',\n default=False, help='Get raw json output download')\n raw_group.add_argument('--start-date', default=(datetime.datetime.now(\n HQ_TIMEZONE) - datetime.timedelta(days=1)).strftime('%Y-%m-%d'),\n help='Start date for detailled-output')\n raw_group.add_argument('--end-date', default=datetime.datetime.now(\n HQ_TIMEZONE).strftime('%Y-%m-%d'), help='End date for detailled-output'\n )\n args = parser.parse_args()\n if args.version:\n print(VERSION)\n return 0\n if not args.username or not args.password:\n parser.print_usage()\n print(\n 'pyhydroquebec: error: the following arguments are required: -u/--username, -p/--password'\n )\n return 3\n client = HydroQuebecClient(args.username, args.password, args.timeout)\n loop = asyncio.get_event_loop()\n if args.detailled_energy is False:\n async_func = client.fetch_data()\n else:\n start_date = datetime.datetime.strptime(args.start_date, '%Y-%m-%d')\n end_date = datetime.datetime.strptime(args.end_date, '%Y-%m-%d')\n async_func = client.fetch_data_detailled_energy_use(start_date,\n end_date)\n try:\n fut = asyncio.wait([async_func])\n loop.run_until_complete(fut)\n except BaseException as exp:\n print(exp)\n return 1\n finally:\n close_fut = asyncio.wait([client.close_session()])\n loop.run_until_complete(close_fut)\n if not client.get_data():\n return 2\n if args.list_contracts:\n print('Contracts: {}'.format(', '.join(client.get_contracts())))\n elif args.influxdb:\n output_influx(client.get_data(args.contract))\n elif args.json or args.detailled_energy:\n output_json(client.get_data(args.contract))\n else:\n output_text(args.username, client.get_data(args.contract), args.hourly)\n return 0\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(year):
c = trunc(year / 100)
n = year - 19 * trunc(year / 19)
k = trunc((c - 17) / 25)
i = c - trunc(c / 4) - trunc((c - k) / 3) + 19 * n + 15
i = i - 30 * trunc(i / 30)
i = i - trunc(i / 28) * (1 - trunc(i / 28) * trunc(29 / (i + 1)) *
trunc((21 - n) / 11))
j = year + trunc(year / 4) + i + 2 - c + trunc(c / 4)
j = j - 7 * trunc(j / 7)
l = i - j
month = 3 + trunc((l + 40) / 44)
day = l + 28 - 31 * trunc(month / 4)
return year, int(month), int(day)
| easter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(year):\n c = trunc(year / 100)\n n = year - 19 * trunc(year / 19)\n k = trunc((c - 17) / 25)\n i = c - trunc(c / 4) - trunc((c - k) / 3) + 19 * n + 15\n i = i - 30 * trunc(i / 30)\n i = i - trunc(i / 28) * (1 - trunc(i / 28) * trunc(29 / (i + 1)) *\n trunc((21 - n) / 11))\n j = year + trunc(year / 4) + i + 2 - c + trunc(c / 4)\n j = j - 7 * trunc(j / 7)\n l = i - j\n month = 3 + trunc((l + 40) / 44)\n day = l + 28 - 31 * trunc(month / 4)\n return year, int(month), int(day)\n",
"role": "user"
},
{
"content": "easter",
"role": "assistant"
}
] |
def x(year, observed=None):
day = 4
if observed:
if calendar.weekday(year, JUL, 4) == SAT:
day = 3
if calendar.weekday(year, JUL, 4) == SUN:
day = 5
return year, JUL, day
| independence_day | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(year, observed=None):\n day = 4\n if observed:\n if calendar.weekday(year, JUL, 4) == SAT:\n day = 3\n if calendar.weekday(year, JUL, 4) == SUN:\n day = 5\n return year, JUL, day\n",
"role": "user"
},
{
"content": "independence_day",
"role": "assistant"
}
] |
def x(year, country='usa'):
if country == 'usa':
return nth_day_of_month(2, MON, OCT, year)
else:
return year, OCT, 12
| columbus_day | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(year, country='usa'):\n if country == 'usa':\n return nth_day_of_month(2, MON, OCT, year)\n else:\n return year, OCT, 12\n",
"role": "user"
},
{
"content": "columbus_day",
"role": "assistant"
}
] |
def x(year, country='usa'):
if country == 'usa':
if year in [1940, 1941]:
return nth_day_of_month(3, THU, NOV, year)
elif year == 1939:
return nth_day_of_month(4, THU, NOV, year)
else:
return nth_day_of_month(0, THU, NOV, year)
if country == 'canada':
return nth_day_of_month(2, MON, OCT, year)
| thanksgiving | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(year, country='usa'):\n if country == 'usa':\n if year in [1940, 1941]:\n return nth_day_of_month(3, THU, NOV, year)\n elif year == 1939:\n return nth_day_of_month(4, THU, NOV, year)\n else:\n return nth_day_of_month(0, THU, NOV, year)\n if country == 'canada':\n return nth_day_of_month(2, MON, OCT, year)\n",
"role": "user"
},
{
"content": "thanksgiving",
"role": "assistant"
}
] |
def x(x, y, weights=None):
if len(x) != len(y):
print('Error: X and Y must have equal size\n')
return
n = len(x)
w = N.zeros((n, n)).astype(N.float)
if weights is None:
for i in N.arange(n):
w[i, i] = 1
else:
if len(weights) != n:
print('Error: Weights must have the same size as X and Y.\n')
return
for i in N.arange(n):
w[i, i] = weights[i]
x = x.astype(N.float)
y = y.astype(N.float)
Xavg = N.sum(N.dot(w, x)) / N.sum(w.diagonal())
Yavg = N.sum(N.dot(w, y)) / N.sum(w.diagonal())
xm = x - Xavg
xmt = N.transpose(xm)
ym = y - Yavg
b1 = N.dot(xmt, N.dot(w, ym)) / N.dot(xmt, N.dot(w, xm))
b0 = Yavg - b1 * Xavg
return b0, b1
| linefit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, weights=None):\n if len(x) != len(y):\n print('Error: X and Y must have equal size\\n')\n return\n n = len(x)\n w = N.zeros((n, n)).astype(N.float)\n if weights is None:\n for i in N.arange(n):\n w[i, i] = 1\n else:\n if len(weights) != n:\n print('Error: Weights must have the same size as X and Y.\\n')\n return\n for i in N.arange(n):\n w[i, i] = weights[i]\n x = x.astype(N.float)\n y = y.astype(N.float)\n Xavg = N.sum(N.dot(w, x)) / N.sum(w.diagonal())\n Yavg = N.sum(N.dot(w, y)) / N.sum(w.diagonal())\n xm = x - Xavg\n xmt = N.transpose(xm)\n ym = y - Yavg\n b1 = N.dot(xmt, N.dot(w, ym)) / N.dot(xmt, N.dot(w, xm))\n b0 = Yavg - b1 * Xavg\n return b0, b1\n",
"role": "user"
},
{
"content": "linefit",
"role": "assistant"
}
] |
def x(self, measurementId):
logger.info('Analysing ' + measurementId)
measurement = self._measurementController.getMeasurement(measurementId,
MeasurementStatus.COMPLETE)
if measurement is not None:
if measurement.inflate():
data = {name: {'spectrum': {'x': self._jsonify(data.spectrum(
'x')), 'y': self._jsonify(data.spectrum('y')), 'z': self.
_jsonify(data.spectrum('z')), 'sum': self._jsonify(data.
spectrum('sum'))}, 'psd': {'x': self._jsonify(data.psd('x')
), 'y': self._jsonify(data.psd('y')), 'z': self._jsonify(
data.psd('z'))}, 'peakSpectrum': {'x': self._jsonify(data.
peakSpectrum('x')), 'y': self._jsonify(data.peakSpectrum(
'y')), 'z': self._jsonify(data.peakSpectrum('z')), 'sum':
self._jsonify(data.peakSpectrum('sum'))}} for name, data in
measurement.data.items()}
return data, 200
else:
return None, 404
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, measurementId):\n logger.info('Analysing ' + measurementId)\n measurement = self._measurementController.getMeasurement(measurementId,\n MeasurementStatus.COMPLETE)\n if measurement is not None:\n if measurement.inflate():\n data = {name: {'spectrum': {'x': self._jsonify(data.spectrum(\n 'x')), 'y': self._jsonify(data.spectrum('y')), 'z': self.\n _jsonify(data.spectrum('z')), 'sum': self._jsonify(data.\n spectrum('sum'))}, 'psd': {'x': self._jsonify(data.psd('x')\n ), 'y': self._jsonify(data.psd('y')), 'z': self._jsonify(\n data.psd('z'))}, 'peakSpectrum': {'x': self._jsonify(data.\n peakSpectrum('x')), 'y': self._jsonify(data.peakSpectrum(\n 'y')), 'z': self._jsonify(data.peakSpectrum('z')), 'sum':\n self._jsonify(data.peakSpectrum('sum'))}} for name, data in\n measurement.data.items()}\n return data, 200\n else:\n return None, 404\n else:\n return None, 404\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(targetState, md, httpclient):
anyUpdate = False
if md['fs'] != targetState.fs:
logger.info('Updating fs from ' + str(md['fs']) + ' to ' + str(
targetState.fs) + ' for ' + md['name'])
anyUpdate = True
if md['samplesPerBatch'] != targetState.samplesPerBatch:
logger.info('Updating samplesPerBatch from ' + str(md[
'samplesPerBatch']) + ' to ' + str(targetState.samplesPerBatch) +
' for ' + md['name'])
anyUpdate = True
if md['gyroEnabled'] != targetState.gyroEnabled:
logger.info('Updating gyroEnabled from ' + str(md['gyroEnabled']) +
' to ' + str(targetState.gyroEnabled) + ' for ' + md['name'])
anyUpdate = True
if md['gyroSens'] != targetState.gyroSens:
logger.info('Updating gyroSens from ' + str(md['gyroSens']) +
' to ' + str(targetState.gyroSens) + ' for ' + md['name'])
anyUpdate = True
if md['accelerometerEnabled'] != targetState.accelerometerEnabled:
logger.info('Updating accelerometerEnabled from ' + str(md[
'accelerometerEnabled']) + ' to ' + str(targetState.
accelerometerEnabled) + ' for ' + md['name'])
anyUpdate = True
if md['accelerometerSens'] != targetState.accelerometerSens:
logger.info('Updating accelerometerSens from ' + str(md[
'accelerometerSens']) + ' to ' + str(targetState.
accelerometerSens) + ' for ' + md['name'])
anyUpdate = True
if anyUpdate:
payload = marshal(targetState, targetStateFields)
logger.info('Applying target state change ' + md['name'] + ' - ' +
str(payload))
if RecordingDeviceStatus.INITIALISED.name == md.get('status'):
try:
httpclient.patch(md['serviceURL'], json=payload)
except Exception as e:
logger.exception(e)
else:
logger.warning('Ignoring target state change until ' + md[
'name'] + ' is idle, currently ' + md['status'])
else:
logger.debug('Device ' + md['name'] +
' is at target state, we continue')
| applyTargetState | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(targetState, md, httpclient):\n anyUpdate = False\n if md['fs'] != targetState.fs:\n logger.info('Updating fs from ' + str(md['fs']) + ' to ' + str(\n targetState.fs) + ' for ' + md['name'])\n anyUpdate = True\n if md['samplesPerBatch'] != targetState.samplesPerBatch:\n logger.info('Updating samplesPerBatch from ' + str(md[\n 'samplesPerBatch']) + ' to ' + str(targetState.samplesPerBatch) +\n ' for ' + md['name'])\n anyUpdate = True\n if md['gyroEnabled'] != targetState.gyroEnabled:\n logger.info('Updating gyroEnabled from ' + str(md['gyroEnabled']) +\n ' to ' + str(targetState.gyroEnabled) + ' for ' + md['name'])\n anyUpdate = True\n if md['gyroSens'] != targetState.gyroSens:\n logger.info('Updating gyroSens from ' + str(md['gyroSens']) +\n ' to ' + str(targetState.gyroSens) + ' for ' + md['name'])\n anyUpdate = True\n if md['accelerometerEnabled'] != targetState.accelerometerEnabled:\n logger.info('Updating accelerometerEnabled from ' + str(md[\n 'accelerometerEnabled']) + ' to ' + str(targetState.\n accelerometerEnabled) + ' for ' + md['name'])\n anyUpdate = True\n if md['accelerometerSens'] != targetState.accelerometerSens:\n logger.info('Updating accelerometerSens from ' + str(md[\n 'accelerometerSens']) + ' to ' + str(targetState.\n accelerometerSens) + ' for ' + md['name'])\n anyUpdate = True\n if anyUpdate:\n payload = marshal(targetState, targetStateFields)\n logger.info('Applying target state change ' + md['name'] + ' - ' +\n str(payload))\n if RecordingDeviceStatus.INITIALISED.name == md.get('status'):\n try:\n httpclient.patch(md['serviceURL'], json=payload)\n except Exception as e:\n logger.exception(e)\n else:\n logger.warning('Ignoring target state change until ' + md[\n 'name'] + ' is idle, currently ' + md['status'])\n else:\n logger.debug('Device ' + md['name'] +\n ' is at target state, we continue')\n",
"role": "user"
},
{
"content": "applyTargetState",
"role": "assistant"
}
] |
def x(self, device):
self._reactor.offer(REACH_TARGET_STATE, [self._targetStateProvider.
state, device, self._httpclient])
| updateDeviceState | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, device):\n self._reactor.offer(REACH_TARGET_STATE, [self._targetStateProvider.\n state, device, self._httpclient])\n",
"role": "user"
},
{
"content": "updateDeviceState",
"role": "assistant"
}
] |
def x(self, newState):
self._targetStateProvider.state = loadTargetState(newState, self.
_targetStateProvider.state)
for device in self.deviceController.getDevices():
self.updateDeviceState(device.payload)
| updateTargetState | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, newState):\n self._targetStateProvider.state = loadTargetState(newState, self.\n _targetStateProvider.state)\n for device in self.deviceController.getDevices():\n self.updateDeviceState(device.payload)\n",
"role": "user"
},
{
"content": "updateTargetState",
"role": "assistant"
}
] |
def x(input, width=132, output=None, keep=False):
trl = open(input)
lines = np.array([i for text in trl.readlines() for i in textwrap.wrap(
text, width=width)])
trl.close()
if output is None:
rootname, suffix = os.path.splitext(input)
s = suffix[1:].replace('ra', 'rl')
fitsname = '{}_{}{}fits'.format(rootname, s, os.path.extsep)
else:
fitsname = output
full_name = os.path.abspath(os.path.join(os.path.curdir, fitsname))
old_file = os.path.exists(full_name)
if old_file:
if keep:
print('ERROR: Trailer file already written out as: {}'.format(
full_name))
raise IOError
else:
os.remove(full_name)
line_fmt = '{}A'.format(width)
tbhdu = fits.BinTableHDU.from_columns([fits.Column(name='TEXT_FILE',
format=line_fmt, array=lines)])
tbhdu.writeto(fitsname)
print('Created output FITS filename for trailer:{} {}'.format(os.
linesep, full_name))
os.remove(input)
| convert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input, width=132, output=None, keep=False):\n trl = open(input)\n lines = np.array([i for text in trl.readlines() for i in textwrap.wrap(\n text, width=width)])\n trl.close()\n if output is None:\n rootname, suffix = os.path.splitext(input)\n s = suffix[1:].replace('ra', 'rl')\n fitsname = '{}_{}{}fits'.format(rootname, s, os.path.extsep)\n else:\n fitsname = output\n full_name = os.path.abspath(os.path.join(os.path.curdir, fitsname))\n old_file = os.path.exists(full_name)\n if old_file:\n if keep:\n print('ERROR: Trailer file already written out as: {}'.format(\n full_name))\n raise IOError\n else:\n os.remove(full_name)\n line_fmt = '{}A'.format(width)\n tbhdu = fits.BinTableHDU.from_columns([fits.Column(name='TEXT_FILE',\n format=line_fmt, array=lines)])\n tbhdu.writeto(fitsname)\n print('Created output FITS filename for trailer:{} {}'.format(os.\n linesep, full_name))\n os.remove(input)\n",
"role": "user"
},
{
"content": "convert",
"role": "assistant"
}
] |
def x(cfg, res, levels=None, results=None):
if levels is None:
levels = []
results = []
if res == True:
return results
if res == False or isinstance(res, Exception):
results.append((levels[:], None, res))
if levels:
levels.pop()
return results
for key, val in res.items():
if val == True:
continue
if isinstance(cfg.get(key), dict):
levels.append(key)
flatten_errors(cfg[key], val, levels, results)
continue
results.append((levels[:], key, val))
if levels:
levels.pop()
return results
| flatten_errors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cfg, res, levels=None, results=None):\n if levels is None:\n levels = []\n results = []\n if res == True:\n return results\n if res == False or isinstance(res, Exception):\n results.append((levels[:], None, res))\n if levels:\n levels.pop()\n return results\n for key, val in res.items():\n if val == True:\n continue\n if isinstance(cfg.get(key), dict):\n levels.append(key)\n flatten_errors(cfg[key], val, levels, results)\n continue\n results.append((levels[:], key, val))\n if levels:\n levels.pop()\n return results\n",
"role": "user"
},
{
"content": "flatten_errors",
"role": "assistant"
}
] |
def x(conf, _prepend=()):
out = []
out.extend([(_prepend, name) for name in conf.extra_values])
for name in conf.sections:
if name not in conf.extra_values:
out.extend(get_extra_values(conf[name], _prepend + (name,)))
return out
| get_extra_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(conf, _prepend=()):\n out = []\n out.extend([(_prepend, name) for name in conf.extra_values])\n for name in conf.sections:\n if name not in conf.extra_values:\n out.extend(get_extra_values(conf[name], _prepend + (name,)))\n return out\n",
"role": "user"
},
{
"content": "get_extra_values",
"role": "assistant"
}
] |
def x(self, key):
save_interp = self.section.main.interpolation
self.section.main.interpolation = False
current_section = self.section
while True:
val = current_section.get(key)
if val is not None and not isinstance(val, Section):
break
val = current_section.get('DEFAULT', {}).get(key)
if val is not None and not isinstance(val, Section):
break
if current_section.parent is current_section:
break
current_section = current_section.parent
self.section.main.interpolation = save_interp
if val is None:
raise MissingInterpolationOption(key)
return val, current_section
| fetch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n save_interp = self.section.main.interpolation\n self.section.main.interpolation = False\n current_section = self.section\n while True:\n val = current_section.get(key)\n if val is not None and not isinstance(val, Section):\n break\n val = current_section.get('DEFAULT', {}).get(key)\n if val is not None and not isinstance(val, Section):\n break\n if current_section.parent is current_section:\n break\n current_section = current_section.parent\n self.section.main.interpolation = save_interp\n if val is None:\n raise MissingInterpolationOption(key)\n return val, current_section\n",
"role": "user"
},
{
"content": "fetch",
"role": "assistant"
}
] |
def x(self, key, default=MISSING):
try:
val = self[key]
except KeyError:
if default is MISSING:
raise
val = default
else:
del self[key]
return val
| pop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default=MISSING):\n try:\n val = self[key]\n except KeyError:\n if default is MISSING:\n raise\n val = default\n else:\n del self[key]\n return val\n",
"role": "user"
},
{
"content": "pop",
"role": "assistant"
}
] |
def x(self):
sequence = self.scalars + self.sections
if not sequence:
raise KeyError(": 'popitem(): dictionary is empty'")
key = sequence[0]
val = self[key]
del self[key]
return key, val
| popitem | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sequence = self.scalars + self.sections\n if not sequence:\n raise KeyError(\": 'popitem(): dictionary is empty'\")\n key = sequence[0]\n val = self[key]\n del self[key]\n return key, val\n",
"role": "user"
},
{
"content": "popitem",
"role": "assistant"
}
] |
def x(self):
dict.clear(self)
self.scalars = []
self.sections = []
self.comments = {}
self.inline_comments = {}
self.configspec = None
self.defaults = []
self.extra_values = []
| clear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n dict.clear(self)\n self.scalars = []\n self.sections = []\n self.comments = {}\n self.inline_comments = {}\n self.configspec = None\n self.defaults = []\n self.extra_values = []\n",
"role": "user"
},
{
"content": "clear",
"role": "assistant"
}
] |
def x(self):
return list(zip(self.scalars + self.sections, list(self.values())))
| items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return list(zip(self.scalars + self.sections, list(self.values())))\n",
"role": "user"
},
{
"content": "items",
"role": "assistant"
}
] |
def x(self):
newdict = {}
for entry in self:
this_entry = self[entry]
if isinstance(this_entry, Section):
this_entry = this_entry.dict()
elif isinstance(this_entry, list):
this_entry = list(this_entry)
elif isinstance(this_entry, tuple):
this_entry = tuple(this_entry)
newdict[entry] = this_entry
return newdict
| dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n newdict = {}\n for entry in self:\n this_entry = self[entry]\n if isinstance(this_entry, Section):\n this_entry = this_entry.dict()\n elif isinstance(this_entry, list):\n this_entry = list(this_entry)\n elif isinstance(this_entry, tuple):\n this_entry = tuple(this_entry)\n newdict[entry] = this_entry\n return newdict\n",
"role": "user"
},
{
"content": "dict",
"role": "assistant"
}
] |
def x(self, indict):
for key, val in list(indict.items()):
if key in self and isinstance(self[key], dict) and isinstance(val, dict
):
self[key].merge(val)
else:
self[key] = val
| merge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indict):\n for key, val in list(indict.items()):\n if key in self and isinstance(self[key], dict) and isinstance(val, dict\n ):\n self[key].merge(val)\n else:\n self[key] = val\n",
"role": "user"
},
{
"content": "merge",
"role": "assistant"
}
] |
def x(self, oldkey, newkey):
if oldkey in self.scalars:
the_list = self.scalars
elif oldkey in self.sections:
the_list = self.sections
else:
raise KeyError('Key "%s" not found.' % oldkey)
pos = the_list.index(oldkey)
val = self[oldkey]
dict.__delitem__(self, oldkey)
dict.__setitem__(self, newkey, val)
the_list.remove(oldkey)
the_list.insert(pos, newkey)
comm = self.comments[oldkey]
inline_comment = self.inline_comments[oldkey]
del self.comments[oldkey]
del self.inline_comments[oldkey]
self.comments[newkey] = comm
self.inline_comments[newkey] = inline_comment
| rename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, oldkey, newkey):\n if oldkey in self.scalars:\n the_list = self.scalars\n elif oldkey in self.sections:\n the_list = self.sections\n else:\n raise KeyError('Key \"%s\" not found.' % oldkey)\n pos = the_list.index(oldkey)\n val = self[oldkey]\n dict.__delitem__(self, oldkey)\n dict.__setitem__(self, newkey, val)\n the_list.remove(oldkey)\n the_list.insert(pos, newkey)\n comm = self.comments[oldkey]\n inline_comment = self.inline_comments[oldkey]\n del self.comments[oldkey]\n del self.inline_comments[oldkey]\n self.comments[newkey] = comm\n self.inline_comments[newkey] = inline_comment\n",
"role": "user"
},
{
"content": "rename",
"role": "assistant"
}
] |
def x(self, function, raise_errors=True, call_on_sections=False, **keywargs):
out = {}
for i in range(len(self.scalars)):
entry = self.scalars[i]
try:
val = function(self, entry, **keywargs)
entry = self.scalars[i]
out[entry] = val
except Exception:
if raise_errors:
raise
else:
entry = self.scalars[i]
out[entry] = False
for i in range(len(self.sections)):
entry = self.sections[i]
if call_on_sections:
try:
function(self, entry, **keywargs)
except Exception:
if raise_errors:
raise
else:
entry = self.sections[i]
out[entry] = False
entry = self.sections[i]
out[entry] = self[entry].walk(function, raise_errors=raise_errors,
call_on_sections=call_on_sections, **keywargs)
return out
| walk | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, function, raise_errors=True, call_on_sections=False, **keywargs):\n out = {}\n for i in range(len(self.scalars)):\n entry = self.scalars[i]\n try:\n val = function(self, entry, **keywargs)\n entry = self.scalars[i]\n out[entry] = val\n except Exception:\n if raise_errors:\n raise\n else:\n entry = self.scalars[i]\n out[entry] = False\n for i in range(len(self.sections)):\n entry = self.sections[i]\n if call_on_sections:\n try:\n function(self, entry, **keywargs)\n except Exception:\n if raise_errors:\n raise\n else:\n entry = self.sections[i]\n out[entry] = False\n entry = self.sections[i]\n out[entry] = self[entry].walk(function, raise_errors=raise_errors,\n call_on_sections=call_on_sections, **keywargs)\n return out\n",
"role": "user"
},
{
"content": "walk",
"role": "assistant"
}
] |
def x(self, key):
val = self[key]
if val == True:
return True
elif val == False:
return False
else:
try:
if not isinstance(val, string_types):
raise KeyError()
else:
return self.main._bools[val.lower()]
except KeyError:
raise ValueError('Value "%s" is neither True nor False' % val)
| as_bool | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n val = self[key]\n if val == True:\n return True\n elif val == False:\n return False\n else:\n try:\n if not isinstance(val, string_types):\n raise KeyError()\n else:\n return self.main._bools[val.lower()]\n except KeyError:\n raise ValueError('Value \"%s\" is neither True nor False' % val)\n",
"role": "user"
},
{
"content": "as_bool",
"role": "assistant"
}
] |
def x(self, key):
result = self[key]
if isinstance(result, (tuple, list)):
return list(result)
return [result]
| as_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n result = self[key]\n if isinstance(result, (tuple, list)):\n return list(result)\n return [result]\n",
"role": "user"
},
{
"content": "as_list",
"role": "assistant"
}
] |
def x(self, key):
default = self.default_values[key]
dict.__setitem__(self, key, default)
if key not in self.defaults:
self.defaults.append(key)
return default
| restore_default | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n default = self.default_values[key]\n dict.__setitem__(self, key, default)\n if key not in self.defaults:\n self.defaults.append(key)\n return default\n",
"role": "user"
},
{
"content": "restore_default",
"role": "assistant"
}
] |
def x(self):
for key in self.default_values:
self.restore_default(key)
for section in self.sections:
self[section].restore_defaults()
| restore_defaults | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for key in self.default_values:\n self.restore_default(key)\n for section in self.sections:\n self[section].restore_defaults()\n",
"role": "user"
},
{
"content": "restore_defaults",
"role": "assistant"
}
] |
def x(self, infile):
if self.encoding is not None and self.encoding.lower() not in BOM_LIST:
return self._decode(infile, self.encoding)
if isinstance(infile, (list, tuple)):
line = infile[0]
else:
line = infile
if self.encoding is not None:
enc = BOM_LIST[self.encoding.lower()]
if enc == 'utf_16':
for BOM, (encoding, final_encoding) in list(BOMS.items()):
if not final_encoding:
continue
if infile.startswith(BOM):
return self._decode(infile, encoding)
return self._decode(infile, self.encoding)
BOM = BOM_SET[enc]
if not line.startswith(BOM):
return self._decode(infile, self.encoding)
newline = line[len(BOM):]
if isinstance(infile, (list, tuple)):
infile[0] = newline
else:
infile = newline
self.BOM = True
return self._decode(infile, self.encoding)
for BOM, (encoding, final_encoding) in list(BOMS.items()):
if not isinstance(BOM, str) or not line.startswith(BOM):
continue
else:
self.encoding = final_encoding
if not final_encoding:
self.BOM = True
newline = line[len(BOM):]
if isinstance(infile, (list, tuple)):
infile[0] = newline
else:
infile = newline
if isinstance(infile, string_types):
return infile.splitlines(True)
else:
return infile
return self._decode(infile, encoding)
if isinstance(infile, string_types):
return infile.splitlines(True)
return infile
| handle_bom | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infile):\n if self.encoding is not None and self.encoding.lower() not in BOM_LIST:\n return self._decode(infile, self.encoding)\n if isinstance(infile, (list, tuple)):\n line = infile[0]\n else:\n line = infile\n if self.encoding is not None:\n enc = BOM_LIST[self.encoding.lower()]\n if enc == 'utf_16':\n for BOM, (encoding, final_encoding) in list(BOMS.items()):\n if not final_encoding:\n continue\n if infile.startswith(BOM):\n return self._decode(infile, encoding)\n return self._decode(infile, self.encoding)\n BOM = BOM_SET[enc]\n if not line.startswith(BOM):\n return self._decode(infile, self.encoding)\n newline = line[len(BOM):]\n if isinstance(infile, (list, tuple)):\n infile[0] = newline\n else:\n infile = newline\n self.BOM = True\n return self._decode(infile, self.encoding)\n for BOM, (encoding, final_encoding) in list(BOMS.items()):\n if not isinstance(BOM, str) or not line.startswith(BOM):\n continue\n else:\n self.encoding = final_encoding\n if not final_encoding:\n self.BOM = True\n newline = line[len(BOM):]\n if isinstance(infile, (list, tuple)):\n infile[0] = newline\n else:\n infile = newline\n if isinstance(infile, string_types):\n return infile.splitlines(True)\n else:\n return infile\n return self._decode(infile, encoding)\n if isinstance(infile, string_types):\n return infile.splitlines(True)\n return infile\n",
"role": "user"
},
{
"content": "handle_bom",
"role": "assistant"
}
] |
def x(self, infile, encoding):
if isinstance(infile, string_types):
return infile.decode(encoding).splitlines(True)
for i, line in enumerate(infile):
if PY3K:
if not isinstance(line, str):
infile[i] = line.decode(encoding)
elif not isinstance(line, unicode):
infile[i] = line.decode(encoding)
return infile
| decode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infile, encoding):\n if isinstance(infile, string_types):\n return infile.decode(encoding).splitlines(True)\n for i, line in enumerate(infile):\n if PY3K:\n if not isinstance(line, str):\n infile[i] = line.decode(encoding)\n elif not isinstance(line, unicode):\n infile[i] = line.decode(encoding)\n return infile\n",
"role": "user"
},
{
"content": "decode",
"role": "assistant"
}
] |
def x(self, line):
if not self.encoding:
return line
if isinstance(line, str) and self.default_encoding:
return line.decode(self.default_encoding)
return line
| decode_element | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, line):\n if not self.encoding:\n return line\n if isinstance(line, str) and self.default_encoding:\n return line.decode(self.default_encoding)\n return line\n",
"role": "user"
},
{
"content": "decode_element",
"role": "assistant"
}
] |
def x(self, infile):
temp_list_values = self.list_values
if self.unrepr:
self.list_values = False
comment_list = []
done_start = False
this_section = self
maxline = len(infile) - 1
cur_index = -1
reset_comment = False
while cur_index < maxline:
if reset_comment:
comment_list = []
cur_index += 1
line = infile[cur_index]
sline = line.strip()
if not sline or sline.startswith('#'):
reset_comment = False
comment_list.append(line)
continue
if not done_start:
self.initial_comment = comment_list
comment_list = []
done_start = True
reset_comment = True
mat = self._sectionmarker.match(line)
if mat is not None:
indent, sect_open, sect_name, sect_close, comment = mat.groups()
if indent and self.indent_type is None:
self.indent_type = indent
cur_depth = sect_open.count('[')
if cur_depth != sect_close.count(']'):
self._handle_error(
'Cannot compute the section depth at line %s.',
NestingError, infile, cur_index)
continue
if cur_depth < this_section.depth:
try:
parent = self._match_depth(this_section, cur_depth).parent
except SyntaxError:
self._handle_error(
'Cannot compute nesting level at line %s.',
NestingError, infile, cur_index)
continue
elif cur_depth == this_section.depth:
parent = this_section.parent
elif cur_depth == this_section.depth + 1:
parent = this_section
else:
self._handle_error('Section too nested at line %s.',
NestingError, infile, cur_index)
sect_name = self._unquote(sect_name)
if sect_name in parent:
self._handle_error('Duplicate section name at line %s.',
DuplicateError, infile, cur_index)
continue
this_section = Section(parent, cur_depth, self, name=sect_name)
parent[sect_name] = this_section
parent.inline_comments[sect_name] = comment
parent.comments[sect_name] = comment_list
continue
mat = self._keyword.match(line)
if mat is None:
self._handle_error('Invalid line at line "%s".', ParseError,
infile, cur_index)
else:
indent, key, value = mat.groups()
if indent and self.indent_type is None:
self.indent_type = indent
if value[:3] in ['"""', "'''"]:
try:
value, comment, cur_index = self._multiline(value,
infile, cur_index, maxline)
except SyntaxError:
self._handle_error('Parse error in value at line %s.',
ParseError, infile, cur_index)
continue
else:
if self.unrepr:
comment = ''
try:
value = unrepr(value)
except Exception as e:
if type(e) == UnknownType:
msg = (
'Unknown name or type in value at line %s.'
)
else:
msg = 'Parse error in value at line %s.'
self._handle_error(msg, UnreprError, infile,
cur_index)
continue
elif self.unrepr:
comment = ''
try:
value = unrepr(value)
except Exception as e:
if isinstance(e, UnknownType):
msg = 'Unknown name or type in value at line %s.'
else:
msg = 'Parse error in value at line %s.'
self._handle_error(msg, UnreprError, infile, cur_index)
continue
else:
try:
value, comment = self._handle_value(value)
except SyntaxError:
self._handle_error('Parse error in value at line %s.',
ParseError, infile, cur_index)
continue
key = self._unquote(key)
if key in this_section:
self._handle_error('Duplicate keyword name at line %s.',
DuplicateError, infile, cur_index)
continue
this_section.__setitem__(key, value, unrepr=True)
this_section.inline_comments[key] = comment
this_section.comments[key] = comment_list
continue
if self.indent_type is None:
self.indent_type = ''
if not self and not self.initial_comment:
self.initial_comment = comment_list
elif not reset_comment:
self.final_comment = comment_list
self.list_values = temp_list_values
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infile):\n temp_list_values = self.list_values\n if self.unrepr:\n self.list_values = False\n comment_list = []\n done_start = False\n this_section = self\n maxline = len(infile) - 1\n cur_index = -1\n reset_comment = False\n while cur_index < maxline:\n if reset_comment:\n comment_list = []\n cur_index += 1\n line = infile[cur_index]\n sline = line.strip()\n if not sline or sline.startswith('#'):\n reset_comment = False\n comment_list.append(line)\n continue\n if not done_start:\n self.initial_comment = comment_list\n comment_list = []\n done_start = True\n reset_comment = True\n mat = self._sectionmarker.match(line)\n if mat is not None:\n indent, sect_open, sect_name, sect_close, comment = mat.groups()\n if indent and self.indent_type is None:\n self.indent_type = indent\n cur_depth = sect_open.count('[')\n if cur_depth != sect_close.count(']'):\n self._handle_error(\n 'Cannot compute the section depth at line %s.',\n NestingError, infile, cur_index)\n continue\n if cur_depth < this_section.depth:\n try:\n parent = self._match_depth(this_section, cur_depth).parent\n except SyntaxError:\n self._handle_error(\n 'Cannot compute nesting level at line %s.',\n NestingError, infile, cur_index)\n continue\n elif cur_depth == this_section.depth:\n parent = this_section.parent\n elif cur_depth == this_section.depth + 1:\n parent = this_section\n else:\n self._handle_error('Section too nested at line %s.',\n NestingError, infile, cur_index)\n sect_name = self._unquote(sect_name)\n if sect_name in parent:\n self._handle_error('Duplicate section name at line %s.',\n DuplicateError, infile, cur_index)\n continue\n this_section = Section(parent, cur_depth, self, name=sect_name)\n parent[sect_name] = this_section\n parent.inline_comments[sect_name] = comment\n parent.comments[sect_name] = comment_list\n continue\n mat = self._keyword.match(line)\n if mat is None:\n self._handle_error('Invalid line at line \"%s\".', ParseError,\n infile, cur_index)\n else:\n indent, key, value = mat.groups()\n if indent and self.indent_type is None:\n self.indent_type = indent\n if value[:3] in ['\"\"\"', \"'''\"]:\n try:\n value, comment, cur_index = self._multiline(value,\n infile, cur_index, maxline)\n except SyntaxError:\n self._handle_error('Parse error in value at line %s.',\n ParseError, infile, cur_index)\n continue\n else:\n if self.unrepr:\n comment = ''\n try:\n value = unrepr(value)\n except Exception as e:\n if type(e) == UnknownType:\n msg = (\n 'Unknown name or type in value at line %s.'\n )\n else:\n msg = 'Parse error in value at line %s.'\n self._handle_error(msg, UnreprError, infile,\n cur_index)\n continue\n elif self.unrepr:\n comment = ''\n try:\n value = unrepr(value)\n except Exception as e:\n if isinstance(e, UnknownType):\n msg = 'Unknown name or type in value at line %s.'\n else:\n msg = 'Parse error in value at line %s.'\n self._handle_error(msg, UnreprError, infile, cur_index)\n continue\n else:\n try:\n value, comment = self._handle_value(value)\n except SyntaxError:\n self._handle_error('Parse error in value at line %s.',\n ParseError, infile, cur_index)\n continue\n key = self._unquote(key)\n if key in this_section:\n self._handle_error('Duplicate keyword name at line %s.',\n DuplicateError, infile, cur_index)\n continue\n this_section.__setitem__(key, value, unrepr=True)\n this_section.inline_comments[key] = comment\n this_section.comments[key] = comment_list\n continue\n if self.indent_type is None:\n self.indent_type = ''\n if not self and not self.initial_comment:\n self.initial_comment = comment_list\n elif not reset_comment:\n self.final_comment = comment_list\n self.list_values = temp_list_values\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, sect, depth):
while depth < sect.depth:
if sect is sect.parent:
raise SyntaxError()
sect = sect.parent
if sect.depth == depth:
return sect
raise SyntaxError()
| match_depth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sect, depth):\n while depth < sect.depth:\n if sect is sect.parent:\n raise SyntaxError()\n sect = sect.parent\n if sect.depth == depth:\n return sect\n raise SyntaxError()\n",
"role": "user"
},
{
"content": "match_depth",
"role": "assistant"
}
] |
def x(self, text, ErrorClass, infile, cur_index):
line = infile[cur_index]
cur_index += 1
message = text % cur_index
error = ErrorClass(message, cur_index, line)
if self.raise_errors:
raise error
self._errors.append(error)
| handle_error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, ErrorClass, infile, cur_index):\n line = infile[cur_index]\n cur_index += 1\n message = text % cur_index\n error = ErrorClass(message, cur_index, line)\n if self.raise_errors:\n raise error\n self._errors.append(error)\n",
"role": "user"
},
{
"content": "handle_error",
"role": "assistant"
}
] |
def x(self, value):
if not value:
raise SyntaxError
if value[0] == value[-1] and value[0] in ('"', "'"):
value = value[1:-1]
return value
| unquote | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if not value:\n raise SyntaxError\n if value[0] == value[-1] and value[0] in ('\"', \"'\"):\n value = value[1:-1]\n return value\n",
"role": "user"
},
{
"content": "unquote",
"role": "assistant"
}
] |
def x(self, value, multiline=True):
if multiline and self.write_empty_values and value == '':
return ''
if multiline and isinstance(value, (list, tuple)):
if not value:
return ','
elif len(value) == 1:
return self._quote(value[0], multiline=False) + ','
return ', '.join([self._quote(val, multiline=False) for val in value])
if not isinstance(value, string_types):
if self.stringify:
value = str(value)
else:
raise TypeError('Value "%s" is not a string.' % value)
if not value:
return '""'
no_lists_no_quotes = (not self.list_values and '\n' not in value and
'#' not in value)
need_triple = multiline and ("'" in value and '"' in value or '\n' in value
)
hash_triple_quote = (multiline and not need_triple and "'" in value and
'"' in value and '#' in value)
check_for_single = (no_lists_no_quotes or not need_triple
) and not hash_triple_quote
if check_for_single:
if not self.list_values:
quot = noquot
elif '\n' in value:
raise ConfigObjError('Value "%s" cannot be safely quoted.' % value)
elif value[0] not in wspace_plus and value[-1
] not in wspace_plus and ',' not in value:
quot = noquot
else:
quot = self._get_single_quote(value)
else:
quot = self._get_triple_quote(value)
if quot == noquot and '#' in value and self.list_values:
quot = self._get_single_quote(value)
return quot % value
| quote | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, multiline=True):\n if multiline and self.write_empty_values and value == '':\n return ''\n if multiline and isinstance(value, (list, tuple)):\n if not value:\n return ','\n elif len(value) == 1:\n return self._quote(value[0], multiline=False) + ','\n return ', '.join([self._quote(val, multiline=False) for val in value])\n if not isinstance(value, string_types):\n if self.stringify:\n value = str(value)\n else:\n raise TypeError('Value \"%s\" is not a string.' % value)\n if not value:\n return '\"\"'\n no_lists_no_quotes = (not self.list_values and '\\n' not in value and \n '#' not in value)\n need_triple = multiline and (\"'\" in value and '\"' in value or '\\n' in value\n )\n hash_triple_quote = (multiline and not need_triple and \"'\" in value and\n '\"' in value and '#' in value)\n check_for_single = (no_lists_no_quotes or not need_triple\n ) and not hash_triple_quote\n if check_for_single:\n if not self.list_values:\n quot = noquot\n elif '\\n' in value:\n raise ConfigObjError('Value \"%s\" cannot be safely quoted.' % value)\n elif value[0] not in wspace_plus and value[-1\n ] not in wspace_plus and ',' not in value:\n quot = noquot\n else:\n quot = self._get_single_quote(value)\n else:\n quot = self._get_triple_quote(value)\n if quot == noquot and '#' in value and self.list_values:\n quot = self._get_single_quote(value)\n return quot % value\n",
"role": "user"
},
{
"content": "quote",
"role": "assistant"
}
] |
def x(self, value):
if self._inspec:
return value, ''
if not self.list_values:
mat = self._nolistvalue.match(value)
if mat is None:
raise SyntaxError()
return mat.groups()
mat = self._valueexp.match(value)
if mat is None:
raise SyntaxError()
list_values, single, empty_list, comment = mat.groups()
if list_values == '' and single is None:
raise SyntaxError()
if empty_list is not None:
return [], comment
if single is not None:
if list_values and not single:
single = None
else:
single = single or '""'
single = self._unquote(single)
if list_values == '':
return single, comment
the_list = self._listvalueexp.findall(list_values)
the_list = [self._unquote(val) for val in the_list]
if single is not None:
the_list += [single]
return the_list, comment
| handle_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if self._inspec:\n return value, ''\n if not self.list_values:\n mat = self._nolistvalue.match(value)\n if mat is None:\n raise SyntaxError()\n return mat.groups()\n mat = self._valueexp.match(value)\n if mat is None:\n raise SyntaxError()\n list_values, single, empty_list, comment = mat.groups()\n if list_values == '' and single is None:\n raise SyntaxError()\n if empty_list is not None:\n return [], comment\n if single is not None:\n if list_values and not single:\n single = None\n else:\n single = single or '\"\"'\n single = self._unquote(single)\n if list_values == '':\n return single, comment\n the_list = self._listvalueexp.findall(list_values)\n the_list = [self._unquote(val) for val in the_list]\n if single is not None:\n the_list += [single]\n return the_list, comment\n",
"role": "user"
},
{
"content": "handle_value",
"role": "assistant"
}
] |
def x(self, value, infile, cur_index, maxline):
quot = value[:3]
newvalue = value[3:]
single_line = self._triple_quote[quot][0]
multi_line = self._triple_quote[quot][1]
mat = single_line.match(value)
if mat is not None:
retval = list(mat.groups())
retval.append(cur_index)
return retval
elif newvalue.find(quot) != -1:
raise SyntaxError()
while cur_index < maxline:
cur_index += 1
newvalue += '\n'
line = infile[cur_index]
if line.find(quot) == -1:
newvalue += line
else:
break
else:
raise SyntaxError()
mat = multi_line.match(line)
if mat is None:
raise SyntaxError()
value, comment = mat.groups()
return newvalue + value, comment, cur_index
| multiline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, infile, cur_index, maxline):\n quot = value[:3]\n newvalue = value[3:]\n single_line = self._triple_quote[quot][0]\n multi_line = self._triple_quote[quot][1]\n mat = single_line.match(value)\n if mat is not None:\n retval = list(mat.groups())\n retval.append(cur_index)\n return retval\n elif newvalue.find(quot) != -1:\n raise SyntaxError()\n while cur_index < maxline:\n cur_index += 1\n newvalue += '\\n'\n line = infile[cur_index]\n if line.find(quot) == -1:\n newvalue += line\n else:\n break\n else:\n raise SyntaxError()\n mat = multi_line.match(line)\n if mat is None:\n raise SyntaxError()\n value, comment = mat.groups()\n return newvalue + value, comment, cur_index\n",
"role": "user"
},
{
"content": "multiline",
"role": "assistant"
}
] |
def x(self, configspec):
if not isinstance(configspec, ConfigObj):
try:
configspec = ConfigObj(configspec, raise_errors=True,
file_error=True, _inspec=True)
except ConfigObjError as e:
raise ConfigspecError('Parsing configspec failed: %s' % e)
except IOError as e:
raise IOError('Reading configspec failed: %s' % e)
self.configspec = configspec
| handle_configspec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, configspec):\n if not isinstance(configspec, ConfigObj):\n try:\n configspec = ConfigObj(configspec, raise_errors=True,\n file_error=True, _inspec=True)\n except ConfigObjError as e:\n raise ConfigspecError('Parsing configspec failed: %s' % e)\n except IOError as e:\n raise IOError('Reading configspec failed: %s' % e)\n self.configspec = configspec\n",
"role": "user"
},
{
"content": "handle_configspec",
"role": "assistant"
}
] |
def x(self, section, copy):
configspec = section.configspec
many = configspec.get('__many__')
if isinstance(many, dict):
for entry in section.sections:
if entry not in configspec:
section[entry].configspec = many
for entry in configspec.sections:
if entry == '__many__':
continue
if entry not in section:
section[entry] = {}
section[entry]._created = True
if copy:
section.comments[entry] = configspec.comments.get(entry, [])
section.inline_comments[entry
] = configspec.inline_comments.get(entry, '')
if isinstance(section[entry], Section):
section[entry].configspec = configspec[entry]
| set_configspec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, section, copy):\n configspec = section.configspec\n many = configspec.get('__many__')\n if isinstance(many, dict):\n for entry in section.sections:\n if entry not in configspec:\n section[entry].configspec = many\n for entry in configspec.sections:\n if entry == '__many__':\n continue\n if entry not in section:\n section[entry] = {}\n section[entry]._created = True\n if copy:\n section.comments[entry] = configspec.comments.get(entry, [])\n section.inline_comments[entry\n ] = configspec.inline_comments.get(entry, '')\n if isinstance(section[entry], Section):\n section[entry].configspec = configspec[entry]\n",
"role": "user"
},
{
"content": "set_configspec",
"role": "assistant"
}
] |
def x(self, indent_string, entry, this_entry, comment):
if not self.unrepr:
val = self._decode_element(self._quote(this_entry))
else:
val = repr(this_entry)
return '%s%s%s%s%s' % (indent_string, self._decode_element(self._quote(
entry, multiline=False)), self._a_to_u(' = '), val, self.
_decode_element(comment))
| write_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indent_string, entry, this_entry, comment):\n if not self.unrepr:\n val = self._decode_element(self._quote(this_entry))\n else:\n val = repr(this_entry)\n return '%s%s%s%s%s' % (indent_string, self._decode_element(self._quote(\n entry, multiline=False)), self._a_to_u(' = '), val, self.\n _decode_element(comment))\n",
"role": "user"
},
{
"content": "write_line",
"role": "assistant"
}
] |
def x(self, indent_string, depth, entry, comment):
return '%s%s%s%s%s' % (indent_string, self._a_to_u('[' * depth), self.
_quote(self._decode_element(entry), multiline=False), self._a_to_u(
']' * depth), self._decode_element(comment))
| write_marker | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indent_string, depth, entry, comment):\n return '%s%s%s%s%s' % (indent_string, self._a_to_u('[' * depth), self.\n _quote(self._decode_element(entry), multiline=False), self._a_to_u(\n ']' * depth), self._decode_element(comment))\n",
"role": "user"
},
{
"content": "write_marker",
"role": "assistant"
}
] |
def x(self, comment):
if not comment:
return ''
start = self.indent_type
if not comment.startswith('#'):
start += self._a_to_u(' # ')
return start + comment
| handle_comment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, comment):\n if not comment:\n return ''\n start = self.indent_type\n if not comment.startswith('#'):\n start += self._a_to_u(' # ')\n return start + comment\n",
"role": "user"
},
{
"content": "handle_comment",
"role": "assistant"
}
] |
def x(self, outfile=None, section=None):
if self.indent_type is None:
self.indent_type = DEFAULT_INDENT_TYPE
out = []
cs = self._a_to_u('#')
csp = self._a_to_u('# ')
if section is None:
int_val = self.interpolation
self.interpolation = False
section = self
for line in self.initial_comment:
line = self._decode_element(line)
stripped_line = line.strip()
if stripped_line and not stripped_line.startswith(cs):
line = csp + line
out.append(line)
indent_string = self.indent_type * section.depth
for entry in (section.scalars + section.sections):
if entry in section.defaults:
continue
for comment_line in section.comments[entry]:
comment_line = self._decode_element(comment_line.lstrip())
if comment_line and not comment_line.startswith(cs):
comment_line = csp + comment_line
out.append(indent_string + comment_line)
this_entry = section[entry]
comment = self._handle_comment(section.inline_comments[entry])
if isinstance(this_entry, dict):
out.append(self._write_marker(indent_string, this_entry.depth,
entry, comment))
out.extend(self.write(section=this_entry))
else:
out.append(self._write_line(indent_string, entry, this_entry,
comment))
if section is self:
for line in self.final_comment:
line = self._decode_element(line)
stripped_line = line.strip()
if stripped_line and not stripped_line.startswith(cs):
line = csp + line
out.append(line)
self.interpolation = int_val
if section is not self:
return out
if self.filename is None and outfile is None:
if self.encoding:
out = [l.encode(self.encoding) for l in out]
if self.BOM and (self.encoding is None or BOM_LIST.get(self.
encoding.lower()) == 'utf_8'):
if not out:
out.append('')
out[0] = BOM_UTF8 + out[0]
return out
newline = self.newlines or os.linesep
if (getattr(outfile, 'mode', None) is not None and outfile.mode == 'w' and
sys.platform == 'win32' and newline == '\r\n'):
newline = '\n'
output = self._a_to_u(newline).join(out)
if self.encoding:
output = output.encode(self.encoding)
if self.BOM and (self.encoding is None or match_utf8(self.encoding)):
output = BOM_UTF8 + output
if not output.endswith(newline):
output += newline
if outfile is not None:
outfile.write(output)
else:
h = open(self.filename, 'w')
h.write(output)
h.close()
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, outfile=None, section=None):\n if self.indent_type is None:\n self.indent_type = DEFAULT_INDENT_TYPE\n out = []\n cs = self._a_to_u('#')\n csp = self._a_to_u('# ')\n if section is None:\n int_val = self.interpolation\n self.interpolation = False\n section = self\n for line in self.initial_comment:\n line = self._decode_element(line)\n stripped_line = line.strip()\n if stripped_line and not stripped_line.startswith(cs):\n line = csp + line\n out.append(line)\n indent_string = self.indent_type * section.depth\n for entry in (section.scalars + section.sections):\n if entry in section.defaults:\n continue\n for comment_line in section.comments[entry]:\n comment_line = self._decode_element(comment_line.lstrip())\n if comment_line and not comment_line.startswith(cs):\n comment_line = csp + comment_line\n out.append(indent_string + comment_line)\n this_entry = section[entry]\n comment = self._handle_comment(section.inline_comments[entry])\n if isinstance(this_entry, dict):\n out.append(self._write_marker(indent_string, this_entry.depth,\n entry, comment))\n out.extend(self.write(section=this_entry))\n else:\n out.append(self._write_line(indent_string, entry, this_entry,\n comment))\n if section is self:\n for line in self.final_comment:\n line = self._decode_element(line)\n stripped_line = line.strip()\n if stripped_line and not stripped_line.startswith(cs):\n line = csp + line\n out.append(line)\n self.interpolation = int_val\n if section is not self:\n return out\n if self.filename is None and outfile is None:\n if self.encoding:\n out = [l.encode(self.encoding) for l in out]\n if self.BOM and (self.encoding is None or BOM_LIST.get(self.\n encoding.lower()) == 'utf_8'):\n if not out:\n out.append('')\n out[0] = BOM_UTF8 + out[0]\n return out\n newline = self.newlines or os.linesep\n if (getattr(outfile, 'mode', None) is not None and outfile.mode == 'w' and\n sys.platform == 'win32' and newline == '\\r\\n'):\n newline = '\\n'\n output = self._a_to_u(newline).join(out)\n if self.encoding:\n output = output.encode(self.encoding)\n if self.BOM and (self.encoding is None or match_utf8(self.encoding)):\n output = BOM_UTF8 + output\n if not output.endswith(newline):\n output += newline\n if outfile is not None:\n outfile.write(output)\n else:\n h = open(self.filename, 'w')\n h.write(output)\n h.close()\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self, validator, preserve_errors=False, copy=False, section=None):
if section is None:
if self.configspec is None:
raise ValueError('No configspec supplied.')
if preserve_errors:
from .validate import VdtMissingValue
self._vdtMissingValue = VdtMissingValue
section = self
if copy:
section.initial_comment = section.configspec.initial_comment
section.final_comment = section.configspec.final_comment
section.encoding = section.configspec.encoding
section.BOM = section.configspec.BOM
section.newlines = section.configspec.newlines
section.indent_type = section.configspec.indent_type
configspec = section.configspec
self._set_configspec(section, copy)
def x(entry, spec, val, missing, ret_true, ret_false):
section.default_values.pop(entry, None)
try:
section.default_values[entry] = validator.get_default_value(
configspec[entry])
except (KeyError, AttributeError, validator.baseErrorClass):
pass
try:
check = validator.check(spec, val, missing=missing)
except validator.baseErrorClass as e:
if not preserve_errors or isinstance(e, self._vdtMissingValue):
out[entry] = False
else:
out[entry] = e
ret_false = False
ret_true = False
else:
ret_false = False
out[entry] = True
if self.stringify or missing:
if not self.stringify:
if isinstance(check, (list, tuple)):
check = [self._str(item) for item in check]
elif missing and check is None:
check = ''
else:
check = self._str(check)
if check != val or missing:
section[entry] = check
if not copy and missing and entry not in section.defaults:
section.defaults.append(entry)
return ret_true, ret_false
out = {}
ret_true = True
ret_false = True
unvalidated = [k for k in section.scalars if k not in configspec]
incorrect_sections = [k for k in configspec.sections if k in section.
scalars]
incorrect_scalars = [k for k in configspec.scalars if k in section.sections
]
for entry in configspec.scalars:
if entry in ('__many__', '___many___'):
continue
if not entry in section.scalars or entry in section.defaults:
missing = True
val = None
if copy and entry not in section.scalars:
section.comments[entry] = configspec.comments.get(entry, [])
section.inline_comments[entry
] = configspec.inline_comments.get(entry, '')
else:
missing = False
val = section[entry]
ret_true, ret_false = validate_entry(entry, configspec[entry], val,
missing, ret_true, ret_false)
many = None
if '__many__' in configspec.scalars:
many = configspec['__many__']
elif '___many___' in configspec.scalars:
many = configspec['___many___']
if many is not None:
for entry in unvalidated:
val = section[entry]
ret_true, ret_false = validate_entry(entry, many, val, False,
ret_true, ret_false)
unvalidated = []
for entry in incorrect_scalars:
ret_true = False
if not preserve_errors:
out[entry] = False
else:
ret_false = False
msg = 'Value %r was provided as a section' % entry
out[entry] = validator.baseErrorClass(msg)
for entry in incorrect_sections:
ret_true = False
if not preserve_errors:
out[entry] = False
else:
ret_false = False
msg = 'Section %r was provided as a single value' % entry
out[entry] = validator.baseErrorClass(msg)
for entry in section.sections:
if section is self and entry == 'DEFAULT':
continue
if section[entry].configspec is None:
unvalidated.append(entry)
continue
if copy:
section.comments[entry] = configspec.comments.get(entry, [])
section.inline_comments[entry] = configspec.inline_comments.get(
entry, '')
check = self.validate(validator, preserve_errors=preserve_errors,
copy=copy, section=section[entry])
out[entry] = check
if check == False:
ret_true = False
elif check == True:
ret_false = False
else:
ret_true = False
section.extra_values = unvalidated
if preserve_errors and not section._created:
ret_false = False
if ret_false and preserve_errors and out:
ret_false = not any(out.values())
if ret_true:
return True
elif ret_false:
return False
return out
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, validator, preserve_errors=False, copy=False, section=None):\n if section is None:\n if self.configspec is None:\n raise ValueError('No configspec supplied.')\n if preserve_errors:\n from .validate import VdtMissingValue\n self._vdtMissingValue = VdtMissingValue\n section = self\n if copy:\n section.initial_comment = section.configspec.initial_comment\n section.final_comment = section.configspec.final_comment\n section.encoding = section.configspec.encoding\n section.BOM = section.configspec.BOM\n section.newlines = section.configspec.newlines\n section.indent_type = section.configspec.indent_type\n configspec = section.configspec\n self._set_configspec(section, copy)\n\n def x(entry, spec, val, missing, ret_true, ret_false):\n section.default_values.pop(entry, None)\n try:\n section.default_values[entry] = validator.get_default_value(\n configspec[entry])\n except (KeyError, AttributeError, validator.baseErrorClass):\n pass\n try:\n check = validator.check(spec, val, missing=missing)\n except validator.baseErrorClass as e:\n if not preserve_errors or isinstance(e, self._vdtMissingValue):\n out[entry] = False\n else:\n out[entry] = e\n ret_false = False\n ret_true = False\n else:\n ret_false = False\n out[entry] = True\n if self.stringify or missing:\n if not self.stringify:\n if isinstance(check, (list, tuple)):\n check = [self._str(item) for item in check]\n elif missing and check is None:\n check = ''\n else:\n check = self._str(check)\n if check != val or missing:\n section[entry] = check\n if not copy and missing and entry not in section.defaults:\n section.defaults.append(entry)\n return ret_true, ret_false\n out = {}\n ret_true = True\n ret_false = True\n unvalidated = [k for k in section.scalars if k not in configspec]\n incorrect_sections = [k for k in configspec.sections if k in section.\n scalars]\n incorrect_scalars = [k for k in configspec.scalars if k in section.sections\n ]\n for entry in configspec.scalars:\n if entry in ('__many__', '___many___'):\n continue\n if not entry in section.scalars or entry in section.defaults:\n missing = True\n val = None\n if copy and entry not in section.scalars:\n section.comments[entry] = configspec.comments.get(entry, [])\n section.inline_comments[entry\n ] = configspec.inline_comments.get(entry, '')\n else:\n missing = False\n val = section[entry]\n ret_true, ret_false = validate_entry(entry, configspec[entry], val,\n missing, ret_true, ret_false)\n many = None\n if '__many__' in configspec.scalars:\n many = configspec['__many__']\n elif '___many___' in configspec.scalars:\n many = configspec['___many___']\n if many is not None:\n for entry in unvalidated:\n val = section[entry]\n ret_true, ret_false = validate_entry(entry, many, val, False,\n ret_true, ret_false)\n unvalidated = []\n for entry in incorrect_scalars:\n ret_true = False\n if not preserve_errors:\n out[entry] = False\n else:\n ret_false = False\n msg = 'Value %r was provided as a section' % entry\n out[entry] = validator.baseErrorClass(msg)\n for entry in incorrect_sections:\n ret_true = False\n if not preserve_errors:\n out[entry] = False\n else:\n ret_false = False\n msg = 'Section %r was provided as a single value' % entry\n out[entry] = validator.baseErrorClass(msg)\n for entry in section.sections:\n if section is self and entry == 'DEFAULT':\n continue\n if section[entry].configspec is None:\n unvalidated.append(entry)\n continue\n if copy:\n section.comments[entry] = configspec.comments.get(entry, [])\n section.inline_comments[entry] = configspec.inline_comments.get(\n entry, '')\n check = self.validate(validator, preserve_errors=preserve_errors,\n copy=copy, section=section[entry])\n out[entry] = check\n if check == False:\n ret_true = False\n elif check == True:\n ret_false = False\n else:\n ret_true = False\n section.extra_values = unvalidated\n if preserve_errors and not section._created:\n ret_false = False\n if ret_false and preserve_errors and out:\n ret_false = not any(out.values())\n if ret_true:\n return True\n elif ret_false:\n return False\n return out\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self):
self.clear()
self._initialise()
self.configspec = None
self._original_configspec = None
| reset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.clear()\n self._initialise()\n self.configspec = None\n self._original_configspec = None\n",
"role": "user"
},
{
"content": "reset",
"role": "assistant"
}
] |
def x(self):
if not isinstance(self.filename, string_types):
raise ReloadError()
filename = self.filename
current_options = {}
for entry in OPTION_DEFAULTS:
if entry == 'configspec':
continue
current_options[entry] = getattr(self, entry)
configspec = self._original_configspec
current_options['configspec'] = configspec
self.clear()
self._initialise(current_options)
self._load(filename, configspec)
| reload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not isinstance(self.filename, string_types):\n raise ReloadError()\n filename = self.filename\n current_options = {}\n for entry in OPTION_DEFAULTS:\n if entry == 'configspec':\n continue\n current_options[entry] = getattr(self, entry)\n configspec = self._original_configspec\n current_options['configspec'] = configspec\n self.clear()\n self._initialise(current_options)\n self._load(filename, configspec)\n",
"role": "user"
},
{
"content": "reload",
"role": "assistant"
}
] |
def x(self, check, member, missing=False):
if missing:
raise self.baseErrorClass()
return member
| check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, check, member, missing=False):\n if missing:\n raise self.baseErrorClass()\n return member\n",
"role": "user"
},
{
"content": "check",
"role": "assistant"
}
] |
def x():
import getopt
try:
opts, args = getopt.getopt(sys.argv[1:], 'hvmo:', ['help',
'verbose', 'multiExtensionConversion', 'outputFileName'])
except getopt.GetoptError as e:
print(str(e))
_usage()
sys.exit(1)
conversionFormat = ''
outputFileNames = []
verbose = False
for o, a in opts:
if o in ('-h', '--help'):
_usage()
print(
' Convert the waivered FITS Files (FILEs) to various formats.'
)
print(
' The default conversion format is multi-extension FITS.'
)
print(' Options:')
print(
' -h, --help display this help message and exit'
)
print(
' -v, --verbose provide verbose output'
)
print(
' -m, --multiExtensionConversion convert to multiExtension FITS format'
)
print(
' -o, --outputFileName comma separated list of output file'
)
print(
' specifications (one per input FILE)'
)
sys.exit()
if o in ('-v', '--verbose'):
verbose = True
if o in ('-m', '--multiExtensionConversion'):
if conversionFormat != '':
print(
'convertwaiveredfits.py: only one conversion format allowed'
)
_usage()
sys.exit(1)
conversionFormat = 'multiExtension'
if o in ('-o', '--outputFileName'):
outputFileNames = a.split(',')
if conversionFormat == '':
conversionFormat = 'multiExtension'
if not args:
print('convertwaiveredfits.py: nothing to convert')
_usage()
sys.exit(1)
else:
files = args
if outputFileNames:
if len(files) != len(outputFileNames):
print(
'convertwaiveredfits.py: number of output file names does not match'
)
print(' the number of FILEs to convert')
_usage()
sys.exit(1)
else:
for i in range(0, len(files)):
outputFileNames.append(None)
return files, outputFileNames, conversionFormat, verbose
| processCommandLineArgs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import getopt\n try:\n opts, args = getopt.getopt(sys.argv[1:], 'hvmo:', ['help',\n 'verbose', 'multiExtensionConversion', 'outputFileName'])\n except getopt.GetoptError as e:\n print(str(e))\n _usage()\n sys.exit(1)\n conversionFormat = ''\n outputFileNames = []\n verbose = False\n for o, a in opts:\n if o in ('-h', '--help'):\n _usage()\n print(\n ' Convert the waivered FITS Files (FILEs) to various formats.'\n )\n print(\n ' The default conversion format is multi-extension FITS.'\n )\n print(' Options:')\n print(\n ' -h, --help display this help message and exit'\n )\n print(\n ' -v, --verbose provide verbose output'\n )\n print(\n ' -m, --multiExtensionConversion convert to multiExtension FITS format'\n )\n print(\n ' -o, --outputFileName comma separated list of output file'\n )\n print(\n ' specifications (one per input FILE)'\n )\n sys.exit()\n if o in ('-v', '--verbose'):\n verbose = True\n if o in ('-m', '--multiExtensionConversion'):\n if conversionFormat != '':\n print(\n 'convertwaiveredfits.py: only one conversion format allowed'\n )\n _usage()\n sys.exit(1)\n conversionFormat = 'multiExtension'\n if o in ('-o', '--outputFileName'):\n outputFileNames = a.split(',')\n if conversionFormat == '':\n conversionFormat = 'multiExtension'\n if not args:\n print('convertwaiveredfits.py: nothing to convert')\n _usage()\n sys.exit(1)\n else:\n files = args\n if outputFileNames:\n if len(files) != len(outputFileNames):\n print(\n 'convertwaiveredfits.py: number of output file names does not match'\n )\n print(' the number of FILEs to convert')\n _usage()\n sys.exit(1)\n else:\n for i in range(0, len(files)):\n outputFileNames.append(None)\n return files, outputFileNames, conversionFormat, verbose\n",
"role": "user"
},
{
"content": "processCommandLineArgs",
"role": "assistant"
}
] |
def x(waiveredHdul):
if len(waiveredHdul) == 2:
if waiveredHdul[0].header['NAXIS'] > 0:
if isinstance(waiveredHdul[1], fits.TableHDU):
if waiveredHdul[0].data.shape[0] == waiveredHdul[1].data.shape[
0] or waiveredHdul[1].data.shape[0] == 1:
return
raise ValueError('Input object does not represent a valid waivered' +
' FITS file')
| verify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(waiveredHdul):\n if len(waiveredHdul) == 2:\n if waiveredHdul[0].header['NAXIS'] > 0:\n if isinstance(waiveredHdul[1], fits.TableHDU):\n if waiveredHdul[0].data.shape[0] == waiveredHdul[1].data.shape[\n 0] or waiveredHdul[1].data.shape[0] == 1:\n return\n raise ValueError('Input object does not represent a valid waivered' +\n ' FITS file')\n",
"role": "user"
},
{
"content": "verify",
"role": "assistant"
}
] |
def x(waiveredObject, multiExtensionFileName=None, forceFileOutput=False,
verbose=False):
if isinstance(waiveredObject, fits.HDUList):
whdul = waiveredObject
inputObjectDescription = 'HDUList object'
else:
try:
whdul = fits.open(waiveredObject)
if isinstance(waiveredObject, string_types):
inputObjectDescription = 'file ' + waiveredObject
else:
inputObjectDescription = 'file ' + waiveredObject.name
except TypeError:
raise TypeError('Input object must be HDUList, file object, ' +
'or file name')
_verify(whdul)
undesiredPrimaryHeaderKeywords = ['ORIGIN', 'FITSDATE', 'FILENAME',
'ALLG-MAX', 'ALLG-MIN', 'ODATTYPE', 'SDASMGNU', 'OPSIZE', 'CTYPE2',
'CD2_2', 'CD2_1', 'CD1_2', 'CTYPE3', 'CD3_3', 'CD3_1', 'CD1_3',
'CD2_3', 'CD3_2']
mPHeader = whdul[0].header
originalDataType = whdul[0].header.get('ODATTYPE', '')
for keyword in undesiredPrimaryHeaderKeywords:
if keyword in mPHeader:
del mPHeader[mPHeader.index(keyword)]
wcols = whdul[1].columns
for keyword in wcols.names:
if keyword in mPHeader:
del mPHeader[keyword]
mPHdu = fits.PrimaryHDU(header=mPHeader)
mPHdu.header.set('EXTEND', value=True, after='NAXIS')
mPHdu.header['NEXTEND'] = whdul[1].data.shape[0
], 'Number of standard extensions'
mhdul = fits.HDUList([mPHdu])
instrument = mPHeader.get('INSTRUME', '')
nrows = whdul[1].data.shape[0]
for i in range(0, nrows):
if nrows == 1:
data = whdul[0].data
else:
data = whdul[0].data[i]
mhdul.append(fits.ImageHDU(data))
for keyword, format, unit in zip(wcols.names, wcols.formats, wcols.
units):
if unit == 'LOGICAL-':
if whdul[1].data.field(keyword)[i].strip() == 'T':
d = True
else:
d = False
elif format[0] == 'E':
fmt = '%' + format[1:] + 'G'
d = eval(fmt % float(whdul[1].data.field(keyword)[i]))
else:
d = whdul[1].data.field(keyword)[i]
kw_descr = ''
if keyword in whdul[1].header:
kw_descr = whdul[1].header[keyword]
mhdul[i + 1].header[keyword] = d, kw_descr
if originalDataType == 'USHORT':
mhdul[i + 1].scale('int16', '', bscale=1, bzero=32768)
mhdul[i + 1].header.set('BSCALE', value=1, before='BZERO')
if instrument in ('WFPC2', 'FOC'):
mhdul[i + 1].header['EXTNAME'] = mPHeader.get('FILETYPE', ''
), 'extension name'
mhdul[i + 1]._extver = i + 1
mhdul[i + 1].header.set('EXTVER', value=i + 1, comment=
'extension version number', after='EXTNAME')
mhdul[i + 1].header.set('EXPNAME', mPHeader.get('ROOTNAME', ''),
'9 character exposure identifier', before='EXTVER')
mhdul[i + 1].header.set('INHERIT', True,
'inherit the primary header', after='EXTVER')
mhdul[i + 1].header.set('ROOTNAME', mPHeader.get('ROOTNAME', ''
), 'rootname of the observationset', after='INHERIT')
if not multiExtensionFileName and forceFileOutput:
base, ext = os.path.splitext(whdul[0]._file.name)
multiExtensionFileName = base[:-1] + 'h' + ext
verboseString = ('Input ' + inputObjectDescription +
' converted to multi-extension FITS format.')
if multiExtensionFileName:
if instrument in ('WFPC2', 'FOC'):
head, tail = os.path.split(multiExtensionFileName)
mhdul[0].header.set('FILENAME', value=tail, after='NEXTEND')
if ASTROPY_VER_GE13:
mhdul.writeto(multiExtensionFileName, overwrite=True)
else:
mhdul.writeto(multiExtensionFileName, clobber=True)
verboseString = verboseString[:-1
] + ' and written to ' + multiExtensionFileName + '.'
if verbose:
print(verboseString)
return mhdul
| toMultiExtensionFits | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(waiveredObject, multiExtensionFileName=None, forceFileOutput=False,\n verbose=False):\n if isinstance(waiveredObject, fits.HDUList):\n whdul = waiveredObject\n inputObjectDescription = 'HDUList object'\n else:\n try:\n whdul = fits.open(waiveredObject)\n if isinstance(waiveredObject, string_types):\n inputObjectDescription = 'file ' + waiveredObject\n else:\n inputObjectDescription = 'file ' + waiveredObject.name\n except TypeError:\n raise TypeError('Input object must be HDUList, file object, ' +\n 'or file name')\n _verify(whdul)\n undesiredPrimaryHeaderKeywords = ['ORIGIN', 'FITSDATE', 'FILENAME',\n 'ALLG-MAX', 'ALLG-MIN', 'ODATTYPE', 'SDASMGNU', 'OPSIZE', 'CTYPE2',\n 'CD2_2', 'CD2_1', 'CD1_2', 'CTYPE3', 'CD3_3', 'CD3_1', 'CD1_3',\n 'CD2_3', 'CD3_2']\n mPHeader = whdul[0].header\n originalDataType = whdul[0].header.get('ODATTYPE', '')\n for keyword in undesiredPrimaryHeaderKeywords:\n if keyword in mPHeader:\n del mPHeader[mPHeader.index(keyword)]\n wcols = whdul[1].columns\n for keyword in wcols.names:\n if keyword in mPHeader:\n del mPHeader[keyword]\n mPHdu = fits.PrimaryHDU(header=mPHeader)\n mPHdu.header.set('EXTEND', value=True, after='NAXIS')\n mPHdu.header['NEXTEND'] = whdul[1].data.shape[0\n ], 'Number of standard extensions'\n mhdul = fits.HDUList([mPHdu])\n instrument = mPHeader.get('INSTRUME', '')\n nrows = whdul[1].data.shape[0]\n for i in range(0, nrows):\n if nrows == 1:\n data = whdul[0].data\n else:\n data = whdul[0].data[i]\n mhdul.append(fits.ImageHDU(data))\n for keyword, format, unit in zip(wcols.names, wcols.formats, wcols.\n units):\n if unit == 'LOGICAL-':\n if whdul[1].data.field(keyword)[i].strip() == 'T':\n d = True\n else:\n d = False\n elif format[0] == 'E':\n fmt = '%' + format[1:] + 'G'\n d = eval(fmt % float(whdul[1].data.field(keyword)[i]))\n else:\n d = whdul[1].data.field(keyword)[i]\n kw_descr = ''\n if keyword in whdul[1].header:\n kw_descr = whdul[1].header[keyword]\n mhdul[i + 1].header[keyword] = d, kw_descr\n if originalDataType == 'USHORT':\n mhdul[i + 1].scale('int16', '', bscale=1, bzero=32768)\n mhdul[i + 1].header.set('BSCALE', value=1, before='BZERO')\n if instrument in ('WFPC2', 'FOC'):\n mhdul[i + 1].header['EXTNAME'] = mPHeader.get('FILETYPE', ''\n ), 'extension name'\n mhdul[i + 1]._extver = i + 1\n mhdul[i + 1].header.set('EXTVER', value=i + 1, comment=\n 'extension version number', after='EXTNAME')\n mhdul[i + 1].header.set('EXPNAME', mPHeader.get('ROOTNAME', ''),\n '9 character exposure identifier', before='EXTVER')\n mhdul[i + 1].header.set('INHERIT', True,\n 'inherit the primary header', after='EXTVER')\n mhdul[i + 1].header.set('ROOTNAME', mPHeader.get('ROOTNAME', ''\n ), 'rootname of the observationset', after='INHERIT')\n if not multiExtensionFileName and forceFileOutput:\n base, ext = os.path.splitext(whdul[0]._file.name)\n multiExtensionFileName = base[:-1] + 'h' + ext\n verboseString = ('Input ' + inputObjectDescription +\n ' converted to multi-extension FITS format.')\n if multiExtensionFileName:\n if instrument in ('WFPC2', 'FOC'):\n head, tail = os.path.split(multiExtensionFileName)\n mhdul[0].header.set('FILENAME', value=tail, after='NEXTEND')\n if ASTROPY_VER_GE13:\n mhdul.writeto(multiExtensionFileName, overwrite=True)\n else:\n mhdul.writeto(multiExtensionFileName, clobber=True)\n verboseString = verboseString[:-1\n ] + ' and written to ' + multiExtensionFileName + '.'\n if verbose:\n print(verboseString)\n return mhdul\n",
"role": "user"
},
{
"content": "toMultiExtensionFits",
"role": "assistant"
}
] |
def x(waiveredObject, outputFileName=None, forceFileOutput=False, convertTo
='multiExtension', verbose=False):
if convertTo == 'multiExtension':
func = toMultiExtensionFits
else:
raise ValueError('Conversion type ' + convertTo + ' unknown')
return func(*(waiveredObject, outputFileName, forceFileOutput, verbose))
| convertwaiveredfits | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(waiveredObject, outputFileName=None, forceFileOutput=False, convertTo\n ='multiExtension', verbose=False):\n if convertTo == 'multiExtension':\n func = toMultiExtensionFits\n else:\n raise ValueError('Conversion type ' + convertTo + ' unknown')\n return func(*(waiveredObject, outputFileName, forceFileOutput, verbose))\n",
"role": "user"
},
{
"content": "convertwaiveredfits",
"role": "assistant"
}
] |
def x(year, month, day):
if year >= 0:
y = 474
else:
y = 473
epbase = year - y
epyear = 474 + epbase % 2820
if month <= 7:
m = (month - 1) * 31
else:
m = (month - 1) * 30 + 6
return day + m + trunc((epyear * 682 - 110) / 2816) + (epyear - 1
) * 365 + trunc(epbase / 2820) * 1029983 + (EPOCH - 1)
| 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 if year >= 0:\n y = 474\n else:\n y = 473\n epbase = year - y\n epyear = 474 + epbase % 2820\n if month <= 7:\n m = (month - 1) * 31\n else:\n m = (month - 1) * 30 + 6\n return day + m + trunc((epyear * 682 - 110) / 2816) + (epyear - 1\n ) * 365 + trunc(epbase / 2820) * 1029983 + (EPOCH - 1)\n",
"role": "user"
},
{
"content": "to_jd",
"role": "assistant"
}
] |
def x(jd):
jd = trunc(jd) + 0.5
depoch = jd - to_jd(475, 1, 1)
cycle = trunc(depoch / 1029983)
cyear = depoch % 1029983
if cyear == 1029982:
ycycle = 2820
else:
aux1 = trunc(cyear / 366)
aux2 = cyear % 366
ycycle = trunc((2134 * aux1 + 2816 * aux2 + 2815) / 1028522) + aux1 + 1
year = ycycle + 2820 * cycle + 474
if year <= 0:
year -= 1
yday = jd - to_jd(year, 1, 1) + 1
if yday <= 186:
month = ceil(yday / 31)
else:
month = ceil((yday - 6) / 30)
day = int(jd - 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 jd = trunc(jd) + 0.5\n depoch = jd - to_jd(475, 1, 1)\n cycle = trunc(depoch / 1029983)\n cyear = depoch % 1029983\n if cyear == 1029982:\n ycycle = 2820\n else:\n aux1 = trunc(cyear / 366)\n aux2 = cyear % 366\n ycycle = trunc((2134 * aux1 + 2816 * aux2 + 2815) / 1028522) + aux1 + 1\n year = ycycle + 2820 * cycle + 474\n if year <= 0:\n year -= 1\n yday = jd - to_jd(year, 1, 1) + 1\n if yday <= 186:\n month = ceil(yday / 31)\n else:\n month = ceil((yday - 6) / 30)\n day = int(jd - to_jd(year, month, 1)) + 1\n return year, month, day\n",
"role": "user"
},
{
"content": "from_jd",
"role": "assistant"
}
] |
def x():
global global_logging_started
if not PY3K:
sys.exc_clear()
if global_logging_started:
return
orig_logger_class = logging.getLoggerClass()
logging.setLoggerClass(StreamTeeLogger)
try:
stdout_logger = logging.getLogger(__name__ + '.stdout')
stderr_logger = logging.getLogger(__name__ + '.stderr')
finally:
logging.setLoggerClass(orig_logger_class)
stdout_logger.setLevel(logging.INFO)
stderr_logger.setLevel(logging.ERROR)
stdout_logger.set_stream(sys.stdout)
stderr_logger.set_stream(sys.stderr)
sys.stdout = stdout_logger
sys.stderr = stderr_logger
exception_logger = logging.getLogger(__name__ + '.exc')
sys.excepthook = LoggingExceptionHook(exception_logger)
logging.captureWarnings(True)
rawinput = 'input' if PY3K else 'raw_input'
builtins._original_raw_input = getattr(builtins, rawinput)
setattr(builtins, rawinput, global_logging_raw_input)
global_logging_started = True
| setup_global_logging | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n global global_logging_started\n if not PY3K:\n sys.exc_clear()\n if global_logging_started:\n return\n orig_logger_class = logging.getLoggerClass()\n logging.setLoggerClass(StreamTeeLogger)\n try:\n stdout_logger = logging.getLogger(__name__ + '.stdout')\n stderr_logger = logging.getLogger(__name__ + '.stderr')\n finally:\n logging.setLoggerClass(orig_logger_class)\n stdout_logger.setLevel(logging.INFO)\n stderr_logger.setLevel(logging.ERROR)\n stdout_logger.set_stream(sys.stdout)\n stderr_logger.set_stream(sys.stderr)\n sys.stdout = stdout_logger\n sys.stderr = stderr_logger\n exception_logger = logging.getLogger(__name__ + '.exc')\n sys.excepthook = LoggingExceptionHook(exception_logger)\n logging.captureWarnings(True)\n rawinput = 'input' if PY3K else 'raw_input'\n builtins._original_raw_input = getattr(builtins, rawinput)\n setattr(builtins, rawinput, global_logging_raw_input)\n global_logging_started = True\n",
"role": "user"
},
{
"content": "setup_global_logging",
"role": "assistant"
}
] |
def x():
global global_logging_started
if not global_logging_started:
return
stdout_logger = logging.getLogger(__name__ + '.stdout')
stderr_logger = logging.getLogger(__name__ + '.stderr')
if sys.stdout is stdout_logger:
sys.stdout = sys.stdout.stream
if sys.stderr is stderr_logger:
sys.stderr = sys.stderr.stream
exc_type, exc_value, exc_traceback = sys.exc_info()
if exc_type is not None:
sys.excepthook(exc_type, exc_value, exc_traceback)
del exc_type
del exc_value
del exc_traceback
if not PY3K:
sys.exc_clear()
del sys.excepthook
logging.captureWarnings(False)
rawinput = 'input' if PY3K else 'raw_input'
if hasattr(builtins, '_original_raw_input'):
setattr(builtins, rawinput, builtins._original_raw_input)
del builtins._original_raw_input
global_logging_started = False
| teardown_global_logging | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n global global_logging_started\n if not global_logging_started:\n return\n stdout_logger = logging.getLogger(__name__ + '.stdout')\n stderr_logger = logging.getLogger(__name__ + '.stderr')\n if sys.stdout is stdout_logger:\n sys.stdout = sys.stdout.stream\n if sys.stderr is stderr_logger:\n sys.stderr = sys.stderr.stream\n exc_type, exc_value, exc_traceback = sys.exc_info()\n if exc_type is not None:\n sys.excepthook(exc_type, exc_value, exc_traceback)\n del exc_type\n del exc_value\n del exc_traceback\n if not PY3K:\n sys.exc_clear()\n del sys.excepthook\n logging.captureWarnings(False)\n rawinput = 'input' if PY3K else 'raw_input'\n if hasattr(builtins, '_original_raw_input'):\n setattr(builtins, rawinput, builtins._original_raw_input)\n del builtins._original_raw_input\n global_logging_started = False\n",
"role": "user"
},
{
"content": "teardown_global_logging",
"role": "assistant"
}
] |
def x(name, format='%(levelname)s: %(message)s', datefmt=None, stream=None,
level=logging.INFO, filename=None, filemode='w', filelevel=None,
propagate=True):
logger = logging.getLogger(name)
logger.setLevel(level)
fmt = logging.Formatter(format, datefmt)
logger.propagate = propagate
for hdlr in logger.handlers:
logger.removeHandler(hdlr)
if not (filename or stream):
logger.addHandler(logging.NullHandler())
if filename:
hdlr = logging.FileHandler(filename, filemode)
if filelevel is None:
filelevel = level
hdlr.setLevel(filelevel)
hdlr.setFormatter(fmt)
logger.addHandler(hdlr)
if stream:
hdlr = logging.StreamHandler(stream)
hdlr.setLevel(level)
hdlr.setFormatter(fmt)
logger.addHandler(hdlr)
return logger
| create_logger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, format='%(levelname)s: %(message)s', datefmt=None, stream=None,\n level=logging.INFO, filename=None, filemode='w', filelevel=None,\n propagate=True):\n logger = logging.getLogger(name)\n logger.setLevel(level)\n fmt = logging.Formatter(format, datefmt)\n logger.propagate = propagate\n for hdlr in logger.handlers:\n logger.removeHandler(hdlr)\n if not (filename or stream):\n logger.addHandler(logging.NullHandler())\n if filename:\n hdlr = logging.FileHandler(filename, filemode)\n if filelevel is None:\n filelevel = level\n hdlr.setLevel(filelevel)\n hdlr.setFormatter(fmt)\n logger.addHandler(hdlr)\n if stream:\n hdlr = logging.StreamHandler(stream)\n hdlr.setLevel(level)\n hdlr.setFormatter(fmt)\n logger.addHandler(hdlr)\n return logger\n",
"role": "user"
},
{
"content": "create_logger",
"role": "assistant"
}
] |
def x(self, stream):
for handler in self.handlers[:]:
if isinstance(handler, logging.StreamHandler):
self.handlers.remove(handler)
if stream is not None:
stream_handler = logging.StreamHandler(stream)
stream_handler.addFilter(_StreamHandlerEchoFilter())
stream_handler.setFormatter(logging.Formatter('%(message)s'))
self.addHandler(stream_handler)
self.stream = stream
| set_stream | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream):\n for handler in self.handlers[:]:\n if isinstance(handler, logging.StreamHandler):\n self.handlers.remove(handler)\n if stream is not None:\n stream_handler = logging.StreamHandler(stream)\n stream_handler.addFilter(_StreamHandlerEchoFilter())\n stream_handler.setFormatter(logging.Formatter('%(message)s'))\n self.addHandler(stream_handler)\n self.stream = stream\n",
"role": "user"
},
{
"content": "set_stream",
"role": "assistant"
}
] |
def x(self, message):
self.__thread_local_ctx.write_count += 1
try:
if self.__thread_local_ctx.write_count > 1:
return
msgs = (self.buffer + message).split('\n')
self.buffer = msgs.pop(-1)
for m in msgs:
self.log_orig(m, echo=True)
finally:
self.__thread_local_ctx.write_count -= 1
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n self.__thread_local_ctx.write_count += 1\n try:\n if self.__thread_local_ctx.write_count > 1:\n return\n msgs = (self.buffer + message).split('\\n')\n self.buffer = msgs.pop(-1)\n for m in msgs:\n self.log_orig(m, echo=True)\n finally:\n self.__thread_local_ctx.write_count -= 1\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self):
try:
f = sys._getframe(1)
except Exception:
f = None
if f is not None:
f = f.f_back
rv = '(unknown module)', '(unknown file)', 0, '(unknown function)'
while hasattr(f, 'f_code'):
co = f.f_code
filename = os.path.normcase(co.co_filename)
mod = inspect.getmodule(f)
if mod is None:
modname = '__main__'
else:
modname = mod.__name__
if modname == __name__:
f = f.f_back
continue
rv = modname, filename, f.f_lineno, co.co_name
break
return rv
| find_actual_caller | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n f = sys._getframe(1)\n except Exception:\n f = None\n if f is not None:\n f = f.f_back\n rv = '(unknown module)', '(unknown file)', 0, '(unknown function)'\n while hasattr(f, 'f_code'):\n co = f.f_code\n filename = os.path.normcase(co.co_filename)\n mod = inspect.getmodule(f)\n if mod is None:\n modname = '__main__'\n else:\n modname = mod.__name__\n if modname == __name__:\n f = f.f_back\n continue\n rv = modname, filename, f.f_lineno, co.co_name\n break\n return rv\n",
"role": "user"
},
{
"content": "find_actual_caller",
"role": "assistant"
}
] |
def x(fp):
reader = reading.Reader(fp)
keys = reader.fields
columns = {k: [] for k in keys}
for row in reader:
for key, value in zip(keys, row):
columns[key].append(value)
return columns
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fp):\n reader = reading.Reader(fp)\n keys = reader.fields\n columns = {k: [] for k in keys}\n for row in reader:\n for key, value in zip(keys, row):\n columns[key].append(value)\n return columns\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self):
try:
raw_res = yield from self._session.get(HOME_URL, timeout=self._timeout)
except OSError:
raise PyHydroQuebecError('Can not connect to login page')
content = yield from raw_res.text()
soup = BeautifulSoup(content, 'html.parser')
form_node = soup.find('form', {'name': 'fm'})
if form_node is None:
raise PyHydroQuebecError('No login form find')
login_url = form_node.attrs.get('action')
if login_url is None:
raise PyHydroQuebecError('Can not found login url')
return login_url
| get_login_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n raw_res = yield from self._session.get(HOME_URL, timeout=self._timeout)\n except OSError:\n raise PyHydroQuebecError('Can not connect to login page')\n content = yield from raw_res.text()\n soup = BeautifulSoup(content, 'html.parser')\n form_node = soup.find('form', {'name': 'fm'})\n if form_node is None:\n raise PyHydroQuebecError('No login form find')\n login_url = form_node.attrs.get('action')\n if login_url is None:\n raise PyHydroQuebecError('Can not found login url')\n return login_url\n",
"role": "user"
},
{
"content": "get_login_page",
"role": "assistant"
}
] |
def x(self, login_url):
data = {'login': self.username, '_58_password': self.password}
try:
raw_res = yield from self._session.post(login_url, data=data,
timeout=self._timeout, allow_redirects=False)
except OSError:
raise PyHydroQuebecError('Can not submit login form')
if raw_res.status != 302:
raise PyHydroQuebecError(
'Login error: Bad HTTP status code. Please check your username/password.'
)
return True
| post_login_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, login_url):\n data = {'login': self.username, '_58_password': self.password}\n try:\n raw_res = yield from self._session.post(login_url, data=data,\n timeout=self._timeout, allow_redirects=False)\n except OSError:\n raise PyHydroQuebecError('Can not submit login form')\n if raw_res.status != 302:\n raise PyHydroQuebecError(\n 'Login error: Bad HTTP status code. Please check your username/password.'\n )\n return True\n",
"role": "user"
},
{
"content": "post_login_page",
"role": "assistant"
}
] |
def x(self):
contracts = {}
try:
raw_res = yield from self._session.get(PROFILE_URL, timeout=self.
_timeout)
except OSError:
raise PyHydroQuebecError('Can not get profile page')
content = yield from raw_res.text()
soup = BeautifulSoup(content, 'html.parser')
for node in soup.find_all('span', {'class': 'contrat'}):
rematch = re.match('C[a-z]* ([0-9]{4} [0-9]{5})', node.text)
if rematch is not None:
contracts[rematch.group(1).replace(' ', '')] = None
for node in soup.find_all('a', {'class': 'big iconLink'}):
for contract in contracts:
if contract in node.attrs.get('href'):
contracts[contract] = node.attrs.get('href')
p_p_id = None
for node in soup.find_all('span'):
node_id = node.attrs.get('id', '')
if node_id.startswith('p_portraitConsommation_WAR'):
p_p_id = node_id[2:]
break
if p_p_id is None:
raise PyHydroQuebecError('Could not get p_p_id')
return p_p_id, contracts
| get_p_p_id_and_contract | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n contracts = {}\n try:\n raw_res = yield from self._session.get(PROFILE_URL, timeout=self.\n _timeout)\n except OSError:\n raise PyHydroQuebecError('Can not get profile page')\n content = yield from raw_res.text()\n soup = BeautifulSoup(content, 'html.parser')\n for node in soup.find_all('span', {'class': 'contrat'}):\n rematch = re.match('C[a-z]* ([0-9]{4} [0-9]{5})', node.text)\n if rematch is not None:\n contracts[rematch.group(1).replace(' ', '')] = None\n for node in soup.find_all('a', {'class': 'big iconLink'}):\n for contract in contracts:\n if contract in node.attrs.get('href'):\n contracts[contract] = node.attrs.get('href')\n p_p_id = None\n for node in soup.find_all('span'):\n node_id = node.attrs.get('id', '')\n if node_id.startswith('p_portraitConsommation_WAR'):\n p_p_id = node_id[2:]\n break\n if p_p_id is None:\n raise PyHydroQuebecError('Could not get p_p_id')\n return p_p_id, contracts\n",
"role": "user"
},
{
"content": "get_p_p_id_and_contract",
"role": "assistant"
}
] |
def x(self):
contracts = {}
try:
raw_res = yield from self._session.get(MAIN_URL, timeout=self._timeout)
except OSError:
raise PyHydroQuebecError('Can not get main page')
content = yield from raw_res.text()
soup = BeautifulSoup(content, 'html.parser')
info_node = soup.find('div', {'class': 'span3 contrat'})
if info_node is None:
raise PyHydroQuebecError('Can not found contract')
research = re.search('Contrat ([0-9]{4} [0-9]{5})', info_node.text)
if research is not None:
contracts[research.group(1).replace(' ', '')] = None
if contracts == {}:
raise PyHydroQuebecError('Can not found contract')
return contracts
| get_lonely_contract | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n contracts = {}\n try:\n raw_res = yield from self._session.get(MAIN_URL, timeout=self._timeout)\n except OSError:\n raise PyHydroQuebecError('Can not get main page')\n content = yield from raw_res.text()\n soup = BeautifulSoup(content, 'html.parser')\n info_node = soup.find('div', {'class': 'span3 contrat'})\n if info_node is None:\n raise PyHydroQuebecError('Can not found contract')\n research = re.search('Contrat ([0-9]{4} [0-9]{5})', info_node.text)\n if research is not None:\n contracts[research.group(1).replace(' ', '')] = None\n if contracts == {}:\n raise PyHydroQuebecError('Can not found contract')\n return contracts\n",
"role": "user"
},
{
"content": "get_lonely_contract",
"role": "assistant"
}
] |
def x(self):
balances = []
try:
raw_res = yield from self._session.get(MAIN_URL, timeout=self._timeout)
except OSError:
raise PyHydroQuebecError('Can not get main page')
content = yield from raw_res.text()
soup = BeautifulSoup(content, 'html.parser')
solde_nodes = soup.find_all('div', {'class': 'solde-compte'})
if solde_nodes == []:
raise PyHydroQuebecError('Can not found balance')
for solde_node in solde_nodes:
try:
balance = solde_node.find('p').text
except AttributeError:
raise PyHydroQuebecError('Can not found balance')
balances.append(float(balance[:-2].replace(',', '.').replace('\xa0',
'')))
return balances
| get_balances | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n balances = []\n try:\n raw_res = yield from self._session.get(MAIN_URL, timeout=self._timeout)\n except OSError:\n raise PyHydroQuebecError('Can not get main page')\n content = yield from raw_res.text()\n soup = BeautifulSoup(content, 'html.parser')\n solde_nodes = soup.find_all('div', {'class': 'solde-compte'})\n if solde_nodes == []:\n raise PyHydroQuebecError('Can not found balance')\n for solde_node in solde_nodes:\n try:\n balance = solde_node.find('p').text\n except AttributeError:\n raise PyHydroQuebecError('Can not found balance')\n balances.append(float(balance[:-2].replace(',', '.').replace('\\xa0',\n '')))\n return balances\n",
"role": "user"
},
{
"content": "get_balances",
"role": "assistant"
}
] |
def x(self, contract_url):
try:
yield from self._session.get(contract_url, timeout=self._timeout)
except OSError:
raise PyHydroQuebecError(
'Can not get profile page for a specific contract')
| load_contract_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, contract_url):\n try:\n yield from self._session.get(contract_url, timeout=self._timeout)\n except OSError:\n raise PyHydroQuebecError(\n 'Can not get profile page for a specific contract')\n",
"role": "user"
},
{
"content": "load_contract_page",
"role": "assistant"
}
] |
def x(self, p_p_id):
params = {'p_p_id': p_p_id, 'p_p_lifecycle': 2, 'p_p_state': 'normal',
'p_p_mode': 'view', 'p_p_resource_id':
'resourceObtenirDonneesConsommationAnnuelles'}
try:
raw_res = yield from self._session.get(PROFILE_URL, params=params,
timeout=self._timeout)
except OSError:
raise PyHydroQuebecAnnualError('Can not get annual data')
try:
json_output = yield from raw_res.json(content_type='text/json')
except (OSError, json.decoder.JSONDecodeError):
raise PyHydroQuebecAnnualError('Could not get annual data')
if not json_output.get('success'):
raise PyHydroQuebecAnnualError('Could not get annual data')
if not json_output.get('results'):
raise PyHydroQuebecAnnualError('Could not get annual data')
if 'courant' not in json_output.get('results')[0]:
raise PyHydroQuebecAnnualError('Could not get annual data')
return json_output.get('results')[0]['courant']
| get_annual_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p_p_id):\n params = {'p_p_id': p_p_id, 'p_p_lifecycle': 2, 'p_p_state': 'normal',\n 'p_p_mode': 'view', 'p_p_resource_id':\n 'resourceObtenirDonneesConsommationAnnuelles'}\n try:\n raw_res = yield from self._session.get(PROFILE_URL, params=params,\n timeout=self._timeout)\n except OSError:\n raise PyHydroQuebecAnnualError('Can not get annual data')\n try:\n json_output = yield from raw_res.json(content_type='text/json')\n except (OSError, json.decoder.JSONDecodeError):\n raise PyHydroQuebecAnnualError('Could not get annual data')\n if not json_output.get('success'):\n raise PyHydroQuebecAnnualError('Could not get annual data')\n if not json_output.get('results'):\n raise PyHydroQuebecAnnualError('Could not get annual data')\n if 'courant' not in json_output.get('results')[0]:\n raise PyHydroQuebecAnnualError('Could not get annual data')\n return json_output.get('results')[0]['courant']\n",
"role": "user"
},
{
"content": "get_annual_data",
"role": "assistant"
}
] |
def x(self, p_p_id):
params = {'p_p_id': p_p_id, 'p_p_lifecycle': 2, 'p_p_resource_id':
'resourceObtenirDonneesPeriodesConsommation'}
try:
raw_res = yield from self._session.get(PROFILE_URL, params=params,
timeout=self._timeout)
except OSError:
raise PyHydroQuebecError('Can not get monthly data')
try:
json_output = yield from raw_res.json(content_type='text/json')
except (OSError, json.decoder.JSONDecodeError):
raise PyHydroQuebecError('Could not get monthly data')
if not json_output.get('success'):
raise PyHydroQuebecError('Could not get monthly data')
return json_output.get('results')
| get_monthly_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p_p_id):\n params = {'p_p_id': p_p_id, 'p_p_lifecycle': 2, 'p_p_resource_id':\n 'resourceObtenirDonneesPeriodesConsommation'}\n try:\n raw_res = yield from self._session.get(PROFILE_URL, params=params,\n timeout=self._timeout)\n except OSError:\n raise PyHydroQuebecError('Can not get monthly data')\n try:\n json_output = yield from raw_res.json(content_type='text/json')\n except (OSError, json.decoder.JSONDecodeError):\n raise PyHydroQuebecError('Could not get monthly data')\n if not json_output.get('success'):\n raise PyHydroQuebecError('Could not get monthly data')\n return json_output.get('results')\n",
"role": "user"
},
{
"content": "get_monthly_data",
"role": "assistant"
}
] |
def x(self, day_date, p_p_id):
params = {'p_p_id': p_p_id, 'p_p_lifecycle': 2, 'p_p_state': 'normal',
'p_p_mode': 'view', 'p_p_resource_id':
'resourceObtenirDonneesConsommationHoraires', 'p_p_cacheability':
'cacheLevelPage', 'p_p_col_id': 'column-2', 'p_p_col_count': 1,
'date': day_date}
try:
raw_res = yield from self._session.get(PROFILE_URL, params=params,
timeout=self._timeout)
except OSError:
raise PyHydroQuebecError('Can not get hourly data')
try:
json_output = yield from raw_res.json(content_type='text/json')
except (OSError, json.decoder.JSONDecodeError):
raise PyHydroQuebecAnnualError('Could not get hourly data')
hourly_consumption_data = json_output['results'][
'listeDonneesConsoEnergieHoraire']
hourly_power_data = json_output['results'][
'listeDonneesConsoPuissanceHoraire']
params = {'p_p_id': p_p_id, 'p_p_lifecycle': 2, 'p_p_state': 'normal',
'p_p_mode': 'view', 'p_p_resource_id':
'resourceObtenirDonneesMeteoHoraires', 'p_p_cacheability':
'cacheLevelPage', 'p_p_col_id': 'column-2', 'p_p_col_count': 1,
'dateDebut': day_date, 'dateFin': day_date}
try:
raw_res = yield from self._session.get(PROFILE_URL, params=params,
timeout=self._timeout)
except OSError:
raise PyHydroQuebecError('Can not get hourly data')
try:
json_output = yield from raw_res.json(content_type='text/json')
except (OSError, json.decoder.JSONDecodeError):
raise PyHydroQuebecAnnualError('Could not get hourly data')
hourly_weather_data = []
if not json_output.get('results'):
hourly_weather_data = [None] * 24
else:
hourly_weather_data = json_output['results'][0][
'listeTemperaturesHeure']
processed_hourly_data = [{'hour': data['heure'], 'lower': data[
'consoReg'], 'high': data['consoHaut'], 'total': data['consoTotal'],
'temp': hourly_weather_data[i]} for i, data in enumerate(
hourly_consumption_data)]
raw_hourly_data = {'Energy': hourly_consumption_data, 'Power':
hourly_power_data, 'Weather': hourly_weather_data}
hourly_data = {'processed_hourly_data': processed_hourly_data,
'raw_hourly_data': raw_hourly_data}
return hourly_data
| get_hourly_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, day_date, p_p_id):\n params = {'p_p_id': p_p_id, 'p_p_lifecycle': 2, 'p_p_state': 'normal',\n 'p_p_mode': 'view', 'p_p_resource_id':\n 'resourceObtenirDonneesConsommationHoraires', 'p_p_cacheability':\n 'cacheLevelPage', 'p_p_col_id': 'column-2', 'p_p_col_count': 1,\n 'date': day_date}\n try:\n raw_res = yield from self._session.get(PROFILE_URL, params=params,\n timeout=self._timeout)\n except OSError:\n raise PyHydroQuebecError('Can not get hourly data')\n try:\n json_output = yield from raw_res.json(content_type='text/json')\n except (OSError, json.decoder.JSONDecodeError):\n raise PyHydroQuebecAnnualError('Could not get hourly data')\n hourly_consumption_data = json_output['results'][\n 'listeDonneesConsoEnergieHoraire']\n hourly_power_data = json_output['results'][\n 'listeDonneesConsoPuissanceHoraire']\n params = {'p_p_id': p_p_id, 'p_p_lifecycle': 2, 'p_p_state': 'normal',\n 'p_p_mode': 'view', 'p_p_resource_id':\n 'resourceObtenirDonneesMeteoHoraires', 'p_p_cacheability':\n 'cacheLevelPage', 'p_p_col_id': 'column-2', 'p_p_col_count': 1,\n 'dateDebut': day_date, 'dateFin': day_date}\n try:\n raw_res = yield from self._session.get(PROFILE_URL, params=params,\n timeout=self._timeout)\n except OSError:\n raise PyHydroQuebecError('Can not get hourly data')\n try:\n json_output = yield from raw_res.json(content_type='text/json')\n except (OSError, json.decoder.JSONDecodeError):\n raise PyHydroQuebecAnnualError('Could not get hourly data')\n hourly_weather_data = []\n if not json_output.get('results'):\n hourly_weather_data = [None] * 24\n else:\n hourly_weather_data = json_output['results'][0][\n 'listeTemperaturesHeure']\n processed_hourly_data = [{'hour': data['heure'], 'lower': data[\n 'consoReg'], 'high': data['consoHaut'], 'total': data['consoTotal'],\n 'temp': hourly_weather_data[i]} for i, data in enumerate(\n hourly_consumption_data)]\n raw_hourly_data = {'Energy': hourly_consumption_data, 'Power':\n hourly_power_data, 'Weather': hourly_weather_data}\n hourly_data = {'processed_hourly_data': processed_hourly_data,\n 'raw_hourly_data': raw_hourly_data}\n return hourly_data\n",
"role": "user"
},
{
"content": "get_hourly_data",
"role": "assistant"
}
] |
def x(self, start_date=None, end_date=None):
if start_date is None:
start_date = datetime.datetime.now(HQ_TIMEZONE) - datetime.timedelta(
days=1)
if end_date is None:
end_date = datetime.datetime.now(HQ_TIMEZONE)
yield from self._get_httpsession()
login_url = yield from self._get_login_page()
yield from self._post_login_page(login_url)
p_p_id, contracts = yield from self._get_p_p_id_and_contract()
if contracts == {}:
contracts = yield from self._get_lonely_contract()
for contract, contract_url in contracts.items():
if contract_url:
yield from self._load_contract_page(contract_url)
data = {}
dates = [(start_date + datetime.timedelta(n)) for n in range(int((
end_date - start_date).days))]
for date in dates:
day_date = date.strftime('%Y-%m-%d')
hourly_data = yield from self._get_hourly_data(day_date, p_p_id)
data[day_date] = hourly_data['raw_hourly_data']
self._data[contract] = data
| fetch_data_detailled_energy_use | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_date=None, end_date=None):\n if start_date is None:\n start_date = datetime.datetime.now(HQ_TIMEZONE) - datetime.timedelta(\n days=1)\n if end_date is None:\n end_date = datetime.datetime.now(HQ_TIMEZONE)\n yield from self._get_httpsession()\n login_url = yield from self._get_login_page()\n yield from self._post_login_page(login_url)\n p_p_id, contracts = yield from self._get_p_p_id_and_contract()\n if contracts == {}:\n contracts = yield from self._get_lonely_contract()\n for contract, contract_url in contracts.items():\n if contract_url:\n yield from self._load_contract_page(contract_url)\n data = {}\n dates = [(start_date + datetime.timedelta(n)) for n in range(int((\n end_date - start_date).days))]\n for date in dates:\n day_date = date.strftime('%Y-%m-%d')\n hourly_data = yield from self._get_hourly_data(day_date, p_p_id)\n data[day_date] = hourly_data['raw_hourly_data']\n self._data[contract] = data\n",
"role": "user"
},
{
"content": "fetch_data_detailled_energy_use",
"role": "assistant"
}
] |
def x(self):
yield from self._get_httpsession()
login_url = yield from self._get_login_page()
yield from self._post_login_page(login_url)
p_p_id, contracts = yield from self._get_p_p_id_and_contract()
if contracts == {}:
contracts = yield from self._get_lonely_contract()
balances = yield from self._get_balances()
balances_len = len(balances)
balance_id = 0
for contract, contract_url in contracts.items():
if contract_url:
yield from self._load_contract_page(contract_url)
try:
yesterday = datetime.datetime.now(HQ_TIMEZONE
) - datetime.timedelta(days=1)
day_date = yesterday.strftime('%Y-%m-%d')
hourly_data = yield from self._get_hourly_data(day_date, p_p_id)
hourly_data = hourly_data['processed_hourly_data']
except Exception:
hourly_data = {}
try:
annual_data = yield from self._get_annual_data(p_p_id)
except PyHydroQuebecAnnualError:
annual_data = {}
monthly_data = yield from self._get_monthly_data(p_p_id)
monthly_data = monthly_data[0]
start_date = monthly_data.get('dateDebutPeriode')
end_date = monthly_data.get('dateFinPeriode')
try:
daily_data = yield from self._get_daily_data(p_p_id, start_date,
end_date)
except Exception:
daily_data = []
if daily_data:
daily_data = daily_data[0]['courant']
contract_data = {'balance': balances[balance_id]}
for key1, key2 in MONTHLY_MAP:
contract_data[key1] = monthly_data[key2]
for key1, key2 in ANNUAL_MAP:
contract_data[key1] = annual_data.get(key2, '')
if daily_data:
for key1, key2 in DAILY_MAP:
contract_data[key1] = daily_data[key2]
if hourly_data:
contract_data['yesterday_hourly_consumption'] = hourly_data
self._data[contract] = contract_data
balance_count = balance_id + 1
if balance_count < balances_len:
balance_id += 1
| fetch_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n yield from self._get_httpsession()\n login_url = yield from self._get_login_page()\n yield from self._post_login_page(login_url)\n p_p_id, contracts = yield from self._get_p_p_id_and_contract()\n if contracts == {}:\n contracts = yield from self._get_lonely_contract()\n balances = yield from self._get_balances()\n balances_len = len(balances)\n balance_id = 0\n for contract, contract_url in contracts.items():\n if contract_url:\n yield from self._load_contract_page(contract_url)\n try:\n yesterday = datetime.datetime.now(HQ_TIMEZONE\n ) - datetime.timedelta(days=1)\n day_date = yesterday.strftime('%Y-%m-%d')\n hourly_data = yield from self._get_hourly_data(day_date, p_p_id)\n hourly_data = hourly_data['processed_hourly_data']\n except Exception:\n hourly_data = {}\n try:\n annual_data = yield from self._get_annual_data(p_p_id)\n except PyHydroQuebecAnnualError:\n annual_data = {}\n monthly_data = yield from self._get_monthly_data(p_p_id)\n monthly_data = monthly_data[0]\n start_date = monthly_data.get('dateDebutPeriode')\n end_date = monthly_data.get('dateFinPeriode')\n try:\n daily_data = yield from self._get_daily_data(p_p_id, start_date,\n end_date)\n except Exception:\n daily_data = []\n if daily_data:\n daily_data = daily_data[0]['courant']\n contract_data = {'balance': balances[balance_id]}\n for key1, key2 in MONTHLY_MAP:\n contract_data[key1] = monthly_data[key2]\n for key1, key2 in ANNUAL_MAP:\n contract_data[key1] = annual_data.get(key2, '')\n if daily_data:\n for key1, key2 in DAILY_MAP:\n contract_data[key1] = daily_data[key2]\n if hourly_data:\n contract_data['yesterday_hourly_consumption'] = hourly_data\n self._data[contract] = contract_data\n balance_count = balance_id + 1\n if balance_count < balances_len:\n balance_id += 1\n",
"role": "user"
},
{
"content": "fetch_data",
"role": "assistant"
}
] |
def x(self, contract=None):
if contract is None:
return self._data
if contract in self._data.keys():
return {contract: self._data[contract]}
raise PyHydroQuebecError('Contract {} not found'.format(contract))
| get_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, contract=None):\n if contract is None:\n return self._data\n if contract in self._data.keys():\n return {contract: self._data[contract]}\n raise PyHydroQuebecError('Contract {} not found'.format(contract))\n",
"role": "user"
},
{
"content": "get_data",
"role": "assistant"
}
] |
def x(self):
from datetime import datetime
nextRun = datetime.utcnow().timestamp() + self.cfg.getPingInterval()
self.sendHeartbeat()
self.scheduleNextHeartbeat(nextRun)
| ping | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from datetime import datetime\n nextRun = datetime.utcnow().timestamp() + self.cfg.getPingInterval()\n self.sendHeartbeat()\n self.scheduleNextHeartbeat(nextRun)\n",
"role": "user"
},
{
"content": "ping",
"role": "assistant"
}
] |
def x(self):
for name, md in self.cfg.recordingDevices.items():
try:
data = marshal(md, recordingDeviceFields)
data['serviceURL'] = self.cfg.getServiceURL(
) + API_PREFIX + '/devices/' + name
targetURL = self.serverURL + API_PREFIX + '/devices/' + name
logger.info('Pinging ' + targetURL)
resp = self.httpclient.put(targetURL, json=data)
if resp.status_code != 200:
logger.warning('Unable to ping server at ' + targetURL +
' with ' + str(data.keys()) + ', response is ' + str(
resp.status_code))
else:
logger.info('Pinged server at ' + targetURL + ' with ' +
str(data.items()))
except:
logger.exception('Unable to ping server')
| sendHeartbeat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for name, md in self.cfg.recordingDevices.items():\n try:\n data = marshal(md, recordingDeviceFields)\n data['serviceURL'] = self.cfg.getServiceURL(\n ) + API_PREFIX + '/devices/' + name\n targetURL = self.serverURL + API_PREFIX + '/devices/' + name\n logger.info('Pinging ' + targetURL)\n resp = self.httpclient.put(targetURL, json=data)\n if resp.status_code != 200:\n logger.warning('Unable to ping server at ' + targetURL +\n ' with ' + str(data.keys()) + ', response is ' + str(\n resp.status_code))\n else:\n logger.info('Pinged server at ' + targetURL + ' with ' +\n str(data.items()))\n except:\n logger.exception('Unable to ping server')\n",
"role": "user"
},
{
"content": "sendHeartbeat",
"role": "assistant"
}
] |
def x(self, nextRun):
import threading
from datetime import datetime
tilNextTime = max(nextRun - datetime.utcnow().timestamp(), 0)
logging.getLogger('recorder').info('Scheduling next ping in ' + str(
round(tilNextTime, 3)) + ' seconds')
threading.Timer(tilNextTime, self.ping).start()
| scheduleNextHeartbeat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nextRun):\n import threading\n from datetime import datetime\n tilNextTime = max(nextRun - datetime.utcnow().timestamp(), 0)\n logging.getLogger('recorder').info('Scheduling next ping in ' + str(\n round(tilNextTime, 3)) + ' seconds')\n threading.Timer(tilNextTime, self.ping).start()\n",
"role": "user"
},
{
"content": "scheduleNextHeartbeat",
"role": "assistant"
}
] |
def x(self, arg):
if arg is None:
return arg
if isinstance(arg, type):
return InstanceOf(arg)
if not isinstance(arg, BaseMatcher):
raise TypeError(
'argument of %s can be a type or a matcher (got %r)' % (self.
__class__.__name__, type(arg)))
return arg
| validate_argument | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, arg):\n if arg is None:\n return arg\n if isinstance(arg, type):\n return InstanceOf(arg)\n if not isinstance(arg, BaseMatcher):\n raise TypeError(\n 'argument of %s can be a type or a matcher (got %r)' % (self.\n __class__.__name__, type(arg)))\n return arg\n",
"role": "user"
},
{
"content": "validate_argument",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
self.items = None
self.keys = None
self.values = None
if args:
if len(args) != 2:
raise TypeError(
'expected exactly two positional arguments, got %s' % len(args)
)
if kwargs:
raise TypeError(
'expected positional or keyword arguments, not both')
self.keys, self.values = map(self._validate_argument, args)
elif kwargs:
has_kv = 'keys' in kwargs and 'values' in kwargs
has_of = 'of' in kwargs
if not (has_kv or has_of):
raise TypeError(
'expected keys/values or items matchers, but got: %s' %
list(kwargs.keys()))
if has_kv and has_of:
raise TypeError(
'expected keys & values, or items matchers, not both')
if has_kv:
self.keys = self._validate_argument(kwargs['keys'])
self.values = self._validate_argument(kwargs['values'])
else:
of = kwargs['of']
if isinstance(of, tuple):
try:
self.keys, self.values = map(self._validate_argument, of)
except ValueError:
raise TypeError(
'of= tuple has to be a pair of matchers/types' % (
self.__class__.__name__,))
else:
self.items = self._validate_argument(of)
| initialize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n self.items = None\n self.keys = None\n self.values = None\n if args:\n if len(args) != 2:\n raise TypeError(\n 'expected exactly two positional arguments, got %s' % len(args)\n )\n if kwargs:\n raise TypeError(\n 'expected positional or keyword arguments, not both')\n self.keys, self.values = map(self._validate_argument, args)\n elif kwargs:\n has_kv = 'keys' in kwargs and 'values' in kwargs\n has_of = 'of' in kwargs\n if not (has_kv or has_of):\n raise TypeError(\n 'expected keys/values or items matchers, but got: %s' %\n list(kwargs.keys()))\n if has_kv and has_of:\n raise TypeError(\n 'expected keys & values, or items matchers, not both')\n if has_kv:\n self.keys = self._validate_argument(kwargs['keys'])\n self.values = self._validate_argument(kwargs['values'])\n else:\n of = kwargs['of']\n if isinstance(of, tuple):\n try:\n self.keys, self.values = map(self._validate_argument, of)\n except ValueError:\n raise TypeError(\n 'of= tuple has to be a pair of matchers/types' % (\n self.__class__.__name__,))\n else:\n self.items = self._validate_argument(of)\n",
"role": "user"
},
{
"content": "initialize",
"role": "assistant"
}
] |
def x(ctx, output='html', rebuild=False, show=True, verbose=True):
sphinx_build = ctx.run(
'sphinx-build -b {output} {all} {verbose} docs docs/_build'.format(
output=output, all='-a -E' if rebuild else '', verbose='-v' if
verbose else ''))
if not sphinx_build.ok:
fatal('Failed to build the docs', cause=sphinx_build)
if show:
path = os.path.join(DOCS_OUTPUT_DIR, 'index.html')
if sys.platform == 'darwin':
path = 'file://%s' % os.path.abspath(path)
webbrowser.open_new_tab(path)
| docs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, output='html', rebuild=False, show=True, verbose=True):\n sphinx_build = ctx.run(\n 'sphinx-build -b {output} {all} {verbose} docs docs/_build'.format(\n output=output, all='-a -E' if rebuild else '', verbose='-v' if\n verbose else ''))\n if not sphinx_build.ok:\n fatal('Failed to build the docs', cause=sphinx_build)\n if show:\n path = os.path.join(DOCS_OUTPUT_DIR, 'index.html')\n if sys.platform == 'darwin':\n path = 'file://%s' % os.path.abspath(path)\n webbrowser.open_new_tab(path)\n",
"role": "user"
},
{
"content": "docs",
"role": "assistant"
}
] |
def x(ctx, yes=False):
import callee
version = callee.__version__
if version.endswith('-dev'):
fatal("Can't upload a development version (%s) to PyPI!", version)
if not yes:
answer = input('Do you really want to upload to PyPI [y/N]? ')
yes = answer.strip().lower() == 'y'
if not yes:
logging.warning('Aborted -- not uploading to PyPI.')
return -2
logging.debug('Uploading version %s to PyPI...', version)
setup_py_upload = ctx.run('python setup.py sdist upload')
if not setup_py_upload.ok:
fatal('Failed to upload version %s to PyPI!', version, cause=
setup_py_upload)
logging.info('PyPI upload completed successfully.')
git_tag = ctx.run('git tag %s' % version)
if not git_tag.ok:
fatal('Failed to add a Git tag for uploaded version %s', version,
cause=git_tag)
git_push = ctx.run('git push && git push --tags')
if not git_push.ok:
fatal('Failed to push the release upstream.', cause=git_push)
| upload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, yes=False):\n import callee\n version = callee.__version__\n if version.endswith('-dev'):\n fatal(\"Can't upload a development version (%s) to PyPI!\", version)\n if not yes:\n answer = input('Do you really want to upload to PyPI [y/N]? ')\n yes = answer.strip().lower() == 'y'\n if not yes:\n logging.warning('Aborted -- not uploading to PyPI.')\n return -2\n logging.debug('Uploading version %s to PyPI...', version)\n setup_py_upload = ctx.run('python setup.py sdist upload')\n if not setup_py_upload.ok:\n fatal('Failed to upload version %s to PyPI!', version, cause=\n setup_py_upload)\n logging.info('PyPI upload completed successfully.')\n git_tag = ctx.run('git tag %s' % version)\n if not git_tag.ok:\n fatal('Failed to add a Git tag for uploaded version %s', version,\n cause=git_tag)\n git_push = ctx.run('git push && git push --tags')\n if not git_push.ok:\n fatal('Failed to push the release upstream.', cause=git_push)\n",
"role": "user"
},
{
"content": "upload",
"role": "assistant"
}
] |
def x(*args, **kwargs):
exitcode = None
if 'exitcode' in kwargs:
exitcode = kwargs.pop('exitcode')
if 'cause' in kwargs:
cause = kwargs.pop('cause')
if not isinstance(cause, Result):
raise TypeError(
'invalid cause of fatal error: expected %r, got %r' % (
Result, type(cause)))
exitcode = exitcode or cause.return_code
logging.error(*args, **kwargs)
raise Exit(exitcode or -1)
| fatal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n exitcode = None\n if 'exitcode' in kwargs:\n exitcode = kwargs.pop('exitcode')\n if 'cause' in kwargs:\n cause = kwargs.pop('cause')\n if not isinstance(cause, Result):\n raise TypeError(\n 'invalid cause of fatal error: expected %r, got %r' % (\n Result, type(cause)))\n exitcode = exitcode or cause.return_code\n logging.error(*args, **kwargs)\n raise Exit(exitcode or -1)\n",
"role": "user"
},
{
"content": "fatal",
"role": "assistant"
}
] |
def x(time: Union[datetime, str, np.ndarray], altkm: np.ndarray, glat:
float, glon: float) ->xarray.Dataset:
time = todt64(time)
f107Ap = gi.getApF107(time, smoothdays=81)
f107a = f107Ap['f107s'].item()
f107 = f107Ap['f107'].item()
Ap = f107Ap['Ap'].item()
altkm = np.atleast_1d(altkm)
assert altkm.ndim == 1
assert isinstance(glon, (int, float))
assert isinstance(glat, (int, float))
assert isinstance(time, np.datetime64) or time.size == 1 and isinstance(
time[0], np.datetime64
), 'if you have multiple times, for loop over them'
assert isinstance(MASS, (float, int))
assert len(TSELECOPS) == 25
gtd7.tselec(TSELECOPS)
iyd, utsec, stl = datetime2gtd(time, glon)
altkm = np.atleast_1d(altkm)
gtd7.meters(1)
if isinstance(Ap, (float, int)):
Ap = [Ap] * 7
dens = np.empty((altkm.size, len(species)))
temp = np.empty((altkm.size, len(ttypes)))
for i, a in enumerate(altkm):
dens[i, :], temp[i, :] = gtd7.gtd7(iyd, utsec, a, glat, glon, stl,
f107a, f107, Ap, MASS)
dsf = {k: (('time', 'alt_km', 'lat', 'lon'), v[None, :, None, None]) for
k, v in zip(species, dens.T)}
dsf.update({'Tn': (('time', 'alt_km', 'lat', 'lon'), temp[:, 1][None, :,
None, None]), 'Texo': (('time', 'alt_km', 'lat', 'lon'), temp[:, 0]
[None, :, None, None])})
atmos = xarray.Dataset(dsf, coords={'time': time.astype(datetime),
'alt_km': altkm, 'lat': [glat], 'lon': [glon]}, attrs={'Ap': Ap,
'f107': f107, 'f107a': f107a, 'species': species})
return atmos
| rungtd1d | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(time: Union[datetime, str, np.ndarray], altkm: np.ndarray, glat:\n float, glon: float) ->xarray.Dataset:\n time = todt64(time)\n f107Ap = gi.getApF107(time, smoothdays=81)\n f107a = f107Ap['f107s'].item()\n f107 = f107Ap['f107'].item()\n Ap = f107Ap['Ap'].item()\n altkm = np.atleast_1d(altkm)\n assert altkm.ndim == 1\n assert isinstance(glon, (int, float))\n assert isinstance(glat, (int, float))\n assert isinstance(time, np.datetime64) or time.size == 1 and isinstance(\n time[0], np.datetime64\n ), 'if you have multiple times, for loop over them'\n assert isinstance(MASS, (float, int))\n assert len(TSELECOPS) == 25\n gtd7.tselec(TSELECOPS)\n iyd, utsec, stl = datetime2gtd(time, glon)\n altkm = np.atleast_1d(altkm)\n gtd7.meters(1)\n if isinstance(Ap, (float, int)):\n Ap = [Ap] * 7\n dens = np.empty((altkm.size, len(species)))\n temp = np.empty((altkm.size, len(ttypes)))\n for i, a in enumerate(altkm):\n dens[i, :], temp[i, :] = gtd7.gtd7(iyd, utsec, a, glat, glon, stl,\n f107a, f107, Ap, MASS)\n dsf = {k: (('time', 'alt_km', 'lat', 'lon'), v[None, :, None, None]) for\n k, v in zip(species, dens.T)}\n dsf.update({'Tn': (('time', 'alt_km', 'lat', 'lon'), temp[:, 1][None, :,\n None, None]), 'Texo': (('time', 'alt_km', 'lat', 'lon'), temp[:, 0]\n [None, :, None, None])})\n atmos = xarray.Dataset(dsf, coords={'time': time.astype(datetime),\n 'alt_km': altkm, 'lat': [glat], 'lon': [glon]}, attrs={'Ap': Ap,\n 'f107': f107, 'f107a': f107a, 'species': species})\n return atmos\n",
"role": "user"
},
{
"content": "rungtd1d",
"role": "assistant"
}
] |
def x(self, form):
form.save()
return super(SubscriptionView, self).form_valid(form)
| form_valid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, form):\n form.save()\n return super(SubscriptionView, self).form_valid(form)\n",
"role": "user"
},
{
"content": "form_valid",
"role": "assistant"
}
] |
def x(func):
async def decorated_func(*args, session=None, **kwargs):
if session is not None:
return await func(*args, _session=session, **kwargs)
else:
async with aiohttp.ClientSession() as new_session:
return await func(*args, _session=new_session, **kwargs)
return decorated_func
| uses_aiohttp_session | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n async def decorated_func(*args, session=None, **kwargs):\n if session is not None:\n return await func(*args, _session=session, **kwargs)\n else:\n async with aiohttp.ClientSession() as new_session:\n return await func(*args, _session=new_session, **kwargs)\n return decorated_func\n",
"role": "user"
},
{
"content": "uses_aiohttp_session",
"role": "assistant"
}
] |
def x(func):
async def decorated_func(*args, handle_ratelimit=None, max_tries=None,
request_timeout=None, **kwargs):
return await func(*args, handle_ratelimit=handle_ratelimit,
max_tries=max_tries, request_timeout=request_timeout, **kwargs)
return decorated_func
| add_request_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n async def decorated_func(*args, handle_ratelimit=None, max_tries=None,\n request_timeout=None, **kwargs):\n return await func(*args, handle_ratelimit=handle_ratelimit,\n max_tries=max_tries, request_timeout=request_timeout, **kwargs)\n return decorated_func\n",
"role": "user"
},
{
"content": "add_request_parameters",
"role": "assistant"
}
] |
async def get_stats(self, battletag: str, regions=(EUROPE, KOREA, AMERICAS,
CHINA, JAPAN, ANY), platform=None, _session=None, handle_ratelimit=None,
max_tries=None, request_timeout=None):
"""Returns the stats for the profiles on the specified regions and platform. The format for regions without a matching user, the format is the same as get_profile.
The stats are returned in a dictionary with a similar format to what https://github.com/SunDwarf/OWAPI/blob/master/api.md#get-apiv3ubattletagstats specifies."""
if platform is None:
platform = self.default_platform
try:
blob_dict = await self._base_request(battletag, 'stats', _session,
platform=platform, handle_ratelimit=handle_ratelimit, max_tries
=max_tries, request_timeout=request_timeout)
except ProfileNotFoundError as e:
blob_dict = {}
existing_regions = {key: val for key, val in blob_dict.items() if val
is not None and key != '_request'}
return {key: [inner_val for inner_key, inner_val in val.items() if
inner_key == 'stats'][0] for key, val in existing_regions.items() if
key in regions}
| get_stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def get_stats(self, battletag: str, regions=(EUROPE, KOREA, AMERICAS,\n CHINA, JAPAN, ANY), platform=None, _session=None, handle_ratelimit=None,\n max_tries=None, request_timeout=None):\n \"\"\"Returns the stats for the profiles on the specified regions and platform. The format for regions without a matching user, the format is the same as get_profile.\n The stats are returned in a dictionary with a similar format to what https://github.com/SunDwarf/OWAPI/blob/master/api.md#get-apiv3ubattletagstats specifies.\"\"\"\n if platform is None:\n platform = self.default_platform\n try:\n blob_dict = await self._base_request(battletag, 'stats', _session,\n platform=platform, handle_ratelimit=handle_ratelimit, max_tries\n =max_tries, request_timeout=request_timeout)\n except ProfileNotFoundError as e:\n blob_dict = {}\n existing_regions = {key: val for key, val in blob_dict.items() if val\n is not None and key != '_request'}\n return {key: [inner_val for inner_key, inner_val in val.items() if \n inner_key == 'stats'][0] for key, val in existing_regions.items() if\n key in regions}\n",
"role": "user"
},
{
"content": "get_stats",
"role": "assistant"
}
] |
async def _base_request(self, battle_tag: str, endpoint_name: str, session:
aiohttp.ClientSession, *, platform=None, handle_ratelimit=None,
max_tries=None, request_timeout=None):
"""Does a request to some endpoint. This is also where ratelimit logic is handled."""
if platform is None:
platform = self.default_platform
if handle_ratelimit is None:
handle_ratelimit = self.default_handle_ratelimit
if max_tries is None:
max_tries = self.default_max_tries
if request_timeout is None:
request_timeout = self.default_request_timeout
san_battle_tag = self.sanitize_battletag(battle_tag)
for _ in range(max_tries):
try:
resp_json, status = await self._async_get(session, self.
server_url + self._api_urlpath + '{battle_tag}/{endpoint}'.
format(battle_tag=san_battle_tag, endpoint=endpoint_name),
params={'platform': platform}, headers={'User-Agent':
'overwatch_python_api'}, _async_timeout_seconds=request_timeout
)
if status == 429 and resp_json['msg'
] == 'you are being ratelimited':
raise RatelimitError
except RatelimitError as e:
if handle_ratelimit:
await asyncio.sleep(resp_json['retry'] + 1)
continue
else:
raise
else:
break
else:
raise RatelimitError(
'Got ratelimited for each requests until the maximum number of retries were reached.'
)
if status != 200:
if status == 404 and resp_json['msg'] == 'profile not found':
raise ProfileNotFoundError(
'Got HTTP 404, profile not found. This is caused by the given battletag not existing on the specified platform.'
)
if status == 429 and resp_json['msg'] == 'you are being ratelimited':
raise RatelimitError(
'Got HTTP 429, you are being ratelimited. This is caused by calls to the api too frequently.'
)
raise ConnectionError('Did not get HTTP status 200, got: {0}'.
format(status))
return resp_json
| base_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _base_request(self, battle_tag: str, endpoint_name: str, session:\n aiohttp.ClientSession, *, platform=None, handle_ratelimit=None,\n max_tries=None, request_timeout=None):\n \"\"\"Does a request to some endpoint. This is also where ratelimit logic is handled.\"\"\"\n if platform is None:\n platform = self.default_platform\n if handle_ratelimit is None:\n handle_ratelimit = self.default_handle_ratelimit\n if max_tries is None:\n max_tries = self.default_max_tries\n if request_timeout is None:\n request_timeout = self.default_request_timeout\n san_battle_tag = self.sanitize_battletag(battle_tag)\n for _ in range(max_tries):\n try:\n resp_json, status = await self._async_get(session, self.\n server_url + self._api_urlpath + '{battle_tag}/{endpoint}'.\n format(battle_tag=san_battle_tag, endpoint=endpoint_name),\n params={'platform': platform}, headers={'User-Agent':\n 'overwatch_python_api'}, _async_timeout_seconds=request_timeout\n )\n if status == 429 and resp_json['msg'\n ] == 'you are being ratelimited':\n raise RatelimitError\n except RatelimitError as e:\n if handle_ratelimit:\n await asyncio.sleep(resp_json['retry'] + 1)\n continue\n else:\n raise\n else:\n break\n else:\n raise RatelimitError(\n 'Got ratelimited for each requests until the maximum number of retries were reached.'\n )\n if status != 200:\n if status == 404 and resp_json['msg'] == 'profile not found':\n raise ProfileNotFoundError(\n 'Got HTTP 404, profile not found. This is caused by the given battletag not existing on the specified platform.'\n )\n if status == 429 and resp_json['msg'] == 'you are being ratelimited':\n raise RatelimitError(\n 'Got HTTP 429, you are being ratelimited. This is caused by calls to the api too frequently.'\n )\n raise ConnectionError('Did not get HTTP status 200, got: {0}'.\n format(status))\n return resp_json\n",
"role": "user"
},
{
"content": "base_request",
"role": "assistant"
}
] |
async def _async_get(self, session: aiohttp.ClientSession, *args,
_async_timeout_seconds: int=5, **kwargs):
"""Uses aiohttp to make a get request asynchronously.
Will raise asyncio.TimeoutError if the request could not be completed
within _async_timeout_seconds (default 5) seconds."""
with async_timeout.timeout(_async_timeout_seconds):
async with session.get(*args, **kwargs) as response:
return await response.json(), response.status
| async_get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _async_get(self, session: aiohttp.ClientSession, *args,\n _async_timeout_seconds: int=5, **kwargs):\n \"\"\"Uses aiohttp to make a get request asynchronously. \n Will raise asyncio.TimeoutError if the request could not be completed \n within _async_timeout_seconds (default 5) seconds.\"\"\"\n with async_timeout.timeout(_async_timeout_seconds):\n async with session.get(*args, **kwargs) as response:\n return await response.json(), response.status\n",
"role": "user"
},
{
"content": "async_get",
"role": "assistant"
}
] |
def x(arg, min_arity=None, max_arity=None):
if not callable(arg):
return False
if not any(is_(arg) for is_ in (inspect.ismethod, inspect.
ismethoddescriptor, inspect.isbuiltin)):
return False
try:
argnames, varargs, kwargs, defaults = getargspec(arg)
except TypeError:
return True
else:
if argnames and argnames[0] == 'self':
argnames = argnames[1:]
if min_arity is not None:
actual_min_arity = len(argnames) - len(defaults or ())
assert actual_min_arity >= 0, 'Minimum arity of %r found to be negative (got %s)!' % (
arg, actual_min_arity)
if int(min_arity) != actual_min_arity:
return False
if max_arity is not None:
actual_max_arity = sys.maxsize if varargs or kwargs else len(argnames)
if int(max_arity) != actual_max_arity:
return False
return True
| is_method | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arg, min_arity=None, max_arity=None):\n if not callable(arg):\n return False\n if not any(is_(arg) for is_ in (inspect.ismethod, inspect.\n ismethoddescriptor, inspect.isbuiltin)):\n return False\n try:\n argnames, varargs, kwargs, defaults = getargspec(arg)\n except TypeError:\n return True\n else:\n if argnames and argnames[0] == 'self':\n argnames = argnames[1:]\n if min_arity is not None:\n actual_min_arity = len(argnames) - len(defaults or ())\n assert actual_min_arity >= 0, 'Minimum arity of %r found to be negative (got %s)!' % (\n arg, actual_min_arity)\n if int(min_arity) != actual_min_arity:\n return False\n if max_arity is not None:\n actual_max_arity = sys.maxsize if varargs or kwargs else len(argnames)\n if int(max_arity) != actual_max_arity:\n return False\n return True\n",
"role": "user"
},
{
"content": "is_method",
"role": "assistant"
}
] |
def x(self, obj):
try:
read = getattr(obj, 'read')
except AttributeError:
return False
else:
return is_method(read, max_arity=1)
| is_readable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n try:\n read = getattr(obj, 'read')\n except AttributeError:\n return False\n else:\n return is_method(read, max_arity=1)\n",
"role": "user"
},
{
"content": "is_readable",
"role": "assistant"
}
] |
def x(self, obj):
try:
write = getattr(obj, 'write')
except AttributeError:
return False
else:
return is_method(write, min_arity=1, max_arity=1)
| is_writable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n try:\n write = getattr(obj, 'write')\n except AttributeError:\n return False\n else:\n return is_method(write, min_arity=1, max_arity=1)\n",
"role": "user"
},
{
"content": "is_writable",
"role": "assistant"
}
] |
def x(time: datetime, altkm: float, glat: Union[float, np.ndarray], glon:
Union[float, np.ndarray], *, f107a: float=None, f107: float=None, Ap:
int=None) ->xarray.Dataset:
glat = np.atleast_2d(glat)
glon = np.atleast_2d(glon)
if glat.size == 1 and glon.size == 1 and isinstance(time, (str, date,
datetime, np.datetime64)):
atmos = rungtd1d(time, altkm, glat.squeeze()[()], glon.squeeze()[()
], f107a=f107a, f107=f107, Ap=Ap)
else:
atmos = loopalt_gtd(time, glat, glon, altkm, f107a=f107a, f107=f107,
Ap=Ap)
return atmos
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(time: datetime, altkm: float, glat: Union[float, np.ndarray], glon:\n Union[float, np.ndarray], *, f107a: float=None, f107: float=None, Ap:\n int=None) ->xarray.Dataset:\n glat = np.atleast_2d(glat)\n glon = np.atleast_2d(glon)\n if glat.size == 1 and glon.size == 1 and isinstance(time, (str, date,\n datetime, np.datetime64)):\n atmos = rungtd1d(time, altkm, glat.squeeze()[()], glon.squeeze()[()\n ], f107a=f107a, f107=f107, Ap=Ap)\n else:\n atmos = loopalt_gtd(time, glat, glon, altkm, f107a=f107a, f107=f107,\n Ap=Ap)\n return atmos\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(time: datetime, glat: Union[float, np.ndarray], glon: Union[float, np
.ndarray], altkm: Union[float, List[float], np.ndarray], *, f107a:
float=None, f107: float=None, Ap: int=None) ->xarray.Dataset:
glat = np.atleast_2d(glat)
glon = np.atleast_2d(glon)
assert glat.ndim == glon.ndim == 2
times = np.atleast_1d(time)
assert times.ndim == 1
atmos = xarray.Dataset()
for k, t in enumerate(times):
print('computing', t)
for i in range(glat.shape[0]):
for j in range(glat.shape[1]):
atm = rungtd1d(t, altkm, glat[i, j], glon[i, j], f107a=
f107a, f107=f107, Ap=Ap)
atmos = xarray.merge((atmos, atm))
atmos.attrs = atm.attrs
return atmos
| loopalt_gtd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(time: datetime, glat: Union[float, np.ndarray], glon: Union[float, np\n .ndarray], altkm: Union[float, List[float], np.ndarray], *, f107a:\n float=None, f107: float=None, Ap: int=None) ->xarray.Dataset:\n glat = np.atleast_2d(glat)\n glon = np.atleast_2d(glon)\n assert glat.ndim == glon.ndim == 2\n times = np.atleast_1d(time)\n assert times.ndim == 1\n atmos = xarray.Dataset()\n for k, t in enumerate(times):\n print('computing', t)\n for i in range(glat.shape[0]):\n for j in range(glat.shape[1]):\n atm = rungtd1d(t, altkm, glat[i, j], glon[i, j], f107a=\n f107a, f107=f107, Ap=Ap)\n atmos = xarray.merge((atmos, atm))\n atmos.attrs = atm.attrs\n return atmos\n",
"role": "user"
},
{
"content": "loopalt_gtd",
"role": "assistant"
}
] |
def x(time: datetime, altkm: np.ndarray, glat: float, glon: float, *, f107a:
float=None, f107: float=None, Ap: int=None) ->xarray.Dataset:
time = todatetime(time)
if f107a and f107a and Ap:
pass
else:
f107Ap = gi.getApF107(time, smoothdays=81)
f107a = f107Ap['f107s'].item()
f107 = f107Ap['f107'].item()
Ap = f107Ap['Ap'].item()
altkm = np.atleast_1d(altkm)
assert altkm.ndim == 1
assert isinstance(glon, (int, float))
assert isinstance(glat, (int, float))
iyd = time.strftime('%y%j')
altkm = np.atleast_1d(altkm)
dens = np.empty((altkm.size, len(species)))
temp = np.empty((altkm.size, len(ttypes)))
for i, a in enumerate(altkm):
cmd = [str(EXE), iyd, str(time.hour), str(time.minute), str(time.
second), str(glat), str(glon), str(f107a), str(f107), str(Ap),
str(a)]
ret = subprocess.check_output(cmd, universal_newlines=True, stderr=
subprocess.DEVNULL)
f = io.StringIO(ret)
dens[i, :] = np.genfromtxt(f, max_rows=1)
temp[i, :] = np.genfromtxt(f, max_rows=1)
dsf = {k: (('time', 'alt_km', 'lat', 'lon'), v[None, :, None, None]) for
k, v in zip(species, dens.T)}
dsf.update({'Tn': (('time', 'alt_km', 'lat', 'lon'), temp[:, 1][None, :,
None, None]), 'Texo': (('time', 'alt_km', 'lat', 'lon'), temp[:, 0]
[None, :, None, None])})
atmos = xarray.Dataset(dsf, coords={'time': [time], 'alt_km': altkm,
'lat': [glat], 'lon': [glon]}, attrs={'Ap': Ap, 'f107': f107,
'f107a': f107a, 'species': species})
return atmos
| rungtd1d | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(time: datetime, altkm: np.ndarray, glat: float, glon: float, *, f107a:\n float=None, f107: float=None, Ap: int=None) ->xarray.Dataset:\n time = todatetime(time)\n if f107a and f107a and Ap:\n pass\n else:\n f107Ap = gi.getApF107(time, smoothdays=81)\n f107a = f107Ap['f107s'].item()\n f107 = f107Ap['f107'].item()\n Ap = f107Ap['Ap'].item()\n altkm = np.atleast_1d(altkm)\n assert altkm.ndim == 1\n assert isinstance(glon, (int, float))\n assert isinstance(glat, (int, float))\n iyd = time.strftime('%y%j')\n altkm = np.atleast_1d(altkm)\n dens = np.empty((altkm.size, len(species)))\n temp = np.empty((altkm.size, len(ttypes)))\n for i, a in enumerate(altkm):\n cmd = [str(EXE), iyd, str(time.hour), str(time.minute), str(time.\n second), str(glat), str(glon), str(f107a), str(f107), str(Ap),\n str(a)]\n ret = subprocess.check_output(cmd, universal_newlines=True, stderr=\n subprocess.DEVNULL)\n f = io.StringIO(ret)\n dens[i, :] = np.genfromtxt(f, max_rows=1)\n temp[i, :] = np.genfromtxt(f, max_rows=1)\n dsf = {k: (('time', 'alt_km', 'lat', 'lon'), v[None, :, None, None]) for\n k, v in zip(species, dens.T)}\n dsf.update({'Tn': (('time', 'alt_km', 'lat', 'lon'), temp[:, 1][None, :,\n None, None]), 'Texo': (('time', 'alt_km', 'lat', 'lon'), temp[:, 0]\n [None, :, None, None])})\n atmos = xarray.Dataset(dsf, coords={'time': [time], 'alt_km': altkm,\n 'lat': [glat], 'lon': [glon]}, attrs={'Ap': Ap, 'f107': f107,\n 'f107a': f107a, 'species': species})\n return atmos\n",
"role": "user"
},
{
"content": "rungtd1d",
"role": "assistant"
}
] |
def x(self, desc):
if desc is None:
return desc
if not isinstance(desc, STRING_TYPES):
raise TypeError(
'predicate description for Matching must be a string, got %r' %
(type(desc),))
if not IS_PY3 and isinstance(desc, unicode):
try:
desc = desc.encode('ascii', errors='strict')
except UnicodeEncodeError:
raise TypeError(
'predicate description must be an ASCII string in Python 2')
return desc
| validate_desc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, desc):\n if desc is None:\n return desc\n if not isinstance(desc, STRING_TYPES):\n raise TypeError(\n 'predicate description for Matching must be a string, got %r' %\n (type(desc),))\n if not IS_PY3 and isinstance(desc, unicode):\n try:\n desc = desc.encode('ascii', errors='strict')\n except UnicodeEncodeError:\n raise TypeError(\n 'predicate description must be an ASCII string in Python 2')\n return desc\n",
"role": "user"
},
{
"content": "validate_desc",
"role": "assistant"
}
] |
def x(self):
placeholder = '...'
if self.TRANSFORM is not None:
placeholder = '%s(%s)' % (self.TRANSFORM.__name__, placeholder)
return placeholder
| get_placeholder_repr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n placeholder = '...'\n if self.TRANSFORM is not None:\n placeholder = '%s(%s)' % (self.TRANSFORM.__name__, placeholder)\n return placeholder\n",
"role": "user"
},
{
"content": "get_placeholder_repr",
"role": "assistant"
}
] |
def x(meta, classname, bases, dict_):
if meta._is_base_matcher_class_definition(classname, dict_):
return
for name, member in dict_.items():
if not (name.startswith('__') and name.endswith('__')):
continue
name = name[2:-2]
if not name:
continue
if name not in meta._list_magic_methods(BaseMatcher):
continue
if name in meta.USER_OVERRIDABLE_MAGIC_METHODS:
continue
if not inspect.isfunction(member):
continue
if member.__module__ == __name__:
continue
raise RuntimeError(
'matcher class %s cannot override the __%s__ method' % (
classname, name))
| validate_class_definition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(meta, classname, bases, dict_):\n if meta._is_base_matcher_class_definition(classname, dict_):\n return\n for name, member in dict_.items():\n if not (name.startswith('__') and name.endswith('__')):\n continue\n name = name[2:-2]\n if not name:\n continue\n if name not in meta._list_magic_methods(BaseMatcher):\n continue\n if name in meta.USER_OVERRIDABLE_MAGIC_METHODS:\n continue\n if not inspect.isfunction(member):\n continue\n if member.__module__ == __name__:\n continue\n raise RuntimeError(\n 'matcher class %s cannot override the __%s__ method' % (\n classname, name))\n",
"role": "user"
},
{
"content": "validate_class_definition",
"role": "assistant"
}
] |
def x(meta, classname, dict_):
if classname != 'BaseMatcher':
return False
methods = list(filter(inspect.isfunction, dict_.values()))
return methods and all(m.__module__ == __name__ for m in methods)
| is_base_matcher_class_definition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(meta, classname, dict_):\n if classname != 'BaseMatcher':\n return False\n methods = list(filter(inspect.isfunction, dict_.values()))\n return methods and all(m.__module__ == __name__ for m in methods)\n",
"role": "user"
},
{
"content": "is_base_matcher_class_definition",
"role": "assistant"
}
] |
def x(meta, class_):
return [name[2:-2] for name, member in class_.__dict__.items() if len(
name) > 4 and name.startswith('__') and name.endswith('__') and
inspect.isfunction(member)]
| list_magic_methods | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(meta, class_):\n return [name[2:-2] for name, member in class_.__dict__.items() if len(\n name) > 4 and name.startswith('__') and name.endswith('__') and\n inspect.isfunction(member)]\n",
"role": "user"
},
{
"content": "list_magic_methods",
"role": "assistant"
}
] |
def x(version, loose):
if isinstance(version, SemVer):
if version.loose == loose:
return version
else:
version = version.version
elif not isinstance(version, str):
raise InvalidTypeIncluded('must be str, but {!r}'.format(version))
"""
if (!(this instanceof SemVer))
return new SemVer(version, loose);
"""
return SemVer(version, loose)
| semver | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(version, loose):\n if isinstance(version, SemVer):\n if version.loose == loose:\n return version\n else:\n version = version.version\n elif not isinstance(version, str):\n raise InvalidTypeIncluded('must be str, but {!r}'.format(version))\n \"\"\"\n if (!(this instanceof SemVer))\n return new SemVer(version, loose);\n \"\"\"\n return SemVer(version, loose)\n",
"role": "user"
},
{
"content": "semver",
"role": "assistant"
}
] |
def x(app, what, name, obj, options, lines):
_, symbol = name.rsplit('.', 1)
if symbol not in callee.__all__:
raise SphinxError("autodoc'd '%s' is not a part of the public API!" %
name)
if what == 'class' and name in autoclass_content_exceptions:
ctor_docstring_lines = prepare_docstring(obj.__init__.__doc__)
if lines == ctor_docstring_lines:
lines[:] = []
| autodoc_process_docstring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, what, name, obj, options, lines):\n _, symbol = name.rsplit('.', 1)\n if symbol not in callee.__all__:\n raise SphinxError(\"autodoc'd '%s' is not a part of the public API!\" %\n name)\n if what == 'class' and name in autoclass_content_exceptions:\n ctor_docstring_lines = prepare_docstring(obj.__init__.__doc__)\n if lines == ctor_docstring_lines:\n lines[:] = []\n",
"role": "user"
},
{
"content": "autodoc_process_docstring",
"role": "assistant"
}
] |
def x(self):
contacts = self.api.lists.contacts(id=self.list_id)['result']
for contact in contacts:
if contact['email'] == self.cleaned_data['email']:
raise forms.ValidationError(_(u'This email is already subscribed'))
return self.cleaned_data['email']
| clean_email | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n contacts = self.api.lists.contacts(id=self.list_id)['result']\n for contact in contacts:\n if contact['email'] == self.cleaned_data['email']:\n raise forms.ValidationError(_(u'This email is already subscribed'))\n return self.cleaned_data['email']\n",
"role": "user"
},
{
"content": "clean_email",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.