source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, y, t):
coupling = self.coupling_function[0]
res = np.empty_like(self.y0)
for j, m in enumerate(self.submodels):
slicej = slice(self._si[j], self._si[j + 1])
target_y = y[slicej]
res[slicej] = m.f(target_y, t)
sources = np.nonzero(self.network[:, j])[0]
for i in sources:
weight = self.network[i, j]
source_y = y[slice(self._si[i], self._si[i + 1])]
res[slicej] += coupling(source_y, target_y, weight)
return res
| f | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, y, t):\n coupling = self.coupling_function[0]\n res = np.empty_like(self.y0)\n for j, m in enumerate(self.submodels):\n slicej = slice(se... |
def x(self, y, t):
if self._independent_noise:
res = np.zeros((self.dimension, self.nnoises))
offset = 0
for j, m in enumerate(self.submodels):
slicej = slice(self._si[j], self._si[j + 1])
ix = slicej, slice(offset, offset + self._nsubnoises[j])
res[ix] = m.G(y[slicej], t)
offset += self._nsubnoises[j]
else:
res = np.empty((self.dimension, self.nnoises))
for j, m in enumerate(self.submodels):
slicej = slice(self._si[j], self._si[j + 1])
ix = slicej, slice(None)
res[ix] = m.G(y[slicej], t)
return res
| G | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, y, t):\n if self._independent_noise:\n res = np.zeros((self.dimension, self.nnoises))\n offset = 0\n for j, m in enumerate(self.s... |
def x(self, m):
if not isinstance(m.y0, numbers.Number):
return m
else:
m = copy.deepcopy(m)
t0 = 0.0
if isinstance(m.y0, numbers.Integral):
numtype = np.float64
else:
numtype = type(m.y0)
y0_orig = m.y0
m.y0 = np.array([m.y0], dtype=numtype)
def x(fn):
def x(y, t):
return np.array([fn(y[0], t)], dtype=numtype)
newfn.__name__ = fn.__name__
return newfn
def x(fn):
def x(y, t):
return np.array([[fn(y[0], t)]], dtype=numtype)
newfn.__name__ = fn.__name__
return newfn
def x(fn):
def x(source_y, target_y, weight):
return np.array([fn(source_y[0], target_y[0], weight)])
newfn.__name__ = fn.__name__
return newfn
if isinstance(m.f(y0_orig, t0), numbers.Number):
m.f = make_vector_fn(m.f)
if hasattr(m, 'G') and isinstance(m.G(y0_orig, t0), numbers.Number):
m.G = make_matrix_fn(m.G)
if hasattr(m, 'coupling') and isinstance(m.coupling(y0_orig,
y0_orig, 0.5), numbers.Number):
m.coupling = make_coupling_fn(m.coupling)
return m
| scalar_to_vector | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, m):\n if not isinstance(m.y0, numbers.Number):\n return m\n else:\n m = copy.deepcopy(m)\n t0 = 0.0\n if isinstance(m.y... |
def x(self, ts):
if np.count_nonzero(np.diff(self._sublengths)) == 0:
subdim = self.dimension // self._n
shp = list(ts.shape)
shp[1] = self._n
shp.insert(2, subdim)
ts = ts.reshape(tuple(shp)).swapaxes(1, 2)
all_var_labels = [m.labels for m in self.submodels]
var_labels = all_var_labels[0]
if all(v == var_labels for v in all_var_labels[1:]):
ts.labels[1] = var_labels
ts.labels[2] = self._node_labels()
return ts
else:
subdim = max(self._sublengths)
shp = list(ts.shape)
shp[1] = subdim
shp.insert(2, self._n)
ar = np.zeros(shp)
labels = ts.labels
labels.insert(2, self._node_labels())
for k in range(self._n):
sl = slice(self._si[k], self._si[k + 1])
ar[:, :, k, ...] = ts[:, sl, ...]
return Timeseries(ar, ts.tspan, labels)
| reshape_timeseries | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ts):\n if np.count_nonzero(np.diff(self._sublengths)) == 0:\n subdim = self.dimension // self._n\n shp = list(ts.shape)\n shp[1] ... |
def x(self, ts):
subodim = len(self.submodels[0].output_vars)
shp = list(ts.shape)
shp[1] = subodim
shp.insert(2, self._n)
ts = ts.reshape(tuple(shp))
ts.labels[2] = self._node_labels()
return ts
| reshape_output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ts):\n subodim = len(self.submodels[0].output_vars)\n shp = list(ts.shape)\n shp[1] = subodim\n shp.insert(2, self._n)\n ts = ts.reshape(t... |
def x(self):
if self._timeseries is None:
self.compute()
if isinstance(self.system, NetworkModel):
return self.system._reshape_timeseries(self._timeseries)
else:
return self._timeseries
| timeseries | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._timeseries is None:\n self.compute()\n if isinstance(self.system, NetworkModel):\n return self.system._reshape_timeseries... |
def x(self):
if self._timeseries is None:
self.compute()
output = self._timeseries[:, self.system.output_vars]
if isinstance(self.system, NetworkModel):
return self.system._reshape_output(output)
else:
return output
| output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._timeseries is None:\n self.compute()\n output = self._timeseries[:, self.system.output_vars]\n if isinstance(self.system, Net... |
def x(self):
subts = [s.output for s in self.sims]
sub_ndim = subts[0].ndim
if sub_ndim is 1:
subts = [distob.expand_dims(ts, 1) for ts in subts]
sub_ndim += 1
nodeaxis = sub_ndim
subts = [distob.expand_dims(ts, nodeaxis) for ts in subts]
ts = subts[0].concatenate(subts[1:], axis=nodeaxis)
ts.labels[nodeaxis] = self._node_labels()
return ts
| output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n subts = [s.output for s in self.sims]\n sub_ndim = subts[0].ndim\n if sub_ndim is 1:\n subts = [distob.expand_dims(ts, 1) for ts in su... |
def x(self, ix):
N = self._n
if ix >= N or ix < -N:
raise IndexError('index %d out of bounds for list of %d sims' % (ix, N)
)
if ix < 0:
ix += N
for s in range(0, self._n):
if self._si[s + 1] - 1 >= ix:
break
m = ix - self._si[s]
return s, m
| tosub | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ix):\n N = self._n\n if ix >= N or ix < -N:\n raise IndexError('index %d out of bounds for list of %d sims' % (ix, N)\n )\n if... |
def x(self, ixlist):
n = len(ixlist)
N = self._n
ss = []
ms = []
if n == 0:
return ss, ms
j = 0
ix = ixlist[j]
if ix >= N or ix < -N:
raise IndexError('index %d out of bounds for list of %d sims' % (ix, N)
)
if ix < 0:
ix += N
while j < n:
for s in range(0, self._n):
low = self._si[s]
high = self._si[s + 1]
if ix >= low and ix < high:
ss.append(s)
msj = [ix - low]
j += 1
while j < n:
ix = ixlist[j]
if ix >= N or ix < -N:
raise IndexError(
'index %d out of bounds for list of %d sims' %
(ix, N))
if ix < 0:
ix += N
if ix < low or ix >= high:
break
msj.append(ix - low)
j += 1
ms.append(msj)
if ix < low:
break
return ss, ms
| tosubs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ixlist):\n n = len(ixlist)\n N = self._n\n ss = []\n ms = []\n if n == 0:\n return ss, ms\n j = 0\n ix = ixlist[j]\n if ix... |
def x(self):
subts = [rms.output for rms in self._subsims]
distaxis = subts[0].ndim - 1
return DistTimeseries(subts, distaxis, self._node_labels())
| output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n subts = [rms.output for rms in self._subsims]\n distaxis = subts[0].ndim - 1\n return DistTimeseries(subts, distaxis, self._node_labels())\n"... |
def x(ts, c=0.0, d=0.0):
ts = ts.squeeze()
if ts.ndim is not 1:
raise ValueError('Currently can only use on single variable timeseries'
)
ts = ts - c
tsa = ts[0:-1]
tsb = ts[1:]
zc = np.nonzero((tsa < 0) & (tsb >= 0) | (tsa > 0) & (tsb <= 0))[0] + 1
va = ts[zc - 1]
vb = ts[zc]
ct = (np.abs(vb) * ts.tspan[zc - 1] + np.abs(va) * ts.tspan[zc]) / np.abs(
vb - va)
if ts[0] == 0.0:
zc = np.r_[np.array([0]), zc]
ct = np.r_[np.array([ts.tspan[0]]), ct]
if d == 0.0 or ct.shape[0] is 0:
return ct
dc = np.nonzero((tsa < d) & (tsb >= d) | (tsa > -d) & (tsb <= -d))[0] + 1
splice = np.searchsorted(dc, zc)
which_zc = np.r_[np.array([0]), np.nonzero(splice[0:-1] - splice[1:])[0
] + 1]
return ct[which_zc]
| crossing_times | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ts, c=0.0, d=0.0):\n ts = ts.squeeze()\n if ts.ndim is not 1:\n raise ValueError('Currently can only use on single variable timeseries'\n ... |
def x(ts, c=None, d=0.0):
ts = np.squeeze(ts)
if c is None:
c = ts.mean()
if ts.ndim <= 1:
return np.diff(ts.crossing_times(c, d))
else:
return np.hstack([ts[..., i].first_return_times(c, d) for i in
range(ts.shape[-1])])
| first_return_times | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ts, c=None, d=0.0):\n ts = np.squeeze(ts)\n if c is None:\n c = ts.mean()\n if ts.ndim <= 1:\n return np.diff(ts.crossing_times(c, d))\n... |
def x(ts, normalized=False, unbiased=False):
ts = np.squeeze(ts)
if ts.ndim <= 1:
if normalized:
ts = (ts - ts.mean()) / ts.std()
N = ts.shape[0]
ar = np.asarray(ts)
acf = np.correlate(ar, ar, mode='full')
outlen = (acf.shape[0] + 1) / 2
acf = acf[outlen - 1:]
if unbiased:
factor = np.array([(1.0 / (N - m)) for m in range(0, outlen)])
acf = acf * factor
dt = (ts.tspan[-1] - ts.tspan[0]) / (len(ts) - 1.0)
lags = np.arange(outlen) * dt
return Timeseries(acf, tspan=lags, labels=ts.labels)
else:
lastaxis = ts.ndim - 1
m = ts.shape[lastaxis]
acfs = [ts[..., i].autocorrelation(normalized, unbiased)[..., np.
newaxis] for i in range(m)]
res = distob.concatenate(acfs, axis=lastaxis)
res.labels[lastaxis] = ts.labels[lastaxis]
return res
| autocorrelation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ts, normalized=False, unbiased=False):\n ts = np.squeeze(ts)\n if ts.ndim <= 1:\n if normalized:\n ts = (ts - ts.mean()) / ts.std()\n ... |
def x(self, value):
if value not in range(1, 10):
raise exceptions.RoasterValueError
self._fan_speed.value = value
| fan_speed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if value not in range(1, 10):\n raise exceptions.RoasterValueError\n self._fan_speed.value = value\n",
"role": "user"
},
{... |
def x(self, value):
if value not in range(0, 4):
raise exceptions.RoasterValueError
self._heat_setting.value = value
| heat_setting | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if value not in range(0, 4):\n raise exceptions.RoasterValueError\n self._heat_setting.value = value\n",
"role": "user"
},
... |
def x(self, value):
if self._ext_sw_heater_drive:
if value not in range(0, self._heater_bangbang_segments + 1):
raise exceptions.RoasterValueError
self._heater_level.value = value
else:
raise exceptions.RoasterValueError
| heater_level | [
{
"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._ext_sw_heater_drive:\n if value not in range(0, self._heater_bangbang_segments + 1):\n raise exceptions.RoasterVa... |
def x(self, func):
if self._connected.value:
logging.error(
'freshroastsr700.set_state_transition_func must be called before freshroastsr700.auto_connect(). Not registering func.'
)
return False
self._create_state_transition_system(func)
return True
| set_state_transition_func | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func):\n if self._connected.value:\n logging.error(\n 'freshroastsr700.set_state_transition_func must be called before freshroastsr7... |
def x(self, event_to_wait_on):
while event_to_wait_on.wait():
event_to_wait_on.clear()
if self.update_data_callback_kill_event.is_set():
return
self.update_data_func()
| update_data_run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_to_wait_on):\n while event_to_wait_on.wait():\n event_to_wait_on.clear()\n if self.update_data_callback_kill_event.is_set():\n ... |
def x(self, event_to_wait_on):
while event_to_wait_on.wait():
event_to_wait_on.clear()
if self.state_transition_callback_kill_event.is_set():
return
self.state_transition_func()
| state_transition_run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_to_wait_on):\n while event_to_wait_on.wait():\n event_to_wait_on.clear()\n if self.state_transition_callback_kill_event.is_set():\... |
def x(self):
port = utils.find_device('1A86:5523')
wait_timeout = time.time() + 40.0
self._connect_state.value = self.CS_CONNECTING
connect_success = False
while time.time() < wait_timeout:
try:
self._ser = serial.Serial(port=port, baudrate=9600, bytesize=8,
parity='N', stopbits=1.5, timeout=0.25, xonxoff=False,
rtscts=False, dsrdtr=False)
connect_success = True
break
except serial.SerialException:
time.sleep(0.5)
if not connect_success:
raise exceptions.RoasterLookupError
self._initialize()
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n port = utils.find_device('1A86:5523')\n wait_timeout = time.time() + 40.0\n self._connect_state.value = self.CS_CONNECTING\n connect_succe... |
def x(self):
self._header.value = b'\xaaU'
self._current_state.value = b'\x00\x00'
s = self._generate_packet()
self._ser.write(s)
self._header.value = b'\xaa\xaa'
self._current_state.value = b'\x02\x01'
return self._read_existing_recipe()
| initialize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._header.value = b'\\xaaU'\n self._current_state.value = b'\\x00\\x00'\n s = self._generate_packet()\n self._ser.write(s)\n self._h... |
def x(self):
self._start_connect(self.CA_SINGLE_SHOT)
while (self._connect_state.value == self.CS_ATTEMPTING_CONNECT or self.
_connect_state.value == self.CS_CONNECTING):
time.sleep(0.1)
if self.CS_CONNECTED != self._connect_state.value:
raise exceptions.RoasterLookupError
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._start_connect(self.CA_SINGLE_SHOT)\n while (self._connect_state.value == self.CS_ATTEMPTING_CONNECT or self.\n _connect_state.value... |
def x(self, connect_type):
if self._connect_state.value != self.CS_NOT_CONNECTED:
return
self._connected.value = 0
self._connect_state.value = self.CS_ATTEMPTING_CONNECT
self._attempting_connect.value = connect_type
if self.update_data_func is not None:
self._create_update_data_system(None, setFunc=False, createThread=True)
self.update_data_thread.start()
if self.state_transition_func is not None:
self._create_state_transition_system(None, setFunc=False,
createThread=True)
self.state_transition_thread.start()
| start_connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connect_type):\n if self._connect_state.value != self.CS_NOT_CONNECTED:\n return\n self._connected.value = 0\n self._connect_state.value ... |
def x(self):
while not self._teardown.value:
try:
self._connect()
return True
except exceptions.RoasterLookupError:
time.sleep(0.25)
return False
| auto_connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while not self._teardown.value:\n try:\n self._connect()\n return True\n except exceptions.RoasterLookupError:\... |
def x(self, thermostat=False, kp=0.06, ki=0.0075, kd=0.01, heater_segments=
8, ext_sw_heater_drive=False, update_data_event=None):
while not self._teardown.value:
while self._attempting_connect.value == self.CA_NONE:
time.sleep(0.25)
if self._teardown.value:
break
if self._teardown.value:
break
self._connect_state.value = self.CS_ATTEMPTING_CONNECT
if self.CA_AUTO == self._attempting_connect.value:
if self._auto_connect():
self._connected.value = 1
self._connect_state.value = self.CS_CONNECTED
else:
self._connected.value = 0
self._connect_state.value = self.CS_NOT_CONNECTED
self._attempting_connect.value = self.CA_NONE
continue
elif self.CA_SINGLE_SHOT == self._attempting_connect.value:
try:
self._connect()
self._connected.value = 1
self._connect_state.value = self.CS_CONNECTED
except exceptions.RoasterLookupError:
self._connected.value = 0
self._connect_state.value = self.CS_NOT_CONNECTED
if self._connect_state.value != self.CS_CONNECTED:
self._attempting_connect.value = self.CA_NONE
continue
else:
self._attempting_connect.value = self.CA_NONE
continue
self._attempting_connect.value = self.CA_NONE
pidc = None
heater = None
if thermostat:
pidc = pid.PID(kp, ki, kd, Output_max=heater_segments, Output_min=0
)
if thermostat or ext_sw_heater_drive:
heater = heat_controller(number_of_segments=heater_segments)
read_state = self.LOOKING_FOR_HEADER_1
r = []
write_errors = 0
read_errors = 0
while not self._disconnect.value:
start = datetime.datetime.now()
if not self._write_to_device():
logging.error('comm - _write_to_device() failed!')
write_errors += 1
if write_errors > 3:
logging.error(
'comm - 3 successive write failures, disconnecting.')
self._disconnect.value = 1
continue
else:
write_errors = 0
try:
while self._ser.in_waiting:
_byte = self._ser.read(1)
read_state, r, err = self._process_reponse_byte(read_state,
_byte, r, update_data_event)
except IOError:
logging.error('comm - read from device failed!')
read_errors += 1
if write_errors > 3:
logging.error(
'comm - 3 successive read failures, disconnecting.')
self._disconnect.value = 1
continue
else:
read_errors = 0
if thermostat or ext_sw_heater_drive:
if 'roasting' == self.get_roaster_state():
if heater.about_to_rollover():
if ext_sw_heater_drive:
heater.heat_level = self._heater_level.value
else:
output = pidc.update(self.current_temp, self.
target_temp)
heater.heat_level = output
self._heater_level.value = heater.heat_level
if heater.generate_bangbang_output():
self.heat_setting = 3
else:
self.heat_setting = 0
else:
heater.heat_level = 0
self._heater_level.value = heater.heat_level
self.heat_setting = 0
comp_time = datetime.datetime.now() - start
sleep_duration = 0.25 - comp_time.total_seconds()
if sleep_duration > 0:
time.sleep(sleep_duration)
self._ser.close()
self._disconnect.value = 0
self._connected.value = 0
self._connect_state.value = self.CS_NOT_CONNECTED
| comm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, thermostat=False, kp=0.06, ki=0.0075, kd=0.01, heater_segments=\n 8, ext_sw_heater_drive=False, update_data_event=None):\n while not self._teardown... |
def x(self, state_transition_event=None):
while not self._teardown.value:
state = self.get_roaster_state()
if state == 'roasting' or state == 'cooling':
time.sleep(1)
self.total_time += 1
if self.time_remaining > 0:
self.time_remaining -= 1
elif state_transition_event is not None:
state_transition_event.set()
else:
self.idle()
else:
time.sleep(0.01)
| timer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, state_transition_event=None):\n while not self._teardown.value:\n state = self.get_roaster_state()\n if state == 'roasting' or state == ... |
def x(self):
value = self._current_state.value
if value == b'\x02\x01':
return 'idle'
elif value == b'\x04\x04':
return 'cooling'
elif value == b'\x08\x01':
return 'sleeping'
elif value == b'\x00\x00' or value == b'':
return 'connecting'
elif value == b'\x04\x02':
return 'roasting'
else:
return 'unknown'
| get_roaster_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n value = self._current_state.value\n if value == b'\\x02\\x01':\n return 'idle'\n elif value == b'\\x04\\x04':\n return 'cooling... |
def x(self):
roaster_time = utils.seconds_to_float(self._time_remaining.value)
packet = (self._header.value + self._temp_unit.value + self._flags.
value + self._current_state.value + struct.pack('>B', self.
_fan_speed.value) + struct.pack('>B', int(round(roaster_time * 10.0
))) + struct.pack('>B', self._heat_setting.value) + b'\x00\x00' +
self._footer)
return packet
| generate_packet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n roaster_time = utils.seconds_to_float(self._time_remaining.value)\n packet = (self._header.value + self._temp_unit.value + self._flags.\n ... |
def x(self, value):
if value < 0:
self._heat_level = 0
elif round(value) > self._num_segments:
self._heat_level = self._num_segments
else:
self._heat_level = int(round(value))
| heat_level | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if value < 0:\n self._heat_level = 0\n elif round(value) > self._num_segments:\n self._heat_level = self._num_segments\n ... |
def x(self):
if self._current_index >= self._num_segments:
self._heat_level_now = self._heat_level
self._current_index = 0
out = self._output_array[self._heat_level_now][self._current_index]
self._current_index += 1
return out
| generate_bangbang_output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._current_index >= self._num_segments:\n self._heat_level_now = self._heat_level\n self._current_index = 0\n out = self._ou... |
def x(self):
time_elapsed = datetime.datetime.now() - self.start_time
crntTemp = self.roaster.current_temp
targetTemp = self.roaster.target_temp
heaterLevel = self.roaster.heater_level
self.file.write('%4.6f,%d,%d,%d\n' % (time_elapsed.total_seconds(),
crntTemp, targetTemp, heaterLevel))
| update_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n time_elapsed = datetime.datetime.now() - self.start_time\n crntTemp = self.roaster.current_temp\n targetTemp = self.roaster.target_temp\n ... |
def x(self):
self.active_recipe_item += 1
if self.active_recipe_item >= len(self.recipe):
return
print('--------------------------------------------')
print('Setting next process step: %d' % self.active_recipe_item)
print('time:%d, target: %ddegF, fan: %d, state: %s' % (self.recipe[self
.active_recipe_item]['time_remaining'], self.recipe[self.
active_recipe_item]['target_temp'], self.recipe[self.
active_recipe_item]['fan_speed'], self.recipe[self.
active_recipe_item]['state']))
print('--------------------------------------------')
self.roaster.time_remaining = self.recipe[self.active_recipe_item][
'time_remaining']
self.roaster.target_temp = self.recipe[self.active_recipe_item][
'target_temp']
self.roaster.fan_speed = self.recipe[self.active_recipe_item]['fan_speed']
if self.recipe[self.active_recipe_item]['state'] == 'roasting':
self.roaster.roast()
elif self.recipe[self.active_recipe_item]['state'] == 'cooling':
self.roaster.cool()
elif self.recipe[self.active_recipe_item]['state'] == 'idle':
self.roaster.idle()
elif self.recipe[self.active_recipe_item]['state'] == 'cooling':
self.roaster.sleep()
| next_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.active_recipe_item += 1\n if self.active_recipe_item >= len(self.recipe):\n return\n print('-------------------------------------... |
def x(self):
for result in self._results:
provider = result.provider
self.providers.append(provider)
if result.error:
self.failed_providers.append(provider)
continue
if not result.response:
continue
self.blacklisted = True
provider_categories = provider.process_response(result.response)
assert provider_categories.issubset(DNSBL_CATEGORIES)
self.categories = self.categories.union(provider_categories)
self.detected_by[provider.host] = list(provider_categories)
| process_results | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for result in self._results:\n provider = result.provider\n self.providers.append(provider)\n if result.error:\n se... |
async def dnsbl_request(self, addr, provider):
"""
Make lookup to dnsbl provider
Parameters:
* addr (string) - ip address to check
* provider (string) - dnsbl provider
Returns:
* DNSBLResponse object
Raises:
* ValueError
"""
response = None
error = None
try:
socket.inet_aton(addr)
except socket.error:
raise ValueError('wrong ip format')
ip_reversed = '.'.join(reversed(addr.split('.')))
dnsbl_query = '%s.%s' % (ip_reversed, provider.host)
try:
async with self._semaphore:
response = await self._resolver.query(dnsbl_query, 'A')
except aiodns.error.DNSError as exc:
if exc.args[0] != 4:
error = exc
return DNSBLResponse(addr=addr, provider=provider, response=response,
error=error)
| dnsbl_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def dnsbl_request(self, addr, provider):\n \"\"\"\n Make lookup to dnsbl provider\n Parameters:\n * addr (string) - ip address to c... |
async def _check_ip(self, addr):
"""
Async check ip with dnsbl providers.
Parameters:
* addr - ip address to check
Returns:
* DNSBLResult object
"""
tasks = []
for provider in self.providers:
tasks.append(self.dnsbl_request(addr, provider))
results = await asyncio.gather(*tasks)
return DNSBLResult(addr=addr, results=results)
| check_ip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _check_ip(self, addr):\n \"\"\"\n Async check ip with dnsbl providers.\n Parameters:\n * addr - ip address to check\n\n ... |
def x(self, addrs):
tasks = []
for addr in addrs:
tasks.append(self._check_ip(addr))
return self._loop.run_until_complete(asyncio.gather(*tasks))
| check_ips | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, addrs):\n tasks = []\n for addr in addrs:\n tasks.append(self._check_ip(addr))\n return self._loop.run_until_complete(asyncio.gather(*tas... |
def x(start, stop, step, precision):
value = start
while round(value, precision) < stop:
yield round(value, precision)
value += step
| frange | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start, stop, step, precision):\n value = start\n while round(value, precision) < stop:\n yield round(value, precision)\n value += step\n",
... |
def x(vidpid):
for port in list_ports.comports():
if re.search(vidpid, port[2], flags=re.IGNORECASE):
return port[0]
raise exceptions.RoasterLookupError
| find_device | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(vidpid):\n for port in list_ports.comports():\n if re.search(vidpid, port[2], flags=re.IGNORECASE):\n return port[0]\n raise exceptions... |
def x(self, currentTemp, targetTemp):
self.targetTemp = targetTemp
self.error = targetTemp - currentTemp
self.P_value = self.Kp * self.error
self.D_value = self.Kd * (self.Derivator - currentTemp)
self.Derivator = currentTemp
self.Integrator = self.Integrator + self.error
if self.Integrator > self.Integrator_max:
self.Integrator = self.Integrator_max
elif self.Integrator < self.Integrator_min:
self.Integrator = self.Integrator_min
self.I_value = self.Integrator * self.Ki
output = self.P_value + self.I_value + self.D_value
if output > self.Output_max:
output = self.Output_max
if output < self.Output_min:
output = self.Output_min
return output
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, currentTemp, targetTemp):\n self.targetTemp = targetTemp\n self.error = targetTemp - currentTemp\n self.P_value = self.Kp * self.error\n self... |
def x(self, targetTemp):
self.targetTemp = targetTemp
self.Integrator = 0
self.Derivator = 0
| setPoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, targetTemp):\n self.targetTemp = targetTemp\n self.Integrator = 0\n self.Derivator = 0\n",
"role": "user"
},
{
"content": "setPoint"... |
def x(self):
if self.roaster.get_roaster_state() == 'roasting':
self.roaster.time_remaining = 20
self.roaster.cool()
elif self.roaster.get_roaster_state() == 'cooling':
self.roaster.idle()
| next_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.roaster.get_roaster_state() == 'roasting':\n self.roaster.time_remaining = 20\n self.roaster.cool()\n elif self.roaster.ge... |
def x(self, file):
with open(os.path.join(main_dir, file + '.dat'), 'r') as f:
self.nouns = json.load(f)
| load_nouns | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file):\n with open(os.path.join(main_dir, file + '.dat'), 'r') as f:\n self.nouns = json.load(f)\n",
"role": "user"
},
{
"content":... |
def x(self, file):
with open(os.path.join(main_dir, file + '.dat'), 'r') as f:
self.dmails = frozenset(json.load(f))
| load_dmails | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file):\n with open(os.path.join(main_dir, file + '.dat'), 'r') as f:\n self.dmails = frozenset(json.load(f))\n",
"role": "user"
},
{
... |
def x(self, file):
with open(os.path.join(main_dir, file + '.dat'), 'r') as f:
self.nicknames = json.load(f)
| load_nicknames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file):\n with open(os.path.join(main_dir, file + '.dat'), 'r') as f:\n self.nicknames = json.load(f)\n",
"role": "user"
},
{
"conte... |
def x(self, letter=None, count=1):
self.check_count(count)
words = []
if letter is None:
all_words = list(chain.from_iterable(self.nouns.values()))
try:
words = sample(all_words, count)
except ValueError:
len_sample = len(all_words)
raise ValueError(
'Param "count" must be less than {0}. (It is only {0} words)'
.format(len_sample + 1, letter))
elif type(letter) is not str:
raise ValueError('Param "letter" must be string.')
elif letter not in self.available_letters:
raise ValueError('Param "letter" must be in {0}.'.format(self.
available_letters))
elif letter in self.available_letters:
try:
words = sample(self.nouns[letter], count)
except ValueError:
len_sample = len(self.nouns[letter])
raise ValueError(
'Param "count" must be less than {0}. (It is only {0} words for letter "{1}")'
.format(len_sample + 1, letter))
return words
| random_words | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, letter=None, count=1):\n self.check_count(count)\n words = []\n if letter is None:\n all_words = list(chain.from_iterable(self.nouns.valu... |
def x(self, letter=None, gender='u', count=1):
self.check_count(count)
nicks = []
if gender not in ('f', 'm', 'u'):
raise ValueError('Param "gender" must be in (f, m, u)')
if letter is None:
all_nicks = list(chain.from_iterable(self.nicknames[gender].values()))
try:
nicks = sample(all_nicks, count)
except ValueError:
len_sample = len(all_nicks)
raise ValueError(
'Param "count" must be less than {0}. (It is only {0} words.")'
.format(len_sample + 1))
elif type(letter) is not str:
raise ValueError('Param "letter" must be string.')
elif letter not in self.available_letters:
raise ValueError('Param "letter" must be in "{0}".'.format(self.
available_letters))
elif letter in self.available_letters:
try:
nicks = sample(self.nicknames[gender][letter], count)
except ValueError:
len_sample = len(self.nicknames[gender][letter])
raise ValueError(
'Param "count" must be less than {0}. (It is only {0} nicks for letter "{1}")'
.format(len_sample + 1, letter))
return nicks
| random_nicks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, letter=None, gender='u', count=1):\n self.check_count(count)\n nicks = []\n if gender not in ('f', 'm', 'u'):\n raise ValueError('Param \... |
def x(self, count=1):
self.check_count(count)
random_nicks = self.rn.random_nicks(count=count)
random_domains = sample(self.dmails, count)
return [(nick.lower() + '@' + domain) for nick, domain in zip(
random_nicks, random_domains)]
| randomMails | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, count=1):\n self.check_count(count)\n random_nicks = self.rn.random_nicks(count=count)\n random_domains = sample(self.dmails, count)\n return... |
def x(self, sentences=1):
if sentences < 1:
raise ValueError('Param "sentences" must be greater than 0.')
sentences_list = []
while sentences:
num_rand_words = random.randint(self.MIN_WORDS, self.MAX_WORDS)
random_sentence = self.make_sentence(random.sample(self.words,
num_rand_words))
sentences_list.append(random_sentence)
sentences -= 1
return sentences_list
| get_sentences_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sentences=1):\n if sentences < 1:\n raise ValueError('Param \"sentences\" must be greater than 0.')\n sentences_list = []\n while sentenc... |
def x(list_words):
lw_len = len(list_words)
if lw_len > 6:
list_words.insert(lw_len // 2 + random.choice(range(-2, 2)), ',')
sentence = ' '.join(list_words).replace(' ,', ',')
return sentence.capitalize() + '.'
| make_sentence | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(list_words):\n lw_len = len(list_words)\n if lw_len > 6:\n list_words.insert(lw_len // 2 + random.choice(range(-2, 2)), ',')\n sentence = ' '.j... |
def x(zf, opf_xmldoc, opf_filepath):
content = None
filepath = None
extension = None
tag = find_tag(opf_xmldoc, 'meta', 'name', 'cover')
if tag and 'content' in tag.attributes.keys():
item_id = tag.attributes['content'].value
if item_id:
filepath, extension = find_img_tag(opf_xmldoc, 'item', 'id',
item_id)
if not filepath:
filepath, extension = find_img_tag(opf_xmldoc, 'item', 'id',
'cover-image')
if not filepath:
filepath, extension = find_img_tag(opf_xmldoc, 'item', 'id', 'cover')
if filepath:
base_dir = os.path.dirname(opf_filepath)
coverpath = os.path.normpath(os.path.join(base_dir, filepath))
content = zf.read(coverpath)
content = base64.b64encode(content)
return content, extension
| discover_cover_image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(zf, opf_xmldoc, opf_filepath):\n content = None\n filepath = None\n extension = None\n tag = find_tag(opf_xmldoc, 'meta', 'name', 'cover')\n if ... |
def x(zf, opf_xmldoc, opf_filepath):
toc = None
tag = find_tag(opf_xmldoc, 'item', 'properties', 'nav')
if tag and 'href' in tag.attributes.keys():
filepath = unquote(tag.attributes['href'].value)
base_dir = os.path.dirname(opf_filepath)
npath = os.path.normpath(os.path.join(base_dir, filepath))
nav_content = zf.read(npath)
toc_xmldoc = minidom.parseString(nav_content)
_toc = []
for n in toc_xmldoc.getElementsByTagName('a'):
if n.firstChild and 'href' in n.attributes.keys():
href = unquote(n.attributes['href'].value)
if '.html' in href or '.xhtml' in href:
title = n.firstChild.nodeValue
if not title and n.firstChild.firstChild:
title = n.firstChild.firstChild.nodeValue
title = title.strip() if title else None
if title:
level = -1
parentNode = n.parentNode
avoid_infinite_loop = 0
while (parentNode and parentNode.nodeName != 'nav' and
avoid_infinite_loop < 50):
if parentNode.nodeName == 'ol':
level += 1
parentNode = parentNode.parentNode
avoid_infinite_loop += 1
level = max(level, 0)
_toc.append({'title': title, 'src': href, 'level':
level})
if _toc:
toc = _toc
if not toc:
tag = find_tag(opf_xmldoc, 'item', 'id', 'ncx')
if not tag:
tag = find_tag(opf_xmldoc, 'item', 'id', 'ncxtoc')
if tag and 'href' in tag.attributes.keys():
filepath = unquote(tag.attributes['href'].value)
base_dir = os.path.dirname(opf_filepath)
npath = os.path.normpath(os.path.join(base_dir, filepath))
ncx_content = zf.read(npath)
toc_xmldoc = minidom.parseString(ncx_content)
def x(nav_point_node, level=0):
items = []
item = {'title': None, 'src': None, 'level': level}
children_points = []
for item_node in nav_point_node.childNodes:
if item_node.nodeName in ('navLabel', 'ncx:navLabel'):
try:
text = item_node.getElementsByTagName('text')[0
].firstChild
except IndexError:
try:
text = item_node.getElementsByTagName(
'ncx:text')[0].firstChild
except IndexError:
text = None
item['title'] = text.nodeValue.strip(
) if text and text.nodeValue else None
elif item_node.nodeName in ('content', 'ncx:content'):
if item_node.hasAttribute('src'):
item['src'] = item_node.attributes['src'].value
elif item_node.nodeName in ('navPoint', 'ncx:navPoint'):
children_points.append(item_node)
if item['title']:
items.append(item)
for child_node in children_points:
subitems = read_nav_point(child_node, level=level + 1)
items.extend(subitems)
return items
def x(toc_xmldoc, level=0):
items = []
try:
nav_map_node = toc_xmldoc.getElementsByTagName('navMap')[0]
except IndexError:
try:
nav_map_node = toc_xmldoc.getElementsByTagName(
'ncx:navMap')[0]
except IndexError:
print('Failed reading TOC')
return items
for nav_point in nav_map_node.childNodes:
if nav_point.nodeName in ('navPoint', 'ncx:navPoint'):
subitems = read_nav_point(nav_point, level=level)
items.extend(subitems)
return items
toc = read_nav_map(toc_xmldoc)
if toc:
for i, t in enumerate(toc):
t['index'] = i
return toc
| discover_toc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(zf, opf_xmldoc, opf_filepath):\n toc = None\n tag = find_tag(opf_xmldoc, 'item', 'properties', 'nav')\n if tag and 'href' in tag.attributes.keys():\n ... |
def x(filepath, read_cover_image=True, read_toc=True):
if not zipfile.is_zipfile(filepath):
raise EPubException('Unknown file')
zf = zipfile.ZipFile(filepath, 'r', compression=zipfile.ZIP_DEFLATED,
allowZip64=True)
container = zf.read('META-INF/container.xml')
container_xmldoc = minidom.parseString(container)
opf_filepath = container_xmldoc.getElementsByTagName('rootfile')[0
].attributes['full-path'].value
opf = zf.read(os.path.normpath(opf_filepath))
opf_xmldoc = minidom.parseString(opf)
authors_html = None
try:
authors_html = minidom.parseString(zf.read('OEBPS/pr02.html'))
except KeyError:
pass
publish_date_html = None
try:
publish_date_html = minidom.parseString(zf.read('OEBPS/pr01.html'))
except KeyError:
pass
file_size_in_bytes = os.path.getsize(filepath)
data = odict({'epub_version': _discover_epub_version(opf_xmldoc),
'title': _discover_title(opf_xmldoc), 'language':
_discover_language(opf_xmldoc), 'description':
_discover_description(opf_xmldoc), 'authors': _discover_authors(
opf_xmldoc, authors_html=authors_html), 'publisher':
_discover_publisher(opf_xmldoc), 'publication_date':
_discover_publication_date(opf_xmldoc, date_html=publish_date_html),
'identifiers': _discover_identifiers(opf_xmldoc), 'subject':
_discover_subject(opf_xmldoc), 'file_size_in_bytes':
file_size_in_bytes})
if read_cover_image:
cover_image_content, cover_image_extension = _discover_cover_image(zf,
opf_xmldoc, opf_filepath)
data.cover_image_content = cover_image_content
data.cover_image_extension = cover_image_extension
if read_toc:
data.toc = _discover_toc(zf, opf_xmldoc, opf_filepath)
return data
| get_epub_metadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath, read_cover_image=True, read_toc=True):\n if not zipfile.is_zipfile(filepath):\n raise EPubException('Unknown file')\n zf = zipfile.ZipFi... |
def x(filepath):
if not zipfile.is_zipfile(filepath):
raise EPubException('Unknown file')
zf = zipfile.ZipFile(filepath, 'r', compression=zipfile.ZIP_DEFLATED,
allowZip64=True)
container = zf.read('META-INF/container.xml')
container_xmldoc = minidom.parseString(container)
opf_filepath = container_xmldoc.getElementsByTagName('rootfile')[0
].attributes['full-path'].value
return zf.read(opf_filepath)
| get_epub_opf_xml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath):\n if not zipfile.is_zipfile(filepath):\n raise EPubException('Unknown file')\n zf = zipfile.ZipFile(filepath, 'r', compression=zipfile.... |
def x(self, value, case, gender=None):
if not value:
raise ValueError('Firstname cannot be empty.')
return self.__inflect(value, case, 'firstname', gender)
| firstname | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, case, gender=None):\n if not value:\n raise ValueError('Firstname cannot be empty.')\n return self.__inflect(value, case, 'firstname'... |
def x(self, value, case, gender=None):
if not value:
raise ValueError('Lastname cannot be empty.')
return self.__inflect(value, case, 'lastname', gender)
| lastname | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, case, gender=None):\n if not value:\n raise ValueError('Lastname cannot be empty.')\n return self.__inflect(value, case, 'lastname', ... |
def x(self, value, case, gender=None):
if not value:
raise ValueError('Middlename cannot be empty.')
return self.__inflect(value, case, 'middlename', gender)
| middlename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, case, gender=None):\n if not value:\n raise ValueError('Middlename cannot be empty.')\n return self.__inflect(value, case, 'middlenam... |
def x(self, name):
def x(name, separators):
if len(separators) == 0:
yield name
else:
segments = name.split(separators[0])
for subsegment in gen(segments[0], separators[1:]):
yield subsegment
for segment in segments[1:]:
for subsegment in gen(segment, separators[1:]):
yield separators[0]
yield subsegment
return gen(name, self.separators)
| split_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n\n def x(name, separators):\n if len(separators) == 0:\n yield name\n else:\n segments = name.split(separa... |
def x(expression):
tokens = []
for pre, _id, _range in robust_ref_re.findall(expression):
if not _range:
tokens.append('{}{}'.format(pre, _id))
else:
tokens.append(pre)
tokens.extend('{}{}[{}:{}]'.format(delim, _id, start, end) for
delim, start, end in span_re.findall(_range))
return ''.join(tokens)
| expand | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression):\n tokens = []\n for pre, _id, _range in robust_ref_re.findall(expression):\n if not _range:\n tokens.append('{}{}'.format(... |
def x(expression):
tokens = []
selection = []
last_id = None
for pre, _id, _range in robust_ref_re.findall(expression):
if _range and _id == last_id:
selection.extend([pre, _range])
continue
if selection:
tokens.extend(selection + [']'])
selection = []
tokens.extend([pre, _id])
if _range:
selection = ['[', _range]
last_id = _id
else:
last_id = None
if selection:
tokens.extend(selection + [']'])
return ''.join(tokens)
| compress | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression):\n tokens = []\n selection = []\n last_id = None\n for pre, _id, _range in robust_ref_re.findall(expression):\n if _range and _i... |
def x(expression, keep_delimiters=True):
tokens = []
for pre, _id, _range in robust_ref_re.findall(expression):
if keep_delimiters and pre:
tokens.append(pre)
if _id:
if _range:
tokens.append('{}[{}]'.format(_id, _range))
else:
tokens.append(_id)
return tokens
| selections | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression, keep_delimiters=True):\n tokens = []\n for pre, _id, _range in robust_ref_re.findall(expression):\n if keep_delimiters and pre:\n ... |
def x(container, expression):
itemgetter = getattr(container, 'get_item', container.get)
tokens = []
expression = expression.strip()
for sel_delim, _id, _range in selection_re.findall(expression):
tokens.append(delimiters.get(sel_delim, ''))
item = itemgetter(_id)
if item is None:
raise XigtStructureError(
'Referred Item (id: {}) from reference "{}" does not exist in the given container.'
.format(_id, expression))
value = item.value() or ''
if _range:
for spn_delim, start, end in span_re.findall(_range):
start = int(start) if start else None
end = int(end) if end else None
tokens.extend([delimiters.get(spn_delim, ''), value[start:end]]
)
else:
tokens.append(value)
return ''.join(tokens)
| resolve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(container, expression):\n itemgetter = getattr(container, 'get_item', container.get)\n tokens = []\n expression = expression.strip()\n for sel_deli... |
def x(igt, id, refattrs=None):
obj = igt.get_any(id)
if obj is None:
raise XigtLookupError(id)
if refattrs is None:
refattrs = obj.allowed_reference_attributes()
return {ra: ids(obj.attributes.get(ra, '')) for ra in refattrs}
| referents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(igt, id, refattrs=None):\n obj = igt.get_any(id)\n if obj is None:\n raise XigtLookupError(id)\n if refattrs is None:\n refattrs = obj.a... |
def x(igt, id, refattrs=None):
if refattrs is None:
result = {}
else:
result = {ra: [] for ra in refattrs}
try:
obj = igt[id]
others = igt.tiers
except KeyError:
obj = igt.get_item(id)
others = [i for t in igt.tiers for i in t.items]
if obj is None:
raise XigtLookupError(id)
for other in others:
if other.id is None:
continue
_refattrs = refattrs
if _refattrs is None:
_refattrs = other.allowed_reference_attributes()
attrget = other.attributes.get
for ra in _refattrs:
result.setdefault(ra, [])
if id in ids(attrget(ra, '')):
result[ra].append(other.id)
return result
| referrers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(igt, id, refattrs=None):\n if refattrs is None:\n result = {}\n else:\n result = {ra: [] for ra in refattrs}\n try:\n obj = igt[i... |
def x(obj, refattrs=(ALIGNMENT, SEGMENTATION)):
if hasattr(obj, 'tier'):
tier = obj.tier
items = [obj]
else:
tier = obj
items = tier.items
visited = set([tier.id])
while True:
refattr = next((ra for ra in refattrs if ra in tier.attributes), None)
if not refattr:
break
reftier = ref.dereference(tier, refattr)
ids = set(chain.from_iterable(ref.ids(item.attributes.get(refattr,
'')) for item in items))
refitems = [item for item in reftier.items if item.id in ids]
yield tier, refattr, reftier, refitems
if reftier.id in visited:
break
visited.update(reftier.id)
tier = reftier
items = refitems
| ancestors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, refattrs=(ALIGNMENT, SEGMENTATION)):\n if hasattr(obj, 'tier'):\n tier = obj.tier\n items = [obj]\n else:\n tier = obj\n ... |
def x(obj, refattrs=(SEGMENTATION, ALIGNMENT), follow='first'):
if hasattr(obj, 'tier'):
tier = obj.tier
items = [obj]
else:
tier = obj
items = tier.items
igt = tier.igt
visited = set()
agenda = deque([(tier, items)])
while agenda:
tier, items = agenda.popleft()
tier_refs = tier.referrers(refattrs)
item_ids = set(item.id for item in items)
ras = [ra for ra in refattrs if tier_refs[ra]]
if follow == 'first' and ras:
ras = [ras[0]]
if not ras:
continue
for refattr in ras:
if (tier.id, refattr) in visited:
continue
else:
visited.add((tier.id, refattr))
for reftier_id in tier_refs[refattr]:
reftier = igt[reftier_id]
refitems = [item for item in reftier.items if set(ref.ids(
item.attributes.get(refattr, ''))).intersection(item_ids)]
yield tier, refattr, reftier, refitems
agenda.append((reftier, refitems))
| descendants | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, refattrs=(SEGMENTATION, ALIGNMENT), follow='first'):\n if hasattr(obj, 'tier'):\n tier = obj.tier\n items = [obj]\n else:\n tie... |
def x(events, mode='full'):
event, elem = next(events)
root = elem
while (event, elem.tag) not in [('start', 'igt'), ('end', 'xigt-corpus')]:
event, elem = next(events)
igts = None
if event == 'start' and elem.tag == 'igt':
igts = (decode_igt(e) for e in iter_elements('igt', events, root,
break_on=[('end', 'xigt-corpus')]))
xc = decode_xigtcorpus(root, igts=igts, mode=mode)
return xc
| default_decode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(events, mode='full'):\n event, elem = next(events)\n root = elem\n while (event, elem.tag) not in [('start', 'igt'), ('end', 'xigt-corpus')]:\n ... |
def x(source):
filepath = os.path.join('siglists', source + '.txt')
lines = []
with resource_stream(__name__, filepath) as f:
for i, line in enumerate(f):
line = line.decode('utf-8', 'strict').strip()
if not line or line.startswith('#'):
continue
try:
re.compile(line)
except Exception as ex:
raise BadRegularExpressionLineError(
'Regex error: {} in file {} at line {}'.format(str(ex),
filepath, i))
lines.append(line)
if source in _SPECIAL_EXTENDED_VALUES:
lines = lines + _SPECIAL_EXTENDED_VALUES[source]
return tuple(lines)
| get_file_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source):\n filepath = os.path.join('siglists', source + '.txt')\n lines = []\n with resource_stream(__name__, filepath) as f:\n for i, line in ... |
def x(xfile):
buf = xfile.read(len(RAR5_ID))
if buf.startswith(RAR_ID):
return 3
elif buf.startswith(RAR5_ID):
xfile.read(1)
return 5
return 0
| get_rar_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xfile):\n buf = xfile.read(len(RAR5_ID))\n if buf.startswith(RAR_ID):\n return 3\n elif buf.startswith(RAR5_ID):\n xfile.read(1)\n ... |
def x(self):
if self._cur.flags & rarfile.RAR_FILE_SPLIT_AFTER == 0:
return False
if self._fd:
self._fd.close()
self._fd = None
self._volfile = self._parser._next_volname(self._volfile)
fd = rarfile.XFile(self._volfile)
self._fd = fd
sig = fd.read(len(self._parser._expect_sig))
if sig != self._parser._expect_sig:
raise rarfile.BadRarFile('Invalid signature')
while 1:
cur = self._parser._parse_header(fd)
if not cur:
raise rarfile.BadRarFile('Unexpected EOF')
if cur.type in (rarfile.RAR_BLOCK_MARK, rarfile.RAR_BLOCK_MAIN):
if cur.add_size:
fd.seek(cur.add_size, 1)
continue
if cur.orig_filename != self._inf.orig_filename:
raise rarfile.BadRarFile('Did not found file entry')
self._cur = cur
self._cur_avail = cur.add_size
return True
| open_next | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._cur.flags & rarfile.RAR_FILE_SPLIT_AFTER == 0:\n return False\n if self._fd:\n self._fd.close()\n self._fd = None\... |
def x(self):
if self._returncode:
rarfile.check_returncode(self, '')
if self._remain != 0:
raise rarfile.BadRarFile('Failed the read enough data')
| check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._returncode:\n rarfile.check_returncode(self, '')\n if self._remain != 0:\n raise rarfile.BadRarFile('Failed the read enou... |
def x(mat: np.ndarray):
return ((mat - mat.min()) * (255 / mat.max())).astype(np.uint8)
| normalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mat: np.ndarray):\n return ((mat - mat.min()) * (255 / mat.max())).astype(np.uint8)\n",
"role": "user"
},
{
"content": "normalize",
"role": ... |
def x(mat: np.ndarray):
return np.repeat(np.expand_dims(_normalize(mat), axis=2), 3, axis=2)
| to_24bit_gray | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mat: np.ndarray):\n return np.repeat(np.expand_dims(_normalize(mat), axis=2), 3, axis=2)\n",
"role": "user"
},
{
"content": "to_24bit_gray",
... |
def x(name: str, mat: np.ndarray=None):
def x(mat):
return (cm.get_cmap(name)(_normalize(mat))[:, :, :3] * 255).astype(np
.uint8)
return apply_map if mat is None else apply_map(mat)
| apply_color_map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name: str, mat: np.ndarray=None):\n\n def x(mat):\n return (cm.get_cmap(name)(_normalize(mat))[:, :, :3] * 255).astype(np\n .uint8)\n r... |
def x(mat: np.ndarray, transformer=to_24bit_gray):
return pygame.pixelcopy.make_surface(transformer(mat.transpose()) if
transformer is not None else mat.transpose())
| mat_to_surface | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mat: np.ndarray, transformer=to_24bit_gray):\n return pygame.pixelcopy.make_surface(transformer(mat.transpose()) if \n transformer is not None else m... |
def x(length=16, charset=alphanum_chars, first_charset=alpha_chars, sep='',
group=0):
t = []
first_chars = list(set(charset).intersection(first_charset))
if len(first_chars) == 0:
first_chars = charset
t.append(first_chars[random.randrange(len(first_chars))])
for i in range(len(t), length):
if group > 0 and i % group == 0 and i < length:
t.append(sep)
t.append(charset[random.randrange(len(charset))])
return ''.join(t)
| random_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(length=16, charset=alphanum_chars, first_charset=alpha_chars, sep='',\n group=0):\n t = []\n first_chars = list(set(charset).intersection(first_charse... |
def x(data, *args):
results = {}
for current in ((data,) + args):
results.update(current)
return results
| merge_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, *args):\n results = {}\n for current in ((data,) + args):\n results.update(current)\n return results\n",
"role": "user"
},
{
... |
def x(url, *paths):
for path in paths:
url = re.sub('/?$', re.sub('^/?', '/', path), url)
return url
| make_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, *paths):\n for path in paths:\n url = re.sub('/?$', re.sub('^/?', '/', path), url)\n return url\n",
"role": "user"
},
{
"content"... |
def x(self, return_code, output, service_description='', specific_servers=None
):
if specific_servers == None:
specific_servers = self.servers
else:
specific_servers = set(self.servers).intersection(specific_servers)
for server in specific_servers:
if not self.servers[server]['send_errors_only'] or return_code > 0:
self.servers[server]['results'].append({'return_code':
return_code, 'output': output, 'service_description':
service_description, 'return_status': STATUSES[return_code]
[0], 'custom_fqdn': self.servers[server]['custom_fqdn']})
LOG.info('[email][%s][%s]: Aggregate result: %r',
service_description, server, self.servers[server]['results'
][-1])
| aggregate_result | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, return_code, output, service_description='', specific_servers=None\n ):\n if specific_servers == None:\n specific_servers = self.servers\n ... |
def x(self):
for server in self.servers:
if self.servers[server]['results']:
if len(self.servers[server]['results']) == 1:
msg = MIMEText('')
msg['Subject'] = (
'[%(custom_fqdn)s] [%(service_description)s] %(return_status)s: %(output)s'
% self.servers[server]['results'][0])
else:
txt = ''
summary = [0, 0, 0, 0]
for results in self.servers[server]['results']:
txt += (
'[%(service_description)s] %(return_status)s: %(output)s\n'
% results)
summary[results['return_code']] += 1
msg = MIMEText(txt)
subject = '[%(custom_fqdn)s]' % self.servers[server]['results'
][0]
for i, status in enumerate(STATUSES):
subject += ' %s:%s' % (status[0], summary[i])
msg['Subject'] = subject
msg['From'] = self.servers[server]['from']
msg['To'] = ', '.join(self.servers[server]['to'])
if self.servers[server]['tls']:
smtp_server = smtplib.SMTP_SSL(self.servers[server]['host'],
self.servers[server]['port'])
else:
smtp_server = smtplib.SMTP(self.servers[server]['host'],
self.servers[server]['port'])
if self.servers[server]['login'] and len(self.servers[server][
'login']) > 0:
smtp_server.login(self.servers[server]['login'], self.
servers[server]['password'])
smtp_server.sendmail(self.servers[server]['from'], self.servers
[server]['to'], msg.as_string())
smtp_server.quit()
LOG.info('[email][%s]: e-mail sent from: %s to: %s', server,
self.servers[server]['from'], self.servers[server]['to'])
| send_results | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for server in self.servers:\n if self.servers[server]['results']:\n if len(self.servers[server]['results']) == 1:\n ... |
def x():
config = {'api': {'services': [{'name': 'my_api', 'testkey': 'testval'}
], 'calls': {'hello_world': {'delay': 5, 'priority': 1, 'arguments':
None}, 'marco': {'delay': 1, 'priority': 1}, 'pollo': {'delay': 1,
'priority': 1}}}}
app = AppBuilder([MyAPI], Strategy(Print()), AppConf(config))
app.run()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n config = {'api': {'services': [{'name': 'my_api', 'testkey': 'testval'}\n ], 'calls': {'hello_world': {'delay': 5, 'priority': 1, 'arguments':\n... |
def x(self, data):
sch = MockItemSchema()
return Request(**{'callname': self.context.get('callname'), 'payload':
sch.dump(data)})
| make_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n sch = MockItemSchema()\n return Request(**{'callname': self.context.get('callname'), 'payload':\n sch.dump(data)})\n",
"role": ... |
def x(self, data):
sch = MockItemSchema()
return Result(**{'callname': self.context.get('callname'), 'result':
sch.dump(data)})
| populate_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n sch = MockItemSchema()\n return Result(**{'callname': self.context.get('callname'), 'result':\n sch.dump(data)})\n",
"role": "u... |
def x(keys):
return (lambda e: e.key if e.type == pygame.KEYDOWN and e.key in keys else
EventConsumerInfo.DONT_CARE)
| key_press | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(keys):\n return (lambda e: e.key if e.type == pygame.KEYDOWN and e.key in keys else\n EventConsumerInfo.DONT_CARE)\n",
"role": "user"
},
{
... |
def x(ignored_chars=None):
return lambda e: e.unicode if e.type == pygame.KEYDOWN and (
ignored_chars is None or e.unicode not in ignored_chars
) else EventConsumerInfo.DONT_CARE
| unicode_char | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ignored_chars=None):\n return lambda e: e.unicode if e.type == pygame.KEYDOWN and (\n ignored_chars is None or e.unicode not in ignored_chars\n ... |
def x(self, handler, group=0, ident=None):
key = ident or id(handler)
if key not in self.mouse_proxies[group]:
self.mouse_proxies[group][key] = MouseProxy(handler, ident)
return self.mouse_proxies[group][key]
| mouse_area | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handler, group=0, ident=None):\n key = ident or id(handler)\n if key not in self.mouse_proxies[group]:\n self.mouse_proxies[group][key] = Mo... |
def x(self, *temporary_handlers):
funcs = tuple(itt.chain(self.permanent_handlers, (proxy.listener for
proxy in self.mouse_proxies[self.proxy_group].values()),
temporary_handlers))
for event in self._get_q():
for func in funcs:
ret = func(event)
if ret == EventConsumerInfo.CONSUMED:
break
if ret == EventConsumerInfo.DONT_CARE:
continue
else:
return ret
| listen | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *temporary_handlers):\n funcs = tuple(itt.chain(self.permanent_handlers, (proxy.listener for\n proxy in self.mouse_proxies[self.proxy_group].va... |
def x(self, *temporary_handlers, timeout=0):
start = time.time()
while timeout == 0 or time.time() - start < timeout:
res = self.listen(*temporary_handlers)
if res is not None:
return res
| listen_until_return | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *temporary_handlers, timeout=0):\n start = time.time()\n while timeout == 0 or time.time() - start < timeout:\n res = self.listen(*temporary... |
def x(self, key, n=1):
my_const = 'key_consumed'
counter = 0
def x(e):
return (my_const if e.type == pygame.KEYDOWN and e.key == key else
EventConsumerInfo.DONT_CARE)
while counter < n:
if self.listen(keypress_listener) == my_const:
counter += 1
| wait_for_n_keypresses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, n=1):\n my_const = 'key_consumed'\n counter = 0\n\n def x(e):\n return (my_const if e.type == pygame.KEYDOWN and e.key == key else\n... |
def x(self, *keys, timeout=0):
if len(keys) == 1 and _is_iterable(keys[0]):
keys = keys[0]
return self.listen_until_return(Handler.key_press(keys), timeout=timeout)
| wait_for_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *keys, timeout=0):\n if len(keys) == 1 and _is_iterable(keys[0]):\n keys = keys[0]\n return self.listen_until_return(Handler.key_press(keys)... |
def x(self, *keys, modifiers_to_check=_mod_keys, timeout=0):
set_mods = pygame.key.get_mods()
return frozenset.union(frozenset([self.wait_for_keys(*keys, timeout=
timeout)]), EventListener._contained_modifiers(set_mods,
modifiers_to_check))
| wait_for_keys_modified | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *keys, modifiers_to_check=_mod_keys, timeout=0):\n set_mods = pygame.key.get_mods()\n return frozenset.union(frozenset([self.wait_for_keys(*keys, t... |
def x(self, ignored_chars=None, timeout=0):
return self.listen_until_return(Handler.unicode_char(ignored_chars),
timeout=timeout)
| wait_for_unicode_char | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ignored_chars=None, timeout=0):\n return self.listen_until_return(Handler.unicode_char(ignored_chars),\n timeout=timeout)\n",
"role": "user... |
def x(self, item):
for listed_item in item.list():
new_style = re.findall('(?i)\\.part(\\d+)\\.rar^', listed_item.id)
if new_style:
if int(new_style[0]) == 1:
yield 'new', listed_item
elif listed_item.id.lower().endswith('.rar'):
yield 'old', listed_item
| find_all_first_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n for listed_item in item.list():\n new_style = re.findall('(?i)\\\\.part(\\\\d+)\\\\.rar^', listed_item.id)\n if new_style:\n ... |
def x(name, search_path, codecs=get_codecs()):
return munge.find_datafile(name, search_path, codecs)
| find_datafile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, search_path, codecs=get_codecs()):\n return munge.find_datafile(name, search_path, codecs)\n",
"role": "user"
},
{
"content": "find_datafi... |
def x(name, search_path, codecs=get_codecs(), **kwargs):
return munge.load_datafile(name, search_path, codecs, **kwargs)
| load_datafile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, search_path, codecs=get_codecs(), **kwargs):\n return munge.load_datafile(name, search_path, codecs, **kwargs)\n",
"role": "user"
},
{
"co... |
def x(self, *, secrets_dir: str, log: Logger, bot_name: str) ->None:
super().__init__(secrets_dir=secrets_dir, log=log, bot_name=bot_name)
self.ldebug('Retrieving CONSUMER_KEY...')
with open(path.join(self.secrets_dir, 'CONSUMER_KEY')) as f:
CONSUMER_KEY = f.read().strip()
self.ldebug('Retrieving CONSUMER_SECRET...')
with open(path.join(self.secrets_dir, 'CONSUMER_SECRET')) as f:
CONSUMER_SECRET = f.read().strip()
self.ldebug('Retrieving ACCESS_TOKEN...')
with open(path.join(self.secrets_dir, 'ACCESS_TOKEN')) as f:
ACCESS_TOKEN = f.read().strip()
self.ldebug('Retrieving ACCESS_SECRET...')
with open(path.join(self.secrets_dir, 'ACCESS_SECRET')) as f:
ACCESS_SECRET = f.read().strip()
self.ldebug('Looking for OWNER_HANDLE...')
owner_handle_path = path.join(self.secrets_dir, 'OWNER_HANDLE')
if path.isfile(owner_handle_path):
with open(owner_handle_path) as f:
self.owner_handle = f.read().strip()
else:
self.ldebug("Couldn't find OWNER_HANDLE, unable to DM...")
self.owner_handle = ''
self.auth = tweepy.OAuthHandler(CONSUMER_KEY, CONSUMER_SECRET)
self.auth.set_access_token(ACCESS_TOKEN, ACCESS_SECRET)
self.api = tweepy.API(self.auth)
| cred_init | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, secrets_dir: str, log: Logger, bot_name: str) ->None:\n super().__init__(secrets_dir=secrets_dir, log=log, bot_name=bot_name)\n self.ldebug('Ret... |
def x(self, *, text: str) ->List[OutputRecord]:
try:
status = self.api.update_status(text)
self.ldebug(f'Status object from tweet: {status}.')
return [TweetRecord(record_data={'tweet_id': status._json['id'],
'text': text})]
except tweepy.TweepError as e:
return [self.handle_error(message=
f"""Bot {self.bot_name} encountered an error when sending post {text} without media:
{e}
"""
, error=e)]
| send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, text: str) ->List[OutputRecord]:\n try:\n status = self.api.update_status(text)\n self.ldebug(f'Status object from tweet: {status}.')... |
def x(self, *, text: str, files: List[str], captions: List[str]=[]) ->List[
OutputRecord]:
media_ids = None
try:
self.ldebug(f'Uploading files {files}.')
media_ids = [self.api.media_upload(file).media_id_string for file in
files]
except tweepy.TweepError as e:
return [self.handle_error(message=
f"""Bot {self.bot_name} encountered an error when uploading {files}:
{e}
"""
, error=e)]
self._handle_caption_upload(media_ids=media_ids, captions=captions)
try:
status = self.api.update_status(status=text, media_ids=media_ids)
self.ldebug(f'Status object from tweet: {status}.')
return [TweetRecord(record_data={'tweet_id': status._json['id'],
'text': text, 'media_ids': media_ids, 'captions': captions,
'files': files})]
except tweepy.TweepError as e:
return [self.handle_error(message=
f"""Bot {self.bot_name} encountered an error when sending post {text} with media ids {media_ids}:
{e}
"""
, error=e)]
| send_with_media | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, text: str, files: List[str], captions: List[str]=[]) ->List[\n OutputRecord]:\n media_ids = None\n try:\n self.ldebug(f'Uploading file... |
def x(self, *, callback: Callable[..., str], lookback_limit: int,
target_handle: str) ->List[OutputRecord]:
self.log.info(f'Attempting to batch reply to birdsite user {target_handle}'
)
if '@' in target_handle:
base_target_handle = target_handle[1:]
else:
base_target_handle = target_handle
records: List[OutputRecord] = []
statuses = self.api.user_timeline(screen_name=base_target_handle, count
=lookback_limit)
self.log.debug(f'Retrieved {len(statuses)} statuses.')
for i, status in enumerate(statuses):
self.log.debug(f'Processing status {i} of {len(statuses)}')
status_id = status.id
our_statuses = self.api.user_timeline(since_id=status_id, count=
lookback_limit * 10)
in_reply_to_ids = list(map(lambda x: x.in_reply_to_status_id,
our_statuses))
if status_id not in in_reply_to_ids:
encoded_status_text = self.api.get_status(status_id, tweet_mode
='extended')._json['full_text']
status_text = html.unescape(encoded_status_text)
message = callback(message_id=status_id, message=status_text,
extra_keys={})
full_message = f'@{base_target_handle} {message}'
self.log.info(
f'Trying to reply with {message} to status {status_id} from {target_handle}.'
)
try:
new_status = self.api.update_status(status=full_message,
in_reply_to_status_id=status_id)
records.append(TweetRecord(record_data={'tweet_id':
new_status.id, 'in_reply_to': f'@{base_target_handle}',
'in_reply_to_id': status_id, 'text': full_message}))
except tweepy.TweepError as e:
records.append(self.handle_error(message=
f"""Bot {self.bot_name} encountered an error when trying to reply to {status_id} with {message}:
{e}
"""
, error=e))
else:
self.log.info(
f'Not replying to status {status_id} from {target_handle} - we already replied.'
)
return records
| perform_batch_reply | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, callback: Callable[..., str], lookback_limit: int,\n target_handle: str) ->List[OutputRecord]:\n self.log.info(f'Attempting to batch reply to bi... |
def x(self, message: str) ->None:
if self.owner_handle:
try:
owner_id = self.api.get_user(screen_name=self.owner_handle).id
event = {'event': {'type': 'message_create', 'message_create':
{'target': {'recipient_id': f'{owner_id}'}, 'message_data':
{'text': message}}}}
self._send_direct_message_new(event)
except tweepy.TweepError as de:
self.lerror(f'Error trying to send DM about error!: {de}')
else:
self.lerror("Can't send DM SOS, no owner handle.")
| send_dm_sos | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message: str) ->None:\n if self.owner_handle:\n try:\n owner_id = self.api.get_user(screen_name=self.owner_handle).id\n e... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.