source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, dt=None, UT=None, fx=None, **fx_args):
if dt is None:
dt = self._dt
if UT is None:
UT = unscented_transform
self.compute_process_sigmas(dt, fx, **fx_args)
self.x, self.P = UT(self.sigmas_f, self.Wm, self.Wc, self.Q, self.
x_mean, self.residual_x)
self.x_prior = np.copy(self.x)
self.P_prior = np.copy(self.P)
| predict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dt=None, UT=None, fx=None, **fx_args):\n if dt is None:\n dt = self._dt\n if UT is None:\n UT = unscented_transform\n self.compute... |
def x(self, z, R=None, UT=None, hx=None, **hx_args):
if z is None:
self.z = np.array([[None] * self._dim_z]).T
self.x_post = self.x.copy()
self.P_post = self.P.copy()
return
if hx is None:
hx = self.hx
if UT is None:
UT = unscented_transform
if R is None:
R = self.R
elif isscalar(R):
R = eye(self._dim_z) * R
sigmas_h = []
for s in self.sigmas_f:
sigmas_h.append(hx(s, **hx_args))
self.sigmas_h = np.atleast_2d(sigmas_h)
zp, self.S = UT(self.sigmas_h, self.Wm, self.Wc, R, self.z_mean, self.
residual_z)
self.SI = self.inv(self.S)
Pxz = self.cross_variance(self.x, zp, self.sigmas_f, self.sigmas_h)
self.K = dot(Pxz, self.SI)
self.y = self.residual_z(z, zp)
self.x = self.x + dot(self.K, self.y)
self.P = self.P - dot(self.K, dot(self.S, self.K.T))
self.z = deepcopy(z)
self.x_post = self.x.copy()
self.P_post = self.P.copy()
self._log_likelihood = None
self._likelihood = None
self._mahalanobis = None
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, z, R=None, UT=None, hx=None, **hx_args):\n if z is None:\n self.z = np.array([[None] * self._dim_z]).T\n self.x_post = self.x.copy()\n ... |
def x(self, x, z, sigmas_f, sigmas_h):
Pxz = zeros((sigmas_f.shape[1], sigmas_h.shape[1]))
N = sigmas_f.shape[0]
for i in range(N):
dx = self.residual_x(sigmas_f[i], x)
dz = self.residual_z(sigmas_h[i], z)
Pxz += self.Wc[i] * outer(dx, dz)
return Pxz
| cross_variance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x, z, sigmas_f, sigmas_h):\n Pxz = zeros((sigmas_f.shape[1], sigmas_h.shape[1]))\n N = sigmas_f.shape[0]\n for i in range(N):\n dx = self... |
def x(self, dt, fx=None, **fx_args):
if fx is None:
fx = self.fx
sigmas = self.points_fn.sigma_points(self.x, self.P)
for i, s in enumerate(sigmas):
self.sigmas_f[i] = fx(s, dt, **fx_args)
| compute_process_sigmas | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dt, fx=None, **fx_args):\n if fx is None:\n fx = self.fx\n sigmas = self.points_fn.sigma_points(self.x, self.P)\n for i, s in enumerate(s... |
def x(self, zs, Rs=None, dts=None, UT=None, saver=None):
try:
z = zs[0]
except TypeError:
raise TypeError('zs must be list-like')
if self._dim_z == 1:
if not (isscalar(z) or z.ndim == 1 and len(z) == 1):
raise TypeError(
'zs must be a list of scalars or 1D, 1 element arrays')
elif len(z) != self._dim_z:
raise TypeError('each element in zs must be a 1D array of length {}'
.format(self._dim_z))
z_n = np.size(zs, 0)
if Rs is None:
Rs = [self.R] * z_n
if dts is None:
dts = [self._dt] * z_n
if self.x.ndim == 1:
means = zeros((z_n, self._dim_x))
else:
means = zeros((z_n, self._dim_x, 1))
covariances = zeros((z_n, self._dim_x, self._dim_x))
for i, (z, r, dt) in enumerate(zip(zs, Rs, dts)):
self.predict(dt=dt, UT=UT)
self.update(z, r, UT=UT)
means[i, :] = self.x
covariances[i, :, :] = self.P
if saver is not None:
saver.save()
return means, covariances
| batch_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, zs, Rs=None, dts=None, UT=None, saver=None):\n try:\n z = zs[0]\n except TypeError:\n raise TypeError('zs must be list-like')\n if... |
def x(self, Xs, Ps, Qs=None, dts=None, UT=None):
if len(Xs) != len(Ps):
raise ValueError('Xs and Ps must have the same length')
n, dim_x = Xs.shape
if dts is None:
dts = [self._dt] * n
elif isscalar(dts):
dts = [dts] * n
if Qs is None:
Qs = [self.Q] * n
if UT is None:
UT = unscented_transform
Ks = zeros((n, dim_x, dim_x))
num_sigmas = self._num_sigmas
xs, ps = Xs.copy(), Ps.copy()
sigmas_f = zeros((num_sigmas, dim_x))
for k in reversed(range(n - 1)):
sigmas = self.points_fn.sigma_points(xs[k], ps[k])
for i in range(num_sigmas):
sigmas_f[i] = self.fx(sigmas[i], dts[k])
xb, Pb = UT(sigmas_f, self.Wm, self.Wc, self.Q, self.x_mean, self.
residual_x)
Pxb = 0
for i in range(num_sigmas):
y = self.residual_x(sigmas_f[i], xb)
z = self.residual_x(sigmas[i], Xs[k])
Pxb += self.Wc[i] * outer(z, y)
K = dot(Pxb, self.inv(Pb))
xs[k] += dot(K, self.residual_x(xs[k + 1], xb))
ps[k] += dot(K, ps[k + 1] - Pb).dot(K.T)
Ks[k] = K
return xs, ps, Ks
| rts_smoother | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, Xs, Ps, Qs=None, dts=None, UT=None):\n if len(Xs) != len(Ps):\n raise ValueError('Xs and Ps must have the same length')\n n, dim_x = Xs.shap... |
def x(self, process_err_pct=0.05):
vel = self.vel + 5 * randn()
alt = self.alt + 10 * randn()
self.pos += vel * self.dt
err = self.pos * process_err_pct * randn()
slant_range = (self.pos ** 2 + alt ** 2) ** 0.5 + err
return slant_range
| get_range | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, process_err_pct=0.05):\n vel = self.vel + 5 * randn()\n alt = self.alt + 10 * randn()\n self.pos += vel * self.dt\n err = self.pos * process_... |
def x(self, u=0):
for f in self.filters:
f.predict(u)
self.x_prior = self.x.copy()
self.P_prior = self.P.copy()
| predict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, u=0):\n for f in self.filters:\n f.predict(u)\n self.x_prior = self.x.copy()\n self.P_prior = self.P.copy()\n",
"role": "user"
},
... |
def x(self, z, R=None, H=None):
if H is None:
H = self.H
for i, f in enumerate(self.filters):
f.update(z, R, H)
self.p[i] *= f.likelihood
self.p /= sum(self.p)
self.P = np.zeros(self.filters[0].P.shape)
is_row_vector = self.filters[0].x.ndim == 1
if is_row_vector:
self.x = np.zeros(self.dim_x)
for f, p in zip(self.filters, self.p):
self.x += np.dot(f.x, p)
else:
self.x = np.zeros((self.dim_x, 1))
for f, p in zip(self.filters, self.p):
self.x = np.zeros((self.dim_x, 1))
self.x += np.dot(f.x, p)
for x, f, p in zip(self.x, self.filters, self.p):
y = f.x - x
self.P += p * (np.outer(y, y) + f.P)
self.z = deepcopy(z)
self.x_post = self.x.copy()
self.P_post = self.P.copy()
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, z, R=None, H=None):\n if H is None:\n H = self.H\n for i, f in enumerate(self.filters):\n f.update(z, R, H)\n self.p[i] *= f.l... |
def x(weights):
N = len(weights)
indexes = np.zeros(N, 'i')
num_copies = np.floor(N * np.asarray(weights)).astype(int)
k = 0
for i in range(N):
for _ in range(num_copies[i]):
indexes[k] = i
k += 1
residual = weights - num_copies
residual /= sum(residual)
cumulative_sum = np.cumsum(residual)
cumulative_sum[-1] = 1.0
indexes[k:N] = np.searchsorted(cumulative_sum, random(N - k))
return indexes
| residual_resample | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(weights):\n N = len(weights)\n indexes = np.zeros(N, 'i')\n num_copies = np.floor(N * np.asarray(weights)).astype(int)\n k = 0\n for i in range(... |
def x(weights):
N = len(weights)
positions = (random(N) + range(N)) / N
indexes = np.zeros(N, 'i')
cumulative_sum = np.cumsum(weights)
i, j = 0, 0
while i < N:
if positions[i] < cumulative_sum[j]:
indexes[i] = j
i += 1
else:
j += 1
return indexes
| stratified_resample | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(weights):\n N = len(weights)\n positions = (random(N) + range(N)) / N\n indexes = np.zeros(N, 'i')\n cumulative_sum = np.cumsum(weights)\n i, j ... |
def x(weights):
N = len(weights)
positions = (random() + np.arange(N)) / N
indexes = np.zeros(N, 'i')
cumulative_sum = np.cumsum(weights)
i, j = 0, 0
while i < N:
if positions[i] < cumulative_sum[j]:
indexes[i] = j
i += 1
else:
j += 1
return indexes
| systematic_resample | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(weights):\n N = len(weights)\n positions = (random() + np.arange(N)) / N\n indexes = np.zeros(N, 'i')\n cumulative_sum = np.cumsum(weights)\n i,... |
def x(weights):
cumulative_sum = np.cumsum(weights)
cumulative_sum[-1] = 1.0
return np.searchsorted(cumulative_sum, random(len(weights)))
| multinomial_resample | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(weights):\n cumulative_sum = np.cumsum(weights)\n cumulative_sum[-1] = 1.0\n return np.searchsorted(cumulative_sum, random(len(weights)))\n",
"rol... |
def x(self, z):
if z is None:
return
I = self._I
gamma = self.gamma
Q = self.Q
H = self.H
P = self.P
x = self.x
V_inv = self._V_inv
F = self.F
W = self.W
HTVI = dot(H.T, V_inv)
L = linalg.inv(I - gamma * dot(Q, P) + dot(HTVI, H).dot(P))
PL = dot(P, L)
K = dot(F, PL).dot(HTVI)
self.y = z - dot(H, x)
self.x = self.x + dot(K, self.y)
self.P = dot(F, PL).dot(F.T) + W
self.P = (self.P + self.P.T) / 2
try:
self.z = np.copy(z)
except:
self.z = copy.deepcopy(z)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, z):\n if z is None:\n return\n I = self._I\n gamma = self.gamma\n Q = self.Q\n H = self.H\n P = self.P\n x = self.x\n V_in... |
def x(self, u=0):
self.x = dot(self.F, self.x) + dot(self.B, u)
| predict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, u=0):\n self.x = dot(self.F, self.x) + dot(self.B, u)\n",
"role": "user"
},
{
"content": "predict",
"role": "assistant"
}
] |
def x(self, Zs, update_first=False, saver=False):
n = np.size(Zs, 0)
means = zeros((n, self.dim_x, 1))
covariances = zeros((n, self.dim_x, self.dim_x))
if update_first:
for i, z in enumerate(Zs):
self.update(z)
means[i, :] = self.x
covariances[i, :, :] = self.P
self.predict()
if saver is not None:
saver.save()
else:
for i, z in enumerate(Zs):
self.predict()
self.update(z)
means[i, :] = self.x
covariances[i, :, :] = self.P
if saver is not None:
saver.save()
return means, covariances
| batch_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, Zs, update_first=False, saver=False):\n n = np.size(Zs, 0)\n means = zeros((n, self.dim_x, 1))\n covariances = zeros((n, self.dim_x, self.dim_x)... |
def x(self, u=0):
return dot(self.F, self.x) + dot(self.B, u)
| get_prediction | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, u=0):\n return dot(self.F, self.x) + dot(self.B, u)\n",
"role": "user"
},
{
"content": "get_prediction",
"role": "assistant"
}
] |
def x(self, value):
if np.isscalar(value):
self._V = np.array([[value]], dtype=float)
else:
self._V = value
self._V_inv = linalg.inv(self._V)
| V | [
{
"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 np.isscalar(value):\n self._V = np.array([[value]], dtype=float)\n else:\n self._V = value\n self._V_inv = linalg.inv... |
def x(self, z, R2=None):
if z is None:
self.z = np.array([[None] * self.dim_z]).T
self.x_post = self.x.copy()
self._P1_2_post = np.copy(self._P1_2)
return
if R2 is None:
R2 = self._R1_2
elif np.isscalar(R2):
R2 = eye(self.dim_z) * R2
dim_z = self.dim_z
M = self.M
M[0:dim_z, 0:dim_z] = R2.T
M[dim_z:, 0:dim_z] = dot(self.H, self._P1_2).T
M[dim_z:, dim_z:] = self._P1_2.T
_, self.S = qr(M)
self.K = self.S[0:dim_z, dim_z:].T
N = self.S[0:dim_z, 0:dim_z].T
self.y = z - dot(self.H, self.x)
self.x += dot(self.K, pinv(N)).dot(self.y)
self._P1_2 = self.S[dim_z:, dim_z:].T
self.z = deepcopy(z)
self.x_post = self.x.copy()
self._P1_2_post = np.copy(self._P1_2)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, z, R2=None):\n if z is None:\n self.z = np.array([[None] * self.dim_z]).T\n self.x_post = self.x.copy()\n self._P1_2_post = np.co... |
def x(self, u=0):
self.x = dot(self.F, self.x) + dot(self.B, u)
_, P2 = qr(np.hstack([dot(self.F, self._P1_2), self._Q1_2]).T)
self._P1_2 = P2[:self.dim_x, :self.dim_x].T
self.x_prior = np.copy(self.x)
self._P1_2_prior = np.copy(self._P1_2)
| predict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, u=0):\n self.x = dot(self.F, self.x) + dot(self.B, u)\n _, P2 = qr(np.hstack([dot(self.F, self._P1_2), self._Q1_2]).T)\n self._P1_2 = P2[:self.d... |
def x(self, value):
self._Q = value
self._Q1_2 = cholesky(self._Q, lower=True)
| Q | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n self._Q = value\n self._Q1_2 = cholesky(self._Q, lower=True)\n",
"role": "user"
},
{
"content": "Q",
"role": "assistant"
... |
def x(self, value):
self._P = value
self._P1_2 = cholesky(self._P, lower=True)
| P | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n self._P = value\n self._P1_2 = cholesky(self._P, lower=True)\n",
"role": "user"
},
{
"content": "P",
"role": "assistant"
... |
def x(self, value):
self._R = value
self._R1_2 = cholesky(self._R, lower=True)
| R | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n self._R = value\n self._R1_2 = cholesky(self._R, lower=True)\n",
"role": "user"
},
{
"content": "R",
"role": "assistant"
... |
async def process_request(self, path, headers):
"""
This hook is called to determine if the websocket should return
an HTTP response and close.
Our behavior here is to start the ASGI application, and then wait
for either `accept` or `close` in order to determine if we should
close the connection.
"""
path_portion, _, query_string = path.partition('?')
websockets.handshake.check_request(headers)
subprotocols = []
for header in headers.get_all('Sec-WebSocket-Protocol'):
subprotocols.extend([token.strip() for token in header.split(',')])
asgi_headers = [(name.encode('ascii'), value.encode('ascii')) for name,
value in headers.raw_items()]
self.scope = {'type': 'websocket', 'scheme': self.scheme, 'server':
self.server, 'client': self.client, 'root_path': self.root_path,
'path': unquote(path_portion), 'query_string': query_string.encode(
'ascii'), 'headers': asgi_headers, 'subprotocols': subprotocols}
task = self.loop.create_task(self.run_asgi())
task.add_done_callback(self.on_task_complete)
self.tasks.add(task)
await self.handshake_started_event.wait()
return self.initial_response
| process_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def process_request(self, path, headers):\n \"\"\"\n This hook is called to determine if the websocket should return\n an HTTP response and cl... |
async def ws_handler(self, protocol, path):
"""
This is the main handler function for the 'websockets' implementation
to call into. We just wait for close then return, and instead allow
'send' and 'receive' events to drive the flow.
"""
self.handshake_completed_event.set()
await self.closed_event.wait()
| ws_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def ws_handler(self, protocol, path):\n \"\"\"\n This is the main handler function for the 'websockets' implementation\n to call into. We just... |
async def run_asgi(self):
"""
Wrapper around the ASGI callable, handling exceptions and unexpected
termination states.
"""
try:
result = await self.app(self.scope, self.asgi_receive, self.asgi_send)
except BaseException as exc:
self.closed_event.set()
msg = 'Exception in ASGI application\n'
self.logger.error(msg, exc_info=exc)
if not self.handshake_started_event.is_set():
self.send_500_response()
else:
await self.handshake_completed_event.wait()
self.transport.close()
else:
self.closed_event.set()
if not self.handshake_started_event.is_set():
msg = 'ASGI callable returned without sending handshake.'
self.logger.error(msg)
self.send_500_response()
self.transport.close()
elif result is not None:
msg = "ASGI callable should return None, but returned '%s'."
self.logger.error(msg, result)
await self.handshake_completed_event.wait()
self.transport.close()
| run_asgi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def run_asgi(self):\n \"\"\"\n Wrapper around the ASGI callable, handling exceptions and unexpected\n termination states.\n \"\"\"\n ... |
def x(self):
if self.cycle is None or self.cycle.response_complete:
self.transport.close()
else:
self.cycle.keep_alive = False
| shutdown | [
{
"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.cycle is None or self.cycle.response_complete:\n self.transport.close()\n else:\n self.cycle.keep_alive = False\n",
"r... |
def x(self):
if self.cycle is None or self.cycle.response_complete:
event = h11.ConnectionClosed()
self.conn.send(event)
self.transport.close()
else:
self.cycle.keep_alive = False
| shutdown | [
{
"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.cycle is None or self.cycle.response_complete:\n event = h11.ConnectionClosed()\n self.conn.send(event)\n self.transpo... |
def x(self):
if not self.transport.is_closing():
event = h11.ConnectionClosed()
self.conn.send(event)
self.transport.close()
| timeout_keep_alive_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.transport.is_closing():\n event = h11.ConnectionClosed()\n self.conn.send(event)\n self.transport.close()\n",
... |
def x(scope, message, body):
environ = {'REQUEST_METHOD': scope['method'], 'SCRIPT_NAME': '',
'PATH_INFO': scope['path'], 'QUERY_STRING': scope['query_string'].
decode('ascii'), 'SERVER_PROTOCOL': 'HTTP/%s' % scope[
'http_version'], 'wsgi.version': (1, 0), 'wsgi.url_scheme': scope.
get('scheme', 'http'), 'wsgi.input': io.BytesIO(body),
'wsgi.errors': sys.stdout, 'wsgi.multithread': True,
'wsgi.multiprocess': True, 'wsgi.run_once': False}
server = scope.get('server', ('localhost', 80))
environ['SERVER_NAME'] = server[0]
environ['SERVER_PORT'] = server[1]
if 'client' in scope:
environ['REMOTE_ADDR'] = scope['client'][0]
for name, value in scope.get('headers', []):
name = name.decode('latin1')
if name == 'content-length':
corrected_name = 'CONTENT_LENGTH'
elif name == 'content-type':
corrected_name = 'CONTENT_TYPE'
else:
corrected_name = 'HTTP_%s' % name.upper().replace('-', '_')
value = value.decode('latin1')
if corrected_name in environ:
value = environ[corrected_name] + ',' + value
environ[corrected_name] = value
return environ
| build_environ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(scope, message, body):\n environ = {'REQUEST_METHOD': scope['method'], 'SCRIPT_NAME': '',\n 'PATH_INFO': scope['path'], 'QUERY_STRING': scope['query_... |
def x(message):
new_message = message.copy()
for attr in PLACEHOLDER_FORMAT.keys():
if message.get(attr) is not None:
content = message[attr]
placeholder = PLACEHOLDER_FORMAT[attr].format(length=len(content))
new_message[attr] = placeholder
return new_message
| message_with_placeholders | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message):\n new_message = message.copy()\n for attr in PLACEHOLDER_FORMAT.keys():\n if message.get(attr) is not None:\n content = messa... |
def x(log_level, log_file=None):
level = getattr(logging, log_level.upper(), None)
if not level:
color_print('Invalid log level: %s' % log_level, 'RED')
sys.exit(1)
if level >= logging.INFO:
sys.tracebacklimit = 0
formatter = ColoredFormatter(
u'%(log_color)s%(bg_white)s%(levelname)-8s%(reset)s %(message)s',
datefmt=None, reset=True, log_colors=log_colors_config)
if log_file:
handler = logging.FileHandler(log_file, encoding='utf-8')
else:
handler = logging.StreamHandler()
handler.setFormatter(formatter)
logger.addHandler(handler)
logger.setLevel(level)
| setup_logger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(log_level, log_file=None):\n level = getattr(logging, log_level.upper(), None)\n if not level:\n color_print('Invalid log level: %s' % log_level, ... |
def x(level):
def x(text):
color = log_colors_config[level.upper()]
getattr(logger, level.lower())(coloring(text, color))
return wrapper
| log_with_color | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(level):\n\n def x(text):\n color = log_colors_config[level.upper()]\n getattr(logger, level.lower())(coloring(text, color))\n return wrappe... |
def x(self, test_dict):
skip_reason = None
if 'skip' in test_dict:
skip_reason = test_dict['skip']
elif 'skipIf' in test_dict:
skip_if_condition = test_dict['skipIf']
if self.session_context.eval_content(skip_if_condition):
skip_reason = '{} evaluate to True'.format(skip_if_condition)
elif 'skipUnless' in test_dict:
skip_unless_condition = test_dict['skipUnless']
if not self.session_context.eval_content(skip_unless_condition):
skip_reason = '{} evaluate to False'.format(skip_unless_condition)
if skip_reason:
raise SkipTest(skip_reason)
| handle_skip_feature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, test_dict):\n skip_reason = None\n if 'skip' in test_dict:\n skip_reason = test_dict['skip']\n elif 'skipIf' in test_dict:\n skip_... |
def x(self, actions, hook_type):
logger.log_debug('call {} hook actions.'.format(hook_type))
for action in actions:
if isinstance(action, dict) and len(action) == 1:
var_name, hook_content = list(action.items())[0]
hook_content_eval = self.session_context.eval_content(hook_content)
logger.log_debug('assignment with hook: {} = {} => {}'.format(
var_name, hook_content, hook_content_eval))
self.session_context.update_test_variables(var_name,
hook_content_eval)
else:
logger.log_debug('call hook function: {}'.format(action))
self.session_context.eval_content(action)
| do_hook_actions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, actions, hook_type):\n logger.log_debug('call {} hook actions.'.format(hook_type))\n for action in actions:\n if isinstance(action, dict) an... |
def x(self, output_variables_list):
variables_mapping = self.session_context.session_variables_mapping
output = {}
for variable in output_variables_list:
if variable not in variables_mapping:
logger.log_warning(
"variable '{}' can not be found in variables mapping, failed to output!"
.format(variable))
continue
output[variable] = variables_mapping[variable]
utils.print_info(output)
return output
| extract_output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, output_variables_list):\n variables_mapping = self.session_context.session_variables_mapping\n output = {}\n for variable in output_variables_li... |
def x(self, test_suite):
tests_results = []
for testcase in test_suite:
testcase_name = testcase.config.get('name')
logger.log_info('Start to run testcase: {}'.format(testcase_name))
result = self.unittest_runner.run(testcase)
tests_results.append((testcase, result))
return tests_results
| run_suite | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, test_suite):\n tests_results = []\n for testcase in test_suite:\n testcase_name = testcase.config.get('name')\n logger.log_info('Star... |
def x(self, tests_results):
summary = {'success': True, 'stat': {'testcases': {'total': len(
tests_results), 'success': 0, 'fail': 0}, 'teststeps': {}}, 'time':
{}, 'platform': report.get_platform(), 'details': []}
for tests_result in tests_results:
testcase, result = tests_result
testcase_summary = report.get_summary(result)
if testcase_summary['success']:
summary['stat']['testcases']['success'] += 1
else:
summary['stat']['testcases']['fail'] += 1
summary['success'] &= testcase_summary['success']
testcase_summary['name'] = testcase.config.get('name')
testcase_summary['in_out'] = utils.get_testcase_io(testcase)
report.aggregate_stat(summary['stat']['teststeps'],
testcase_summary['stat'])
report.aggregate_stat(summary['time'], testcase_summary['time'])
summary['details'].append(testcase_summary)
return summary
| aggregate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tests_results):\n summary = {'success': True, 'stat': {'testcases': {'total': len(\n tests_results), 'success': 0, 'fail': 0}, 'teststeps': {}}... |
def x(self, path, dot_env_path=None, mapping=None):
self.exception_stage = 'load tests'
tests_mapping = loader.load_tests(path, dot_env_path)
tests_mapping['project_mapping']['test_path'] = path
if mapping:
tests_mapping['project_mapping']['variables'] = mapping
return self.run_tests(tests_mapping)
| run_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, dot_env_path=None, mapping=None):\n self.exception_stage = 'load tests'\n tests_mapping = loader.load_tests(path, dot_env_path)\n tests_ma... |
def x(self, path_or_tests, dot_env_path=None, mapping=None):
if validator.is_testcase_path(path_or_tests):
return self.run_path(path_or_tests, dot_env_path, mapping)
elif validator.is_testcases(path_or_tests):
return self.run_tests(path_or_tests)
else:
raise exceptions.ParamsError('Invalid testcase path or testcases: {}'
.format(path_or_tests))
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path_or_tests, dot_env_path=None, mapping=None):\n if validator.is_testcase_path(path_or_tests):\n return self.run_path(path_or_tests, dot_env_... |
def x(variables_mapping):
for variable in variables_mapping:
os.environ[variable] = variables_mapping[variable]
logger.log_debug('Set OS environment variable: {}'.format(variable))
| set_os_environ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(variables_mapping):\n for variable in variables_mapping:\n os.environ[variable] = variables_mapping[variable]\n logger.log_debug('Set OS envir... |
def x(variables_mapping):
for variable in variables_mapping:
os.environ.pop(variable)
logger.log_debug('Unset OS environment variable: {}'.format(variable))
| unset_os_environ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(variables_mapping):\n for variable in variables_mapping:\n os.environ.pop(variable)\n logger.log_debug('Unset OS environment variable: {}'.for... |
def x(base_url, path):
if absolute_http_url_regexp.match(path):
return path
elif base_url:
return '{}/{}'.format(base_url.rstrip('/'), path.lstrip('/'))
else:
raise ParamsError('base url missed!')
| build_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(base_url, path):\n if absolute_http_url_regexp.match(path):\n return path\n elif base_url:\n return '{}/{}'.format(base_url.rstrip('/'), pa... |
def x(json_content, query, delimiter='.'):
raise_flag = False
response_body = u'response body: {}\n'.format(json_content)
try:
for key in query.split(delimiter):
if isinstance(json_content, (list, basestring)):
json_content = json_content[int(key)]
elif isinstance(json_content, dict):
json_content = json_content[key]
else:
logger.log_error('invalid type value: {}({})'.format(
json_content, type(json_content)))
raise_flag = True
except (KeyError, ValueError, IndexError):
raise_flag = True
if raise_flag:
err_msg = u'Failed to extract! => {}\n'.format(query)
err_msg += response_body
logger.log_error(err_msg)
raise exceptions.ExtractFailure(err_msg)
return json_content
| query_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(json_content, query, delimiter='.'):\n raise_flag = False\n response_body = u'response body: {}\\n'.format(json_content)\n try:\n for key in qu... |
def x(origin_dict, override_dict):
if not override_dict:
return origin_dict
for key, val in override_dict.items():
if isinstance(val, dict):
tmp = deep_update_dict(origin_dict.get(key, {}), val)
origin_dict[key] = tmp
elif val is None:
continue
else:
origin_dict[key] = override_dict[key]
return origin_dict
| deep_update_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(origin_dict, override_dict):\n if not override_dict:\n return origin_dict\n for key, val in override_dict.items():\n if isinstance(val, dic... |
def x(src_dict):
return '&'.join(['{}={}'.format(key, value) for key, value in src_dict.
items()])
| convert_dict_to_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src_dict):\n return '&'.join(['{}={}'.format(key, value) for key, value in src_dict.\n items()])\n",
"role": "user"
},
{
"content": "conv... |
def x(origin_dict):
if not origin_dict or not isinstance(origin_dict, dict):
return origin_dict
return {key.lower(): value for key, value in origin_dict.items()}
| lower_dict_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(origin_dict):\n if not origin_dict or not isinstance(origin_dict, dict):\n return origin_dict\n return {key.lower(): value for key, value in origi... |
def x(data):
try:
return copy.deepcopy(data)
except TypeError:
copied_data = {}
for key, value in data.items():
if isinstance(value, dict):
copied_data[key] = deepcopy_dict(value)
else:
try:
copied_data[key] = copy.deepcopy(value)
except TypeError:
copied_data[key] = value
return copied_data
| deepcopy_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n try:\n return copy.deepcopy(data)\n except TypeError:\n copied_data = {}\n for key, value in data.items():\n if ... |
def x(variables):
if isinstance(variables, list):
variables_dict = {}
for map_dict in variables:
variables_dict.update(map_dict)
return variables_dict
elif isinstance(variables, dict):
return variables
else:
raise exceptions.ParamsError('variables format error!')
| ensure_mapping_format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(variables):\n if isinstance(variables, list):\n variables_dict = {}\n for map_dict in variables:\n variables_dict.update(map_dict)\... |
def x(raw_variables, override_variables):
if not raw_variables:
override_variables_mapping = ensure_mapping_format(override_variables)
return override_variables_mapping
elif not override_variables:
raw_variables_mapping = ensure_mapping_format(raw_variables)
return raw_variables_mapping
else:
raw_variables_mapping = ensure_mapping_format(raw_variables)
override_variables_mapping = ensure_mapping_format(override_variables)
raw_variables_mapping.update(override_variables_mapping)
return raw_variables_mapping
| extend_variables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw_variables, override_variables):\n if not raw_variables:\n override_variables_mapping = ensure_mapping_format(override_variables)\n return ... |
def x(info_mapping):
if not info_mapping:
return
content_format = '{:<16} : {:<}\n'
content = '\n==================== Output ====================\n'
content += content_format.format('Variable', 'Value')
content += content_format.format('-' * 16, '-' * 29)
for key, value in info_mapping.items():
if isinstance(value, (tuple, collections.deque)):
continue
elif isinstance(value, (dict, list)):
value = json.dumps(value)
elif value is None:
value = 'None'
if is_py2:
if isinstance(key, unicode):
key = key.encode('utf-8')
if isinstance(value, unicode):
value = value.encode('utf-8')
content += content_format.format(key, value)
content += '-' * 48 + '\n'
logger.log_info(content)
| print_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(info_mapping):\n if not info_mapping:\n return\n content_format = '{:<16} : {:<}\\n'\n content = '\\n==================== Output ==============... |
def x(project_name):
if os.path.isdir(project_name):
logger.log_warning(
u'Folder {} exists, please specify a new folder name.'.format(
project_name))
return
logger.color_print('Start to create new project: {}'.format(
project_name), 'GREEN')
logger.color_print('CWD: {}\n'.format(os.getcwd()), 'BLUE')
def x(path, ptype):
if ptype == 'folder':
os.makedirs(path)
elif ptype == 'file':
open(path, 'w').close()
msg = 'created {}: {}'.format(ptype, path)
logger.color_print(msg, 'BLUE')
path_list = [(project_name, 'folder'), (os.path.join(project_name,
'api'), 'folder'), (os.path.join(project_name, 'testcases'),
'folder'), (os.path.join(project_name, 'testsuites'), 'folder'), (
os.path.join(project_name, 'reports'), 'folder'), (os.path.join(
project_name, 'debugtalk.py'), 'file'), (os.path.join(project_name,
'.env'), 'file')]
[create_path(p[0], p[1]) for p in path_list]
ignore_file = os.path.join(project_name, '.gitignore')
ignore_content = '.env\nreports/*'
with open(ignore_file, 'w') as f:
f.write(ignore_content)
| create_scaffold | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(project_name):\n if os.path.isdir(project_name):\n logger.log_warning(\n u'Folder {} exists, please specify a new folder name.'.format(\n ... |
def x(*args):
if not args:
return []
elif len(args) == 1:
return args[0]
product_list = []
for product_item_tuple in itertools.product(*args):
product_item_dict = {}
for item in product_item_tuple:
product_item_dict.update(item)
product_list.append(product_item_dict)
return product_list
| gen_cartesian_product | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n if not args:\n return []\n elif len(args) == 1:\n return args[0]\n product_list = []\n for product_item_tuple in itertools.... |
def x(file_list):
for json_file in set(file_list):
if not json_file.endswith('.json'):
logger.log_warning(
'Only JSON file format can be prettified, skip: {}'.format(
json_file))
continue
logger.color_print('Start to prettify JSON file: {}'.format(
json_file), 'GREEN')
dir_path = os.path.dirname(json_file)
file_name, file_suffix = os.path.splitext(os.path.basename(json_file))
outfile = os.path.join(dir_path, '{}.pretty.json'.format(file_name))
with io.open(json_file, 'r', encoding='utf-8') as stream:
try:
obj = json.load(stream)
except ValueError as e:
raise SystemExit(e)
with io.open(outfile, 'w', encoding='utf-8') as out:
json.dump(obj, out, indent=4, separators=(',', ': '))
out.write('\n')
print('success: {}'.format(outfile))
| prettify_json_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_list):\n for json_file in set(file_list):\n if not json_file.endswith('.json'):\n logger.log_warning(\n 'Only JSON fil... |
def x(body, omit_len=512):
if not isinstance(body, basestring):
return body
body_len = len(body)
if body_len <= omit_len:
return body
omitted_body = body[0:omit_len]
appendix_str = ' ... OMITTED {} CHARACTORS ...'.format(body_len - omit_len)
if isinstance(body, bytes):
appendix_str = appendix_str.encode('utf-8')
return omitted_body + appendix_str
| omit_long_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(body, omit_len=512):\n if not isinstance(body, basestring):\n return body\n body_len = len(body)\n if body_len <= omit_len:\n return bod... |
def x(json_data, pwd_dir_path, dump_file_name):
class PythonObjectEncoder(json.JSONEncoder):
def x(self, obj):
try:
return super().default(self, obj)
except TypeError:
return str(obj)
logs_dir_path = os.path.join(pwd_dir_path, 'logs')
if not os.path.isdir(logs_dir_path):
os.makedirs(logs_dir_path)
dump_file_path = os.path.join(logs_dir_path, dump_file_name)
try:
with io.open(dump_file_path, 'w', encoding='utf-8') as outfile:
if is_py2:
outfile.write(unicode(json.dumps(json_data, indent=4,
separators=(',', ':'), ensure_ascii=False, cls=
PythonObjectEncoder)))
else:
json.dump(json_data, outfile, indent=4, separators=(',',
':'), ensure_ascii=False, cls=PythonObjectEncoder)
msg = 'dump file: {}'.format(dump_file_path)
logger.color_print(msg, 'BLUE')
except TypeError as ex:
msg = 'Failed to dump json file: {}\nReason: {}'.format(dump_file_path,
ex)
logger.color_print(msg, 'RED')
| dump_json_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(json_data, pwd_dir_path, dump_file_name):\n\n\n class PythonObjectEncoder(json.JSONEncoder):\n\n def x(self, obj):\n try:\n ... |
def x(project_mapping, tag_name):
test_path = project_mapping.get('test_path') or 'tests_mapping'
pwd_dir_path = project_mapping.get('PWD') or os.getcwd()
file_name, file_suffix = os.path.splitext(os.path.basename(test_path.
rstrip('/')))
dump_file_name = '{}.{}.json'.format(file_name, tag_name)
return pwd_dir_path, dump_file_name
| prepare_dump_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(project_mapping, tag_name):\n test_path = project_mapping.get('test_path') or 'tests_mapping'\n pwd_dir_path = project_mapping.get('PWD') or os.getcwd()\... |
def x(json_data, project_mapping, tag_name):
pwd_dir_path, dump_file_name = _prepare_dump_info(project_mapping, tag_name
)
dump_json_file(json_data, pwd_dir_path, dump_file_name)
| dump_logs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(json_data, project_mapping, tag_name):\n pwd_dir_path, dump_file_name = _prepare_dump_info(project_mapping, tag_name\n )\n dump_json_file(json_dat... |
def x(file_path, content):
if not content:
err_msg = u'Testcase file content is empty: {}'.format(file_path)
logger.log_error(err_msg)
raise exceptions.FileFormatError(err_msg)
elif not isinstance(content, (list, dict)):
err_msg = u'Testcase file content format invalid: {}'.format(file_path)
logger.log_error(err_msg)
raise exceptions.FileFormatError(err_msg)
| check_format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_path, content):\n if not content:\n err_msg = u'Testcase file content is empty: {}'.format(file_path)\n logger.log_error(err_msg)\n ... |
def x(yaml_file):
with io.open(yaml_file, 'r', encoding='utf-8') as stream:
yaml_content = yaml.load(stream)
_check_format(yaml_file, yaml_content)
return yaml_content
| load_yaml_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(yaml_file):\n with io.open(yaml_file, 'r', encoding='utf-8') as stream:\n yaml_content = yaml.load(stream)\n _check_format(yaml_file, yaml_con... |
def x(json_file):
with io.open(json_file, encoding='utf-8') as data_file:
try:
json_content = json.load(data_file)
except exceptions.JSONDecodeError:
err_msg = u'JSONDecodeError: JSON file format error: {}'.format(
json_file)
logger.log_error(err_msg)
raise exceptions.FileFormatError(err_msg)
_check_format(json_file, json_content)
return json_content
| load_json_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(json_file):\n with io.open(json_file, encoding='utf-8') as data_file:\n try:\n json_content = json.load(data_file)\n except excepti... |
def x(csv_file):
if not os.path.isabs(csv_file):
project_working_directory = tests_def_mapping['PWD'] or os.getcwd()
csv_file = os.path.join(project_working_directory, *csv_file.split('/')
)
if not os.path.isfile(csv_file):
raise exceptions.CSVNotFound(csv_file)
csv_content_list = []
with io.open(csv_file, encoding='utf-8') as csvfile:
reader = csv.DictReader(csvfile)
for row in reader:
csv_content_list.append(row)
return csv_content_list
| load_csv_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(csv_file):\n if not os.path.isabs(csv_file):\n project_working_directory = tests_def_mapping['PWD'] or os.getcwd()\n csv_file = os.path.join(p... |
def x(folder_path, recursive=True):
if isinstance(folder_path, (list, set)):
files = []
for path in set(folder_path):
files.extend(load_folder_files(path, recursive))
return files
if not os.path.exists(folder_path):
return []
file_list = []
for dirpath, dirnames, filenames in os.walk(folder_path):
filenames_list = []
for filename in filenames:
if not filename.endswith(('.yml', '.yaml', '.json')):
continue
filenames_list.append(filename)
for filename in filenames_list:
file_path = os.path.join(dirpath, filename)
file_list.append(file_path)
if not recursive:
break
return file_list
| load_folder_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(folder_path, recursive=True):\n if isinstance(folder_path, (list, set)):\n files = []\n for path in set(folder_path):\n files.exten... |
def x(dot_env_path):
if not os.path.isfile(dot_env_path):
return {}
logger.log_info('Loading environment variables from {}'.format(
dot_env_path))
env_variables_mapping = {}
with io.open(dot_env_path, 'r', encoding='utf-8') as fp:
for line in fp:
if '=' in line:
variable, value = line.split('=', 1)
elif ':' in line:
variable, value = line.split(':', 1)
else:
raise exceptions.FileFormatError('.env format error')
env_variables_mapping[variable.strip()] = value.strip()
utils.set_os_environ(env_variables_mapping)
return env_variables_mapping
| load_dot_env_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dot_env_path):\n if not os.path.isfile(dot_env_path):\n return {}\n logger.log_info('Loading environment variables from {}'.format(\n dot_e... |
def x(start_path, file_name):
if os.path.isfile(start_path):
start_dir_path = os.path.dirname(start_path)
elif os.path.isdir(start_path):
start_dir_path = start_path
else:
raise exceptions.FileNotFound('invalid path: {}'.format(start_path))
file_path = os.path.join(start_dir_path, file_name)
if os.path.isfile(file_path):
return os.path.abspath(file_path)
if os.path.abspath(start_dir_path) in [os.getcwd(), os.path.abspath(os.sep)
]:
raise exceptions.FileNotFound('{} not found in {}'.format(file_name,
start_path))
return locate_file(os.path.dirname(start_dir_path), file_name)
| locate_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start_path, file_name):\n if os.path.isfile(start_path):\n start_dir_path = os.path.dirname(start_path)\n elif os.path.isdir(start_path):\n ... |
def x(module):
module_functions = {}
for name, item in vars(module).items():
if validator.is_function(item):
module_functions[name] = item
return module_functions
| load_module_functions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(module):\n module_functions = {}\n for name, item in vars(module).items():\n if validator.is_function(item):\n module_functions[name] =... |
def x(raw_testinfo):
api_name = raw_testinfo['api']
if not os.path.isabs(api_name):
api_path = os.path.join(tests_def_mapping['PWD'], *api_name.split('/'))
if os.path.isfile(api_path):
api_name = api_path
try:
block = tests_def_mapping['api'][api_name]
raw_testinfo['api_def'] = utils.deepcopy_dict(block)
except KeyError:
raise exceptions.ApiNotFound('{} not found!'.format(api_name))
| extend_with_api_ref | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw_testinfo):\n api_name = raw_testinfo['api']\n if not os.path.isabs(api_name):\n api_path = os.path.join(tests_def_mapping['PWD'], *api_name.sp... |
def x(folder_path):
items_mapping = {}
for file_path in load_folder_files(folder_path):
items_mapping[file_path] = load_file(file_path)
return items_mapping
| load_folder_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(folder_path):\n items_mapping = {}\n for file_path in load_folder_files(folder_path):\n items_mapping[file_path] = load_file(file_path)\n retur... |
def x(api_folder_path):
api_definition_mapping = {}
api_items_mapping = load_folder_content(api_folder_path)
for api_file_path, api_items in api_items_mapping.items():
if isinstance(api_items, list):
for api_item in api_items:
key, api_dict = api_item.popitem()
api_id = api_dict.get('id') or api_dict.get('def'
) or api_dict.get('name')
if key != 'api' or not api_id:
raise exceptions.ParamsError('Invalid API defined in {}'
.format(api_file_path))
if api_id in api_definition_mapping:
raise exceptions.ParamsError(
'Duplicated API ({}) defined in {}'.format(api_id,
api_file_path))
else:
api_definition_mapping[api_id] = api_dict
elif isinstance(api_items, dict):
if api_file_path in api_definition_mapping:
raise exceptions.ParamsError('Duplicated API defined: {}'.
format(api_file_path))
else:
api_definition_mapping[api_file_path] = api_items
return api_definition_mapping
| load_api_folder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(api_folder_path):\n api_definition_mapping = {}\n api_items_mapping = load_folder_content(api_folder_path)\n for api_file_path, api_items in api_items... |
def x():
import argparse
from httprunner import logger
from httprunner.__about__ import __description__, __version__
from httprunner.api import HttpRunner
from httprunner.compat import is_py2
from httprunner.validator import validate_json_file
from httprunner.utils import create_scaffold, get_python2_retire_msg, prettify_json_file
parser = argparse.ArgumentParser(description=__description__)
parser.add_argument('-V', '--version', dest='version', action=
'store_true', help='show version')
parser.add_argument('testcase_paths', nargs='*', help='testcase file path')
parser.add_argument('--log-level', default='INFO', help=
'Specify logging level, default is INFO.')
parser.add_argument('--log-file', help='Write logs to specified file path.'
)
parser.add_argument('--dot-env-path', help=
'Specify .env file path, which is useful for keeping sensitive data.')
parser.add_argument('--report-template', help=
'specify report template path.')
parser.add_argument('--report-dir', help='specify report save directory.')
parser.add_argument('--failfast', action='store_true', default=False,
help='Stop the test run on the first error or failure.')
parser.add_argument('--save-tests', action='store_true', default=False,
help='Save loaded tests and parsed tests to JSON file.')
parser.add_argument('--startproject', help='Specify new project name.')
parser.add_argument('--validate', nargs='*', help=
'Validate JSON testcase format.')
parser.add_argument('--prettify', nargs='*', help=
'Prettify JSON testcase format.')
args = parser.parse_args()
logger.setup_logger(args.log_level, args.log_file)
if is_py2:
logger.log_warning(get_python2_retire_msg())
if args.version:
logger.color_print('{}'.format(__version__), 'GREEN')
exit(0)
if args.validate:
validate_json_file(args.validate)
exit(0)
if args.prettify:
prettify_json_file(args.prettify)
exit(0)
project_name = args.startproject
if project_name:
create_scaffold(project_name)
exit(0)
runner = HttpRunner(failfast=args.failfast, save_tests=args.save_tests,
report_template=args.report_template, report_dir=args.report_dir)
try:
for path in args.testcase_paths:
runner.run(path, dot_env_path=args.dot_env_path)
except Exception:
logger.log_error('!!!!!!!!!! exception stage: {} !!!!!!!!!!'.format
(runner.exception_stage))
raise
return 0
| main_hrun | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import argparse\n from httprunner import logger\n from httprunner.__about__ import __description__, __version__\n from httprunner.api import H... |
def x():
from gevent import monkey
monkey.patch_ssl()
import multiprocessing
import sys
from httprunner import logger
try:
from httprunner import locusts
except ImportError:
msg = 'Locust is not installed, install first and try again.\n'
msg += 'install command: pip install locustio'
print(msg)
exit(1)
sys.argv[0] = 'locust'
if len(sys.argv) == 1:
sys.argv.extend(['-h'])
if sys.argv[1] in ['-h', '--help', '-V', '--version']:
locusts.start_locust_main()
sys.exit(0)
if '-L' in sys.argv:
loglevel_index = sys.argv.index('-L') + 1
elif '--loglevel' in sys.argv:
loglevel_index = sys.argv.index('--loglevel') + 1
else:
loglevel_index = None
if loglevel_index and loglevel_index < len(sys.argv):
loglevel = sys.argv[loglevel_index]
else:
loglevel = 'WARNING'
logger.setup_logger(loglevel)
try:
if '-f' in sys.argv:
testcase_index = sys.argv.index('-f') + 1
elif '--locustfile' in sys.argv:
testcase_index = sys.argv.index('--locustfile') + 1
else:
testcase_index = None
assert testcase_index and testcase_index < len(sys.argv)
except AssertionError:
print('Testcase file is not specified, exit.')
sys.exit(1)
testcase_file_path = sys.argv[testcase_index]
sys.argv[testcase_index] = locusts.parse_locustfile(testcase_file_path)
if '--processes' in sys.argv:
""" locusts -f locustfile.py --processes 4
"""
if '--no-web' in sys.argv:
logger.log_error(
'conflict parameter args: --processes & --no-web. \nexit.')
sys.exit(1)
processes_index = sys.argv.index('--processes')
processes_count_index = processes_index + 1
if processes_count_index >= len(sys.argv):
""" do not specify processes count explicitly
locusts -f locustfile.py --processes
"""
processes_count = multiprocessing.cpu_count()
logger.log_warning(
'processes count not specified, use {} by default.'.format(
processes_count))
else:
try:
""" locusts -f locustfile.py --processes 4 """
processes_count = int(sys.argv[processes_count_index])
sys.argv.pop(processes_count_index)
except ValueError:
""" locusts -f locustfile.py --processes -P 8888 """
processes_count = multiprocessing.cpu_count()
logger.log_warning(
'processes count not specified, use {} by default.'.
format(processes_count))
sys.argv.pop(processes_index)
locusts.run_locusts_with_processes(sys.argv, processes_count)
else:
locusts.start_locust_main()
| main_locust | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from gevent import monkey\n monkey.patch_ssl()\n import multiprocessing\n import sys\n from httprunner import logger\n try:\n fro... |
def x(content):
if not isinstance(content, basestring):
return False
try:
match_start_position = content.index('$', 0)
except ValueError:
return False
while match_start_position < len(content):
dollar_match = dolloar_regex_compile.match(content,
match_start_position)
if dollar_match:
match_start_position = dollar_match.end()
continue
func_match = function_regex_compile.match(content, match_start_position
)
if func_match:
return True
var_match = variable_regex_compile.match(content, match_start_position)
if var_match:
return True
return False
| is_var_or_func_exist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(content):\n if not isinstance(content, basestring):\n return False\n try:\n match_start_position = content.index('$', 0)\n except ValueE... |
def x(content):
try:
vars_list = []
for var_tuple in variable_regex_compile.findall(content):
vars_list.append(var_tuple[0] or var_tuple[1])
return vars_list
except TypeError:
return []
| regex_findall_variables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(content):\n try:\n vars_list = []\n for var_tuple in variable_regex_compile.findall(content):\n vars_list.append(var_tuple[0] or va... |
def x(parameters, variables_mapping=None, functions_mapping=None):
variables_mapping = variables_mapping or {}
functions_mapping = functions_mapping or {}
parsed_parameters_list = []
parameters = utils.ensure_mapping_format(parameters)
for parameter_name, parameter_content in parameters.items():
parameter_name_list = parameter_name.split('-')
if isinstance(parameter_content, list):
parameter_content_list = []
for parameter_item in parameter_content:
if not isinstance(parameter_item, (list, tuple)):
parameter_item = [parameter_item]
parameter_content_dict = dict(zip(parameter_name_list,
parameter_item))
parameter_content_list.append(parameter_content_dict)
else:
parsed_variables_mapping = parse_variables_mapping(
variables_mapping)
parsed_parameter_content = eval_lazy_data(parameter_content,
parsed_variables_mapping, functions_mapping)
if not isinstance(parsed_parameter_content, list):
raise exceptions.ParamsError('parameters syntax error!')
parameter_content_list = []
for parameter_item in parsed_parameter_content:
if isinstance(parameter_item, dict):
parameter_dict = {key: parameter_item[key] for key in
parameter_name_list}
elif isinstance(parameter_item, (list, tuple)):
parameter_dict = dict(zip(parameter_name_list,
parameter_item))
elif len(parameter_name_list) == 1:
parameter_dict = {parameter_name_list[0]: parameter_item}
parameter_content_list.append(parameter_dict)
parsed_parameters_list.append(parameter_content_list)
return utils.gen_cartesian_product(*parsed_parameters_list)
| parse_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parameters, variables_mapping=None, functions_mapping=None):\n variables_mapping = variables_mapping or {}\n functions_mapping = functions_mapping or {}\... |
def x(variable_name, variables_mapping):
try:
return variables_mapping[variable_name]
except KeyError:
raise exceptions.VariableNotFound('{} is not found.'.format(
variable_name))
| get_mapping_variable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(variable_name, variables_mapping):\n try:\n return variables_mapping[variable_name]\n except KeyError:\n raise exceptions.VariableNotFound(... |
def x(function_name, functions_mapping):
if function_name in functions_mapping:
return functions_mapping[function_name]
elif function_name in ['parameterize', 'P']:
from httprunner import loader
return loader.load_csv_file
elif function_name in ['environ', 'ENV']:
return utils.get_os_environ
try:
from httprunner import loader
built_in_functions = loader.load_builtin_functions()
return built_in_functions[function_name]
except KeyError:
pass
try:
item_func = eval(function_name)
if callable(item_func):
return item_func
except (NameError, TypeError):
raise exceptions.FunctionNotFound('{} is not found.'.format(
function_name))
| get_mapping_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(function_name, functions_mapping):\n if function_name in functions_mapping:\n return functions_mapping[function_name]\n elif function_name in ['pa... |
def x(params):
function_meta = {'args': [], 'kwargs': {}}
params_str = params.strip()
if params_str == '':
return function_meta
args_list = params_str.split(',')
for arg in args_list:
arg = arg.strip()
if '=' in arg:
key, value = arg.split('=')
function_meta['kwargs'][key.strip()] = parse_string_value(value
.strip())
else:
function_meta['args'].append(parse_string_value(arg))
return function_meta
| parse_function_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(params):\n function_meta = {'args': [], 'kwargs': {}}\n params_str = params.strip()\n if params_str == '':\n return function_meta\n args_lis... |
def x(content, functions_mapping=None, check_variables_set=None, cached=False):
if content is None or isinstance(content, (numeric_types, bool, type)):
return content
elif isinstance(content, (list, set, tuple)):
return [prepare_lazy_data(item, functions_mapping,
check_variables_set, cached) for item in content]
elif isinstance(content, dict):
parsed_content = {}
for key, value in content.items():
parsed_key = prepare_lazy_data(key, functions_mapping,
check_variables_set, cached)
parsed_value = prepare_lazy_data(value, functions_mapping,
check_variables_set, cached)
parsed_content[parsed_key] = parsed_value
return parsed_content
elif isinstance(content, basestring):
if not is_var_or_func_exist(content):
return content.replace('$$', '$')
functions_mapping = functions_mapping or {}
check_variables_set = check_variables_set or set()
content = content.strip()
content = LazyString(content, functions_mapping,
check_variables_set, cached)
return content
| prepare_lazy_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(content, functions_mapping=None, check_variables_set=None, cached=False):\n if content is None or isinstance(content, (numeric_types, bool, type)):\n ... |
def x(content, variables_mapping=None):
if content is None or isinstance(content, (numeric_types, bool, type)):
return content
elif isinstance(content, LazyString):
variables_mapping = utils.ensure_mapping_format(variables_mapping or {}
)
return content.to_value(variables_mapping)
elif isinstance(content, (list, set, tuple)):
return [parse_lazy_data(item, variables_mapping) for item in content]
elif isinstance(content, dict):
parsed_content = {}
for key, value in content.items():
parsed_key = parse_lazy_data(key, variables_mapping)
parsed_value = parse_lazy_data(value, variables_mapping)
parsed_content[parsed_key] = parsed_value
return parsed_content
return content
| parse_lazy_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(content, variables_mapping=None):\n if content is None or isinstance(content, (numeric_types, bool, type)):\n return content\n elif isinstance(con... |
def x(content, variables_mapping=None, functions_mapping=None):
variables_mapping = variables_mapping or {}
check_variables_set = set(variables_mapping.keys())
return parse_lazy_data(prepare_lazy_data(content, functions_mapping,
check_variables_set), variables_mapping)
| eval_lazy_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(content, variables_mapping=None, functions_mapping=None):\n variables_mapping = variables_mapping or {}\n check_variables_set = set(variables_mapping.key... |
def x(content):
if isinstance(content, (list, set, tuple)):
variables = set()
for item in content:
variables = variables | extract_variables(item)
return variables
elif isinstance(content, dict):
variables = set()
for key, value in content.items():
variables = variables | extract_variables(value)
return variables
elif isinstance(content, LazyString):
return set(regex_findall_variables(content.raw_string))
return set()
| extract_variables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(content):\n if isinstance(content, (list, set, tuple)):\n variables = set()\n for item in content:\n variables = variables | extrac... |
def x(variables_mapping, ignore=False):
run_times = 0
parsed_variables_mapping = {}
while len(parsed_variables_mapping) != len(variables_mapping):
for var_name in variables_mapping:
run_times += 1
if run_times > len(variables_mapping) * 4:
not_found_variables = {key: variables_mapping[key] for key in
variables_mapping if key not in parsed_variables_mapping}
raise exceptions.VariableNotFound(not_found_variables)
if var_name in parsed_variables_mapping:
continue
value = variables_mapping[var_name]
variables = extract_variables(value)
if var_name in variables:
if ignore:
parsed_variables_mapping[var_name] = value
continue
raise exceptions.VariableNotFound(var_name)
if variables:
if any([(_var_name not in parsed_variables_mapping) for
_var_name in variables]):
continue
parsed_value = parse_lazy_data(value, parsed_variables_mapping)
parsed_variables_mapping[var_name] = parsed_value
return parsed_variables_mapping
| parse_variables_mapping | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(variables_mapping, ignore=False):\n run_times = 0\n parsed_variables_mapping = {}\n while len(parsed_variables_mapping) != len(variables_mapping):\n ... |
def x(test_dict, api_def_dict):
test_dict.setdefault('name', api_def_dict.pop('name', 'api name undefined')
)
def_variables = api_def_dict.pop('variables', [])
test_dict['variables'] = utils.extend_variables(def_variables,
test_dict.get('variables', {}))
def_raw_validators = api_def_dict.pop('validate', [])
def_validators = [validator.uniform_validator(_validator) for
_validator in def_raw_validators]
ref_validators = test_dict.pop('validate', [])
test_dict['validate'] = validator.extend_validators(def_validators,
ref_validators)
def_extrators = api_def_dict.pop('extract', {})
test_dict['extract'] = utils.extend_variables(def_extrators, test_dict.
get('extract', {}))
test_dict['request'] = api_def_dict.pop('request', {})
if api_def_dict.get('base_url'):
test_dict['base_url'] = api_def_dict['base_url']
if 'verify' in api_def_dict:
test_dict['request']['verify'] = api_def_dict['verify']
def_setup_hooks = api_def_dict.pop('setup_hooks', [])
ref_setup_hooks = test_dict.get('setup_hooks', [])
extended_setup_hooks = list(set(def_setup_hooks + ref_setup_hooks))
if extended_setup_hooks:
test_dict['setup_hooks'] = extended_setup_hooks
def_teardown_hooks = api_def_dict.pop('teardown_hooks', [])
ref_teardown_hooks = test_dict.get('teardown_hooks', [])
extended_teardown_hooks = list(set(def_teardown_hooks + ref_teardown_hooks)
)
if extended_teardown_hooks:
test_dict['teardown_hooks'] = extended_teardown_hooks
test_dict.update(api_def_dict)
| extend_with_api | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(test_dict, api_def_dict):\n test_dict.setdefault('name', api_def_dict.pop('name', 'api name undefined')\n )\n def_variables = api_def_dict.pop('va... |
def x(config, project_mapping, session_variables_set=None):
raw_config_variables = config.pop('variables', {})
raw_config_variables_mapping = utils.ensure_mapping_format(
raw_config_variables)
override_variables = utils.deepcopy_dict(project_mapping.get(
'variables', {}))
functions = project_mapping.get('functions', {})
raw_config_variables_mapping.update(override_variables)
if raw_config_variables_mapping:
config['variables'] = raw_config_variables_mapping
check_variables_set = set(raw_config_variables_mapping.keys())
check_variables_set |= session_variables_set or set()
prepared_config = prepare_lazy_data(config, functions,
check_variables_set, cached=True)
return prepared_config
| prepare_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, project_mapping, session_variables_set=None):\n raw_config_variables = config.pop('variables', {})\n raw_config_variables_mapping = utils.ensure_... |
def x(self, function_meta):
self._func = get_mapping_function(function_meta['func_name'], self.
functions_mapping)
self.func_name = self._func.__name__
self._args = prepare_lazy_data(function_meta.get('args', []), self.
functions_mapping, self.check_variables_set)
self._kwargs = prepare_lazy_data(function_meta.get('kwargs', {}), self.
functions_mapping, self.check_variables_set)
if self.func_name == 'load_csv_file':
if len(self._args) != 1 or self._kwargs:
raise exceptions.ParamsError(
'P() should only pass in one argument!')
self._args = [self._args[0]]
elif self.func_name == 'get_os_environ':
if len(self._args) != 1 or self._kwargs:
raise exceptions.ParamsError(
'ENV() should only pass in one argument!')
self._args = [self._args[0]]
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, function_meta):\n self._func = get_mapping_function(function_meta['func_name'], self.\n functions_mapping)\n self.func_name = self._func.__n... |
def x(self, variables_mapping=None):
variables_mapping = variables_mapping or {}
args = parse_lazy_data(self._args, variables_mapping)
kwargs = parse_lazy_data(self._kwargs, variables_mapping)
self.cache_key = self.__prepare_cache_key(args, kwargs)
return self._func(*args, **kwargs)
| to_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variables_mapping=None):\n variables_mapping = variables_mapping or {}\n args = parse_lazy_data(self._args, variables_mapping)\n kwargs = parse_... |
def x(self, raw_string):
self._args = []
def x(origin_string):
return origin_string.replace('{', '{{').replace('}', '}}')
try:
match_start_position = raw_string.index('$', 0)
begin_string = raw_string[0:match_start_position]
self._string = escape_braces(begin_string)
except ValueError:
self._string = escape_braces(raw_string)
return
while match_start_position < len(raw_string):
dollar_match = dolloar_regex_compile.match(raw_string,
match_start_position)
if dollar_match:
match_start_position = dollar_match.end()
self._string += '$'
continue
func_match = function_regex_compile.match(raw_string,
match_start_position)
if func_match:
function_meta = parse_function_params(func_match.group(1))
function_meta = {'func_name': func_match.group(1)}
function_meta.update(parse_function_params(func_match.group(2)))
lazy_func = LazyFunction(function_meta, self.functions_mapping,
self.check_variables_set)
self._args.append(lazy_func)
match_start_position = func_match.end()
self._string += '{}'
continue
var_match = variable_regex_compile.match(raw_string,
match_start_position)
if var_match:
var_name = var_match.group(1) or var_match.group(2)
if var_name not in self.check_variables_set:
raise exceptions.VariableNotFound(var_name)
self._args.append(var_name)
match_start_position = var_match.end()
self._string += '{}'
continue
curr_position = match_start_position
try:
match_start_position = raw_string.index('$', curr_position + 1)
remain_string = raw_string[curr_position:match_start_position]
except ValueError:
remain_string = raw_string[curr_position:]
match_start_position = len(raw_string)
self._string += escape_braces(remain_string)
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw_string):\n self._args = []\n\n def x(origin_string):\n return origin_string.replace('{', '{{').replace('}', '}}')\n try:\n mat... |
def x(self, variables_mapping=None):
variables_mapping = variables_mapping or {}
args = []
for arg in self._args:
if isinstance(arg, LazyFunction):
if (self.cached and arg.cache_key and arg.cache_key in
cached_functions_mapping):
value = cached_functions_mapping[arg.cache_key]
else:
value = arg.to_value(variables_mapping)
cached_functions_mapping[arg.cache_key] = value
args.append(value)
else:
var_value = get_mapping_variable(arg, variables_mapping)
args.append(var_value)
if self._string == '{}':
return args[0]
else:
return self._string.format(*args)
| to_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variables_mapping=None):\n variables_mapping = variables_mapping or {}\n args = []\n for arg in self._args:\n if isinstance(arg, LazyFunc... |
def x(self, resp_obj):
def x(req_resp_dict, r_type):
msg = '\n================== {} details ==================\n'.format(
r_type)
for key, value in req_resp_dict[r_type].items():
msg += '{:<16} : {}\n'.format(key, repr(value))
logger.log_debug(msg)
req_resp_dict = {'request': {}, 'response': {}}
req_resp_dict['request']['url'] = resp_obj.request.url
req_resp_dict['request']['method'] = resp_obj.request.method
req_resp_dict['request']['headers'] = dict(resp_obj.request.headers)
request_body = resp_obj.request.body
if request_body:
request_content_type = lower_dict_keys(req_resp_dict['request'][
'headers']).get('content-type')
if (request_content_type and 'multipart/form-data' in
request_content_type):
req_resp_dict['request']['body'] = 'upload file stream (OMITTED)'
else:
req_resp_dict['request']['body'] = request_body
log_print(req_resp_dict, 'request')
req_resp_dict['response']['ok'] = resp_obj.ok
req_resp_dict['response']['url'] = resp_obj.url
req_resp_dict['response']['status_code'] = resp_obj.status_code
req_resp_dict['response']['reason'] = resp_obj.reason
req_resp_dict['response']['cookies'] = resp_obj.cookies or {}
req_resp_dict['response']['encoding'] = resp_obj.encoding
resp_headers = dict(resp_obj.headers)
req_resp_dict['response']['headers'] = resp_headers
lower_resp_headers = lower_dict_keys(resp_headers)
content_type = lower_resp_headers.get('content-type', '')
req_resp_dict['response']['content_type'] = content_type
if 'image' in content_type:
req_resp_dict['response']['content'] = resp_obj.content
else:
try:
req_resp_dict['response']['json'] = resp_obj.json()
except ValueError:
resp_text = resp_obj.text
req_resp_dict['response']['text'] = omit_long_data(resp_text)
log_print(req_resp_dict, 'response')
return req_resp_dict
| get_req_resp_record | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resp_obj):\n\n def x(req_resp_dict, r_type):\n msg = '\\n================== {} details ==================\\n'.format(\n r_type)\n ... |
def x(self, method, url, name=None, **kwargs):
self.init_meta_data()
self.meta_data['name'] = name
self.meta_data['data'][0]['request']['method'] = method
self.meta_data['data'][0]['request']['url'] = url
kwargs.setdefault('timeout', 120)
self.meta_data['data'][0]['request'].update(kwargs)
start_timestamp = time.time()
response = self._send_request_safe_mode(method, url, **kwargs)
response_time_ms = round((time.time() - start_timestamp) * 1000, 2)
if kwargs.get('stream', False):
content_size = int(dict(response.headers).get('content-length') or 0)
else:
content_size = len(response.content or '')
self.meta_data['stat'] = {'response_time_ms': response_time_ms,
'elapsed_ms': response.elapsed.microseconds / 1000.0,
'content_size': content_size}
response_list = response.history + [response]
self.meta_data['data'] = [self.get_req_resp_record(resp_obj) for
resp_obj in response_list]
try:
response.raise_for_status()
except RequestException as e:
logger.log_error(u'{exception}'.format(exception=str(e)))
else:
logger.log_info(
'status_code: {}, response_time(ms): {} ms, response_length: {} bytes\n'
.format(response.status_code, response_time_ms, content_size))
return response
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, url, name=None, **kwargs):\n self.init_meta_data()\n self.meta_data['name'] = name\n self.meta_data['data'][0]['request']['method'] = me... |
def x(self, method, url, **kwargs):
try:
msg = 'processed request:\n'
msg += '> {method} {url}\n'.format(method=method, url=url)
msg += '> kwargs: {kwargs}'.format(kwargs=kwargs)
logger.log_debug(msg)
return requests.Session.request(self, method, url, **kwargs)
except (MissingSchema, InvalidSchema, InvalidURL):
raise
except RequestException as ex:
resp = ApiResponse()
resp.error = ex
resp.status_code = 0
resp.request = Request(method, url).prepare()
return resp
| send_request_safe_mode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, url, **kwargs):\n try:\n msg = 'processed request:\\n'\n msg += '> {method} {url}\\n'.format(method=method, url=url)\n ms... |
def x(comparator):
if comparator in ['eq', 'equals', '==', 'is']:
return 'equals'
elif comparator in ['lt', 'less_than']:
return 'less_than'
elif comparator in ['le', 'less_than_or_equals']:
return 'less_than_or_equals'
elif comparator in ['gt', 'greater_than']:
return 'greater_than'
elif comparator in ['ge', 'greater_than_or_equals']:
return 'greater_than_or_equals'
elif comparator in ['ne', 'not_equals']:
return 'not_equals'
elif comparator in ['str_eq', 'string_equals']:
return 'string_equals'
elif comparator in ['len_eq', 'length_equals', 'count_eq']:
return 'length_equals'
elif comparator in ['len_gt', 'count_gt', 'length_greater_than',
'count_greater_than']:
return 'length_greater_than'
elif comparator in ['len_ge', 'count_ge',
'length_greater_than_or_equals', 'count_greater_than_or_equals']:
return 'length_greater_than_or_equals'
elif comparator in ['len_lt', 'count_lt', 'length_less_than',
'count_less_than']:
return 'length_less_than'
elif comparator in ['len_le', 'count_le', 'length_less_than_or_equals',
'count_less_than_or_equals']:
return 'length_less_than_or_equals'
else:
return comparator
| get_uniform_comparator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(comparator):\n if comparator in ['eq', 'equals', '==', 'is']:\n return 'equals'\n elif comparator in ['lt', 'less_than']:\n return 'less_th... |
def x(validator):
if not isinstance(validator, dict):
raise exceptions.ParamsError('invalid validator: {}'.format(validator))
if 'check' in validator and 'expect' in validator:
check_item = validator['check']
expect_value = validator['expect']
comparator = validator.get('comparator', 'eq')
elif len(validator) == 1:
comparator = list(validator.keys())[0]
compare_values = validator[comparator]
if not isinstance(compare_values, list) or len(compare_values) != 2:
raise exceptions.ParamsError('invalid validator: {}'.format(
validator))
check_item, expect_value = compare_values
else:
raise exceptions.ParamsError('invalid validator: {}'.format(validator))
comparator = get_uniform_comparator(comparator)
return {'check': check_item, 'expect': expect_value, 'comparator':
comparator}
| uniform_validator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(validator):\n if not isinstance(validator, dict):\n raise exceptions.ParamsError('invalid validator: {}'.format(validator))\n if 'check' in valida... |
def x(validators):
validators_mapping = {}
for validator in validators:
if not isinstance(validator['check'], collections.Hashable):
check = json.dumps(validator['check'])
else:
check = validator['check']
key = check, validator['comparator']
validators_mapping[key] = validator
return validators_mapping
| convert_validators_to_mapping | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(validators):\n validators_mapping = {}\n for validator in validators:\n if not isinstance(validator['check'], collections.Hashable):\n ... |
def x(raw_validators, override_validators):
if not raw_validators:
return override_validators
elif not override_validators:
return raw_validators
else:
def_validators_mapping = _convert_validators_to_mapping(raw_validators)
ref_validators_mapping = _convert_validators_to_mapping(
override_validators)
def_validators_mapping.update(ref_validators_mapping)
return list(def_validators_mapping.values())
| extend_validators | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw_validators, override_validators):\n if not raw_validators:\n return override_validators\n elif not override_validators:\n return raw_va... |
def x(tup):
name, item = tup
if callable(item):
return False
if isinstance(item, types.ModuleType):
return False
if name.startswith('_'):
return False
return True
| is_variable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tup):\n name, item = tup\n if callable(item):\n return False\n if isinstance(item, types.ModuleType):\n return False\n if name.starts... |
def x(file_list):
for json_file in set(file_list):
if not json_file.endswith('.json'):
logger.log_warning(
'Only JSON file format can be validated, skip: {}'.format(
json_file))
continue
logger.color_print('Start to validate JSON file: {}'.format(
json_file), 'GREEN')
with io.open(json_file) as stream:
try:
json.load(stream)
except ValueError as e:
raise SystemExit(e)
print('OK')
| validate_json_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_list):\n for json_file in set(file_list):\n if not json_file.endswith('.json'):\n logger.log_warning(\n 'Only JSON fil... |
def x(str_len):
return ''.join(random.choice(string.ascii_letters + string.digits) for
_ in range(str_len))
| gen_random_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(str_len):\n return ''.join(random.choice(string.ascii_letters + string.digits) for\n _ in range(str_len))\n",
"role": "user"
},
{
"conten... |
def x(str_len=13):
if isinstance(str_len, integer_types) and 0 < str_len < 17:
return builtin_str(time.time()).replace('.', '')[:str_len]
raise ParamsError('timestamp length can only between 0 and 16.')
| get_timestamp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(str_len=13):\n if isinstance(str_len, integer_types) and 0 < str_len < 17:\n return builtin_str(time.time()).replace('.', '')[:str_len]\n raise Pa... |
def x(**kwargs):
def x(file_path):
file_type = filetype.guess(file_path)
if file_type:
return file_type.mime
else:
return 'text/html'
fields_dict = {}
for key, value in kwargs.items():
if os.path.isabs(value):
_file_path = value
is_file = True
else:
global PWD
_file_path = os.path.join(PWD, value)
is_file = os.path.isfile(_file_path)
if is_file:
filename = os.path.basename(_file_path)
with open(_file_path, 'rb') as f:
mime_type = get_filetype(_file_path)
fields_dict[key] = filename, f.read(), mime_type
else:
fields_dict[key] = value
return MultipartEncoder(fields=fields_dict)
| multipart_encoder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n\n def x(file_path):\n file_type = filetype.guess(file_path)\n if file_type:\n return file_type.mime\n else:\n ... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.