source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(X, i):
if i < 0:
return np.ones([1, 1])
answ = np.ones([1, 1])
cores = tt.tensor.to_list(X)
for dim in xrange(i + 1):
answ = np.tensordot(answ, cores[dim], 1)
answ = reshape(answ, (-1, X.r[i + 1]))
return answ
| left | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(X, i):\n if i < 0:\n return np.ones([1, 1])\n answ = np.ones([1, 1])\n cores = tt.tensor.to_list(X)\n for dim in xrange(i + 1):\n answ = np.tensordot(answ, cores[dim], 1)\n answ = reshape(answ, (-1, X.r[i + 1]))\n return answ\n",
"role": "user"
},
{
"content": "left",
"role": "assistant"
}
] |
def x(X, i):
if i > X.d - 1:
return np.ones([1, 1])
answ = np.ones([1, 1])
cores = tt.tensor.to_list(X)
for dim in xrange(X.d - 1, i - 1, -1):
answ = np.tensordot(cores[dim], answ, 1)
answ = reshape(answ, (X.r[i], -1))
return answ.T
| right | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(X, i):\n if i > X.d - 1:\n return np.ones([1, 1])\n answ = np.ones([1, 1])\n cores = tt.tensor.to_list(X)\n for dim in xrange(X.d - 1, i - 1, -1):\n answ = np.tensordot(cores[dim], answ, 1)\n answ = reshape(answ, (X.r[i], -1))\n return answ.T\n",
"role": "user"
},
{
"content": "right",
"role": "assistant"
}
] |
def x(tens, i):
return reshape(tens.full(), (np.prod(tens.n[0:i + 1]), -1))
| unfolding | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tens, i):\n return reshape(tens.full(), (np.prod(tens.n[0:i + 1]), -1))\n",
"role": "user"
},
{
"content": "unfolding",
"role": "assistant"
}
] |
def x(lhs, xCore, zCore, new_lhs):
r_old_x, n, r_x = xCore.shape
num_obj, r_old_z, n, r_z = zCore.shape
for idx in range(num_obj):
for val in range(n):
for alpha_old_z in range(r_old_z):
for alpha_z in range(r_z):
for alpha_old_x in range(r_old_x):
for alpha_x in range(r_x):
curr_value = lhs[idx, alpha_old_x, alpha_old_z]
curr_value *= xCore[alpha_old_x, val, alpha_x]
curr_value *= zCore[idx, alpha_old_z, val, alpha_z]
new_lhs[idx, alpha_x, alpha_z] += curr_value
| update_lhs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lhs, xCore, zCore, new_lhs):\n r_old_x, n, r_x = xCore.shape\n num_obj, r_old_z, n, r_z = zCore.shape\n for idx in range(num_obj):\n for val in range(n):\n for alpha_old_z in range(r_old_z):\n for alpha_z in range(r_z):\n for alpha_old_x in range(r_old_x):\n for alpha_x in range(r_x):\n curr_value = lhs[idx, alpha_old_x, alpha_old_z]\n curr_value *= xCore[alpha_old_x, val, alpha_x]\n curr_value *= zCore[idx, alpha_old_z, val, alpha_z]\n new_lhs[idx, alpha_x, alpha_z] += curr_value\n",
"role": "user"
},
{
"content": "update_lhs",
"role": "assistant"
}
] |
def x(curr_rhs, xCore, zCore, new_rhs):
r_x, n, r_old_x = xCore.shape
num_obj, r_z, n, r_old_z = zCore.shape
for idx in range(num_obj):
for val in range(n):
for alpha_old_z in range(r_old_z):
for alpha_z in range(r_z):
for alpha_old_x in range(r_old_x):
for alpha_x in range(r_x):
curr_value = curr_rhs[idx, alpha_old_z, alpha_old_x
]
curr_value *= xCore[alpha_x, val, alpha_old_x]
curr_value *= zCore[idx, alpha_z, val, alpha_old_z]
new_rhs[idx, alpha_z, alpha_x] += curr_value
| update_rhs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(curr_rhs, xCore, zCore, new_rhs):\n r_x, n, r_old_x = xCore.shape\n num_obj, r_z, n, r_old_z = zCore.shape\n for idx in range(num_obj):\n for val in range(n):\n for alpha_old_z in range(r_old_z):\n for alpha_z in range(r_z):\n for alpha_old_x in range(r_old_x):\n for alpha_x in range(r_x):\n curr_value = curr_rhs[idx, alpha_old_z, alpha_old_x\n ]\n curr_value *= xCore[alpha_x, val, alpha_old_x]\n curr_value *= zCore[idx, alpha_z, val, alpha_old_z]\n new_rhs[idx, alpha_z, alpha_x] += curr_value\n",
"role": "user"
},
{
"content": "update_rhs",
"role": "assistant"
}
] |
def x(Y, delta, debug=False):
delta = delta.round(eps=0)
numDims = delta.d
assert numDims == Y.d
modeSize = delta.n
assert (modeSize == Y.n).all()
coresDelta = tt.tensor.to_list(delta)
coresY = tt.tensor.to_list(Y)
rhs = [None] * (numDims + 1)
rhs[numDims] = np.ones([1, 1])
for dim in xrange(numDims - 1, 0, -1):
coresY = cores_orthogonalization_step(coresY, dim, left_to_right=False)
r1, n, r2 = coresY[dim].shape
coreProd = np.tensordot(coresDelta[dim], coresY[dim], axes=(1, 1))
coreProd = np.transpose(coreProd, (0, 2, 1, 3))
coreProd = reshape(coreProd, (delta.r[dim] * r1, delta.r[dim + 1] * r2)
)
rhs[dim] = np.dot(coreProd, rhs[dim + 1])
if debug:
assert np.allclose(Y.full(), tt.tensor.from_list(coresY).full())
lhs = np.ones([1, 1])
s = np.ones([1, 1])
for dim in xrange(numDims):
cc = coresDelta[dim].copy()
r1, n, r2 = coresY[dim].shape
cc = np.tensordot(lhs, cc, 1)
rhs[dim + 1] = reshape(rhs[dim + 1], (delta.r[dim + 1], r2))
cc = reshape(cc, (-1, delta.r[dim + 1]))
cc = np.dot(cc, rhs[dim + 1])
if debug:
first = np.kron(np.eye(modeSize[dim]), left(tt.tensor.from_list
(coresY), dim - 1).T)
second = np.dot(first, unfolding(delta, dim))
explicit = np.dot(second, right(tt.tensor.from_list(coresY),
dim + 1))
assert np.allclose(explicit, cc)
cc += reshape(np.tensordot(s, coresY[dim], 1), (-1, Y.r[dim + 1]))
if dim < numDims - 1:
cc, rr = np.linalg.qr(cc)
cc = reshape(cc, coresY[dim].shape)
coresY[dim] = cc.copy()
if dim < numDims - 1:
coreProd = np.tensordot(coresY[dim], coresDelta[dim], axes=(1, 1))
coreProd = np.transpose(coreProd, (0, 2, 1, 3))
coreProd = reshape(coreProd, (r1 * delta.r[dim], r2 * delta.r[
dim + 1]))
lhs = reshape(lhs, (1, -1))
lhs = np.dot(lhs, coreProd)
lhs = reshape(lhs, (r2, delta.r[dim + 1]))
if dim < numDims - 1:
s = rr - np.dot(lhs, rhs[dim + 1])
if debug:
first = left(tt.tensor.from_list(coresY), dim).T
second = np.dot(first, unfolding(delta, dim))
explicit = np.dot(second, right(tt.tensor.from_list(coresY),
dim + 1))
assert np.allclose(explicit, np.dot(lhs, rhs[dim + 1]))
return tt.tensor.from_list(coresY)
| projector_splitting_add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Y, delta, debug=False):\n delta = delta.round(eps=0)\n numDims = delta.d\n assert numDims == Y.d\n modeSize = delta.n\n assert (modeSize == Y.n).all()\n coresDelta = tt.tensor.to_list(delta)\n coresY = tt.tensor.to_list(Y)\n rhs = [None] * (numDims + 1)\n rhs[numDims] = np.ones([1, 1])\n for dim in xrange(numDims - 1, 0, -1):\n coresY = cores_orthogonalization_step(coresY, dim, left_to_right=False)\n r1, n, r2 = coresY[dim].shape\n coreProd = np.tensordot(coresDelta[dim], coresY[dim], axes=(1, 1))\n coreProd = np.transpose(coreProd, (0, 2, 1, 3))\n coreProd = reshape(coreProd, (delta.r[dim] * r1, delta.r[dim + 1] * r2)\n )\n rhs[dim] = np.dot(coreProd, rhs[dim + 1])\n if debug:\n assert np.allclose(Y.full(), tt.tensor.from_list(coresY).full())\n lhs = np.ones([1, 1])\n s = np.ones([1, 1])\n for dim in xrange(numDims):\n cc = coresDelta[dim].copy()\n r1, n, r2 = coresY[dim].shape\n cc = np.tensordot(lhs, cc, 1)\n rhs[dim + 1] = reshape(rhs[dim + 1], (delta.r[dim + 1], r2))\n cc = reshape(cc, (-1, delta.r[dim + 1]))\n cc = np.dot(cc, rhs[dim + 1])\n if debug:\n first = np.kron(np.eye(modeSize[dim]), left(tt.tensor.from_list\n (coresY), dim - 1).T)\n second = np.dot(first, unfolding(delta, dim))\n explicit = np.dot(second, right(tt.tensor.from_list(coresY), \n dim + 1))\n assert np.allclose(explicit, cc)\n cc += reshape(np.tensordot(s, coresY[dim], 1), (-1, Y.r[dim + 1]))\n if dim < numDims - 1:\n cc, rr = np.linalg.qr(cc)\n cc = reshape(cc, coresY[dim].shape)\n coresY[dim] = cc.copy()\n if dim < numDims - 1:\n coreProd = np.tensordot(coresY[dim], coresDelta[dim], axes=(1, 1))\n coreProd = np.transpose(coreProd, (0, 2, 1, 3))\n coreProd = reshape(coreProd, (r1 * delta.r[dim], r2 * delta.r[\n dim + 1]))\n lhs = reshape(lhs, (1, -1))\n lhs = np.dot(lhs, coreProd)\n lhs = reshape(lhs, (r2, delta.r[dim + 1]))\n if dim < numDims - 1:\n s = rr - np.dot(lhs, rhs[dim + 1])\n if debug:\n first = left(tt.tensor.from_list(coresY), dim).T\n second = np.dot(first, unfolding(delta, dim))\n explicit = np.dot(second, right(tt.tensor.from_list(coresY),\n dim + 1))\n assert np.allclose(explicit, np.dot(lhs, rhs[dim + 1]))\n return tt.tensor.from_list(coresY)\n",
"role": "user"
},
{
"content": "projector_splitting_add",
"role": "assistant"
}
] |
def x(X, left_to_right=True):
X = X.round(eps=0)
numDims = X.d
coresX = tt.tensor.to_list(X)
if left_to_right:
for dim in xrange(0, numDims - 1):
coresX = cores_orthogonalization_step(coresX, dim,
left_to_right=left_to_right)
last_core = coresX[numDims - 1]
r1, n, r2 = last_core.shape
last_core, rr = np.linalg.qr(reshape(last_core, (-1, r2)))
coresX[numDims - 1] = reshape(last_core, (r1, n, -1))
else:
for dim in xrange(numDims - 1, 0, -1):
coresX = cores_orthogonalization_step(coresX, dim,
left_to_right=left_to_right)
last_core = coresX[0]
r1, n, r2 = last_core.shape
last_core, rr = np.linalg.qr(np.transpose(reshape(last_core, (r1, -1)))
)
coresX[0] = reshape(np.transpose(last_core), (-1, n, r2))
rr = np.transpose(rr)
return tt.tensor.from_list(coresX), rr
| tt_qr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(X, left_to_right=True):\n X = X.round(eps=0)\n numDims = X.d\n coresX = tt.tensor.to_list(X)\n if left_to_right:\n for dim in xrange(0, numDims - 1):\n coresX = cores_orthogonalization_step(coresX, dim,\n left_to_right=left_to_right)\n last_core = coresX[numDims - 1]\n r1, n, r2 = last_core.shape\n last_core, rr = np.linalg.qr(reshape(last_core, (-1, r2)))\n coresX[numDims - 1] = reshape(last_core, (r1, n, -1))\n else:\n for dim in xrange(numDims - 1, 0, -1):\n coresX = cores_orthogonalization_step(coresX, dim,\n left_to_right=left_to_right)\n last_core = coresX[0]\n r1, n, r2 = last_core.shape\n last_core, rr = np.linalg.qr(np.transpose(reshape(last_core, (r1, -1)))\n )\n coresX[0] = reshape(np.transpose(last_core), (-1, n, r2))\n rr = np.transpose(rr)\n return tt.tensor.from_list(coresX), rr\n",
"role": "user"
},
{
"content": "tt_qr",
"role": "assistant"
}
] |
def x(siz, idx):
n = len(siz)
subs = _np.empty(n)
k = _np.cumprod(siz[:-1])
k = _np.concatenate((_np.ones(1), k))
for i in xrange(n - 1, -1, -1):
subs[i] = _np.floor(idx / k[i])
idx = idx % k[i]
return subs.astype(_np.int32)
| ind2sub | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(siz, idx):\n n = len(siz)\n subs = _np.empty(n)\n k = _np.cumprod(siz[:-1])\n k = _np.concatenate((_np.ones(1), k))\n for i in xrange(n - 1, -1, -1):\n subs[i] = _np.floor(idx / k[i])\n idx = idx % k[i]\n return subs.astype(_np.int32)\n",
"role": "user"
},
{
"content": "ind2sub",
"role": "assistant"
}
] |
def x(a, b):
f = _np.frompyfunc(_fractions.gcd, 2, 1)
return f(a, b)
| gcd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n f = _np.frompyfunc(_fractions.gcd, 2, 1)\n return f(a, b)\n",
"role": "user"
},
{
"content": "gcd",
"role": "assistant"
}
] |
def x(A, y0, tau, verb=1, scheme='symm', space=8, rmax=2000, use_normest=1):
y0 = y0.round(1e-14)
ry = y0.r.copy()
if scheme is 'symm':
tp = 2
else:
tp = 1
usenrm = int(use_normest)
y = tt.vector()
if np.iscomplex(A.tt.core).any() or np.iscomplex(y0.core).any():
dyn_tt.dyn_tt.ztt_ksl(y0.d, A.n, A.m, A.tt.r, A.tt.core + 0.0j, y0.
core + 0.0j, ry, tau, rmax, 0, 10, verb, tp, space, usenrm)
y.core = dyn_tt.dyn_tt.zresult_core.copy()
else:
A.tt.core = np.real(A.tt.core)
y0.core = np.real(y0.core)
dyn_tt.dyn_tt.tt_ksl(y0.d, A.n, A.m, A.tt.r, A.tt.core, y0.core, ry,
tau, rmax, 0, 10, verb, tp, space, usenrm)
y.core = dyn_tt.dyn_tt.dresult_core.copy()
dyn_tt.dyn_tt.deallocate_result()
y.d = y0.d
y.n = A.n.copy()
y.r = ry
y.get_ps()
return y
| ksl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(A, y0, tau, verb=1, scheme='symm', space=8, rmax=2000, use_normest=1):\n y0 = y0.round(1e-14)\n ry = y0.r.copy()\n if scheme is 'symm':\n tp = 2\n else:\n tp = 1\n usenrm = int(use_normest)\n y = tt.vector()\n if np.iscomplex(A.tt.core).any() or np.iscomplex(y0.core).any():\n dyn_tt.dyn_tt.ztt_ksl(y0.d, A.n, A.m, A.tt.r, A.tt.core + 0.0j, y0.\n core + 0.0j, ry, tau, rmax, 0, 10, verb, tp, space, usenrm)\n y.core = dyn_tt.dyn_tt.zresult_core.copy()\n else:\n A.tt.core = np.real(A.tt.core)\n y0.core = np.real(y0.core)\n dyn_tt.dyn_tt.tt_ksl(y0.d, A.n, A.m, A.tt.r, A.tt.core, y0.core, ry,\n tau, rmax, 0, 10, verb, tp, space, usenrm)\n y.core = dyn_tt.dyn_tt.dresult_core.copy()\n dyn_tt.dyn_tt.deallocate_result()\n y.d = y0.d\n y.n = A.n.copy()\n y.r = ry\n y.get_ps()\n return y\n",
"role": "user"
},
{
"content": "ksl",
"role": "assistant"
}
] |
def x(A, y0, tau, verb=1, scheme='symm', space=8, rmax=2000):
y0 = y0.round(1e-14)
ry = y0.r.copy()
if scheme is 'symm':
tp = 2
else:
tp = 1
y = tt.vector()
if np.iscomplex(A.core).any() or np.iscomplex(y0.core).any():
dyn_tt.dyn_diag_tt.ztt_diag_ksl(y0.d, A.n, A.r, A.core + 0.0j, y0.
core + 0.0j, ry, tau, rmax, 0, 10, verb, tp, space)
y.core = dyn_tt.dyn_diag_tt.zresult_core.copy()
else:
A.core = np.real(A.core)
y0.core = np.real(y0.core)
dyn_tt.dyn_diag_tt.dtt_diag_ksl(y0.d, A.n, A.r, A.core, y0.core, ry,
tau, rmax, 0, 10, verb, tp, space)
y.core = dyn_tt.dyn_diag_tt.dresult_core.copy()
dyn_tt.dyn_diag_tt.deallocate_result()
y.d = y0.d
y.n = A.n.copy()
y.r = ry
y.get_ps()
return y
| diag_ksl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(A, y0, tau, verb=1, scheme='symm', space=8, rmax=2000):\n y0 = y0.round(1e-14)\n ry = y0.r.copy()\n if scheme is 'symm':\n tp = 2\n else:\n tp = 1\n y = tt.vector()\n if np.iscomplex(A.core).any() or np.iscomplex(y0.core).any():\n dyn_tt.dyn_diag_tt.ztt_diag_ksl(y0.d, A.n, A.r, A.core + 0.0j, y0.\n core + 0.0j, ry, tau, rmax, 0, 10, verb, tp, space)\n y.core = dyn_tt.dyn_diag_tt.zresult_core.copy()\n else:\n A.core = np.real(A.core)\n y0.core = np.real(y0.core)\n dyn_tt.dyn_diag_tt.dtt_diag_ksl(y0.d, A.n, A.r, A.core, y0.core, ry,\n tau, rmax, 0, 10, verb, tp, space)\n y.core = dyn_tt.dyn_diag_tt.dresult_core.copy()\n dyn_tt.dyn_diag_tt.deallocate_result()\n y.d = y0.d\n y.n = A.n.copy()\n y.r = ry\n y.get_ps()\n return y\n",
"role": "user"
},
{
"content": "diag_ksl",
"role": "assistant"
}
] |
def x(A, f, x0, eps, kickrank=4, nswp=20, local_prec='n', local_iters=2,
local_restart=40, trunc_norm=1, max_full_size=50, verb=1):
m = A.m.copy()
rx0 = x0.r.copy()
psx0 = x0.ps.copy()
if A.is_complex or f.is_complex:
amen_f90.amen_f90.ztt_amen_wrapper(f.d, A.n, m, A.tt.r, A.tt.ps, A.
tt.core, f.r, f.ps, f.core, rx0, psx0, x0.core, eps, kickrank,
nswp, local_iters, local_restart, trunc_norm, max_full_size,
verb, local_prec)
else:
if x0.is_complex:
x0 = x0.real()
rx0 = x0.r.copy()
psx0 = x0.ps.copy()
amen_f90.amen_f90.dtt_amen_wrapper(f.d, A.n, m, A.tt.r, A.tt.ps, A.
tt.core, f.r, f.ps, f.core, rx0, psx0, x0.core, eps, kickrank,
nswp, local_iters, local_restart, trunc_norm, max_full_size,
verb, local_prec)
x = tt.tensor()
x.d = f.d
x.n = m.copy()
x.r = rx0
if A.is_complex or f.is_complex:
x.core = amen_f90.amen_f90.zcore.copy()
else:
x.core = amen_f90.amen_f90.core.copy()
amen_f90.amen_f90.deallocate_result()
x.get_ps()
return tt.vector.from_list(tt.tensor.to_list(x))
| amen_solve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(A, f, x0, eps, kickrank=4, nswp=20, local_prec='n', local_iters=2,\n local_restart=40, trunc_norm=1, max_full_size=50, verb=1):\n m = A.m.copy()\n rx0 = x0.r.copy()\n psx0 = x0.ps.copy()\n if A.is_complex or f.is_complex:\n amen_f90.amen_f90.ztt_amen_wrapper(f.d, A.n, m, A.tt.r, A.tt.ps, A.\n tt.core, f.r, f.ps, f.core, rx0, psx0, x0.core, eps, kickrank,\n nswp, local_iters, local_restart, trunc_norm, max_full_size,\n verb, local_prec)\n else:\n if x0.is_complex:\n x0 = x0.real()\n rx0 = x0.r.copy()\n psx0 = x0.ps.copy()\n amen_f90.amen_f90.dtt_amen_wrapper(f.d, A.n, m, A.tt.r, A.tt.ps, A.\n tt.core, f.r, f.ps, f.core, rx0, psx0, x0.core, eps, kickrank,\n nswp, local_iters, local_restart, trunc_norm, max_full_size,\n verb, local_prec)\n x = tt.tensor()\n x.d = f.d\n x.n = m.copy()\n x.r = rx0\n if A.is_complex or f.is_complex:\n x.core = amen_f90.amen_f90.zcore.copy()\n else:\n x.core = amen_f90.amen_f90.core.copy()\n amen_f90.amen_f90.deallocate_result()\n x.get_ps()\n return tt.vector.from_list(tt.tensor.to_list(x))\n",
"role": "user"
},
{
"content": "amen_solve",
"role": "assistant"
}
] |
def x(self):
mycrs = matrix.to_list(self)
trans_crs = []
for cr in mycrs:
trans_crs.append(_np.transpose(cr, [0, 2, 1, 3]))
return matrix.from_list(trans_crs)
| T | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mycrs = matrix.to_list(self)\n trans_crs = []\n for cr in mycrs:\n trans_crs.append(_np.transpose(cr, [0, 2, 1, 3]))\n return matrix.from_list(trans_crs)\n",
"role": "user"
},
{
"content": "T",
"role": "assistant"
}
] |
def x(self):
return matrix(self.tt.real(), n=self.n, m=self.m)
| real | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return matrix(self.tt.real(), n=self.n, m=self.m)\n",
"role": "user"
},
{
"content": "real",
"role": "assistant"
}
] |
def x(self):
return matrix(self.tt.imag(), n=self.n, m=self.m)
| imag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return matrix(self.tt.imag(), n=self.n, m=self.m)\n",
"role": "user"
},
{
"content": "imag",
"role": "assistant"
}
] |
def x(self):
return matrix(a=self.tt.__complex_op('M'), n=_np.concatenate((self.n, [
2])), m=_np.concatenate((self.m, [2])))
| c2r | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return matrix(a=self.tt.__complex_op('M'), n=_np.concatenate((self.n, [\n 2])), m=_np.concatenate((self.m, [2])))\n",
"role": "user"
},
{
"content": "c2r",
"role": "assistant"
}
] |
def x(self, eps=1e-14, rmax=100000):
c = matrix()
c.tt = self.tt.round(eps, rmax)
c.n = self.n.copy()
c.m = self.m.copy()
return c
| round | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, eps=1e-14, rmax=100000):\n c = matrix()\n c.tt = self.tt.round(eps, rmax)\n c.n = self.n.copy()\n c.m = self.m.copy()\n return c\n",
"role": "user"
},
{
"content": "round",
"role": "assistant"
}
] |
def x(self):
c = matrix()
c.tt = self.tt.copy()
c.n = self.n.copy()
c.m = self.m.copy()
return c
| copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n c = matrix()\n c.tt = self.tt.copy()\n c.n = self.n.copy()\n c.m = self.m.copy()\n return c\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(self):
N = self.n.prod()
M = self.m.prod()
a = self.tt.full()
d = self.tt.d
sz = _np.vstack((self.n, self.m)).flatten('F')
a = a.reshape(sz, order='F')
prm = _np.arange(2 * d)
prm = prm.reshape((d, 2), order='F')
prm = prm.transpose()
prm = prm.flatten('F')
iprm = [0] * (2 * d)
for i in xrange(2 * d):
iprm[prm[i]] = i
a = a.transpose(iprm).reshape(N, M, order='F')
a = a.reshape(N, M)
return a
| full | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n N = self.n.prod()\n M = self.m.prod()\n a = self.tt.full()\n d = self.tt.d\n sz = _np.vstack((self.n, self.m)).flatten('F')\n a = a.reshape(sz, order='F')\n prm = _np.arange(2 * d)\n prm = prm.reshape((d, 2), order='F')\n prm = prm.transpose()\n prm = prm.flatten('F')\n iprm = [0] * (2 * d)\n for i in xrange(2 * d):\n iprm[prm[i]] = i\n a = a.transpose(iprm).reshape(N, M, order='F')\n a = a.reshape(N, M)\n return a\n",
"role": "user"
},
{
"content": "full",
"role": "assistant"
}
] |
def x(A, tol=None, tol2=1e-07):
R2 = _np.dot(_tconj(A), A)
[u, s, vt] = _np.linalg.svd(R2, full_matrices=False)
u = _np.dot(A, _tconj(vt))
s = (u ** 2).sum(axis=0)
s = s ** 0.5
if tol is not None:
p = _my_chop2(s, _np.linalg.norm(s) * tol)
u = u[:, :p]
s = s[:p]
vt = vt[:p, :]
tmp = _spdiags(1.0 / s, 0, len(s), len(s)).todense()
tmp = _np.array(tmp)
u = _np.dot(u, tmp)
r = _np.dot(_np.diag(s), vt)
if s[0] / s[-1] > 1.0 / tol2:
p = 1
while p > 0:
R2 = _np.dot(_tconj(u), u)
R = _cholesky(R2, lower=True)
if p > 0:
u = u[:, :p]
s = s[:p]
r = r[:p, :]
iR = _np.linalg.inv(R)
u = _np.dot(u, iR)
r = _np.dot(R, r)
return u, s, r
| svdgram | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(A, tol=None, tol2=1e-07):\n R2 = _np.dot(_tconj(A), A)\n [u, s, vt] = _np.linalg.svd(R2, full_matrices=False)\n u = _np.dot(A, _tconj(vt))\n s = (u ** 2).sum(axis=0)\n s = s ** 0.5\n if tol is not None:\n p = _my_chop2(s, _np.linalg.norm(s) * tol)\n u = u[:, :p]\n s = s[:p]\n vt = vt[:p, :]\n tmp = _spdiags(1.0 / s, 0, len(s), len(s)).todense()\n tmp = _np.array(tmp)\n u = _np.dot(u, tmp)\n r = _np.dot(_np.diag(s), vt)\n if s[0] / s[-1] > 1.0 / tol2:\n p = 1\n while p > 0:\n R2 = _np.dot(_tconj(u), u)\n R = _cholesky(R2, lower=True)\n if p > 0:\n u = u[:, :p]\n s = s[:p]\n r = r[:p, :]\n iR = _np.linalg.inv(R)\n u = _np.dot(u, iR)\n r = _np.dot(R, r)\n return u, s, r\n",
"role": "user"
},
{
"content": "svdgram",
"role": "assistant"
}
] |
def x(Phi_prev, x, y, direction, A=None, extnrm=None, return_norm=True):
[rx1, n, rx2] = x.shape
[ry1, m, ry2] = y.shape
if A is not None:
if isinstance(A, list):
ra = len(A)
else:
[ra1, ra2] = A.shape
ra1 = ra1 // n
ra2 = ra2 // m
else:
[ra1, ra2] = [1, 1]
if isinstance(Phi_prev, list):
Phi = [None] * ra
if return_norm:
nrm = 0
if direction == 'lr':
x = _reshape(x, (rx1, n * rx2))
y = _reshape(y, (ry1 * m, ry2))
for i in xrange(ra):
Phi[i] = _np.dot(_tconj(x), Phi_prev[i])
Phi[i] = _reshape(Phi[i], (n, rx2 * ry1))
Phi[i] = Phi[i].T
Phi[i] = _np.dot(Phi[i], A[i])
Phi[i] = _reshape(Phi[i], (rx2, ry1 * m))
Phi[i] = _np.dot(Phi[i], y)
if return_norm:
nrm = max(nrm, _np.linalg.norm(Phi[i]))
else:
y = _reshape(y, (ry1, m * ry2))
x = _reshape(x, (rx1 * n, rx2))
for i in xrange(ra):
Phi[i] = _np.dot(Phi_prev[i], x.T)
Phi[i] = _reshape(Phi[i], (ry2 * rx1, n))
Phi[i] = _np.dot(Phi[i], A[i])
Phi[i] = Phi[i].T
Phi[i] = _reshape(Phi[i], (m * ry2, rx1))
Phi[i] = _np.dot(y, Phi[i])
if return_norm:
nrm = max(nrm, _np.linalg.norm(Phi[i]))
if return_norm:
if nrm > 0:
for i in xrange(ra):
Phi[i] = Phi[i] / nrm
else:
nrm = 1
elif extnrm is not None:
for i in xrange(ra):
Phi[i] = Phi[i] / extnrm
else:
if direction == 'lr':
x = _reshape(x, (rx1, n * rx2))
Phi = _reshape(Phi_prev, (rx1, ry1 * ra1))
Phi = _np.dot(_tconj(x), Phi)
if A is not None:
Phi = _reshape(Phi, (n * rx2 * ry1, ra1))
Phi = Phi.T
Phi = _reshape(Phi, (ra1 * n, rx2 * ry1))
Phi = _np.dot(A.T, Phi)
Phi = _reshape(Phi, (m, ra2 * rx2 * ry1))
else:
Phi = _reshape(Phi, (n, rx2 * ry1))
Phi = Phi.T
Phi = _reshape(Phi, (ra2 * rx2, ry1 * m))
y = _reshape(y, (ry1 * m, ry2))
Phi = _np.dot(Phi, y)
if A is not None:
Phi = _reshape(Phi, (ra2, rx2 * ry2))
Phi = Phi.T
Phi = _reshape(Phi, (rx2, ry2, ra2))
else:
Phi = _reshape(Phi, (rx2, ry2))
else:
y = _reshape(y, (ry1 * m, ry2))
Phi = _reshape(Phi_prev, (ry2, ra2 * rx2))
Phi = _np.dot(y, Phi)
if A is not None:
Phi = _reshape(Phi, (ry1, m * ra2 * rx2))
Phi = Phi.T
Phi = _reshape(Phi, (m * ra2, rx2 * ry1))
Phi = _np.dot(A, Phi)
Phi = _reshape(Phi, (ra1 * n * rx2, ry1))
Phi = Phi.T
Phi = _reshape(Phi, (ry1 * ra1, n * rx2))
x = _reshape(x, (rx1, n * rx2))
Phi = _np.dot(Phi, _tconj(x))
if A is not None:
Phi = _reshape(Phi, (ry1, ra1, rx1))
else:
Phi = _reshape(Phi, (ry1, rx1))
if return_norm:
nrm = _np.linalg.norm(Phi)
if nrm > 0:
Phi = Phi / nrm
else:
nrm = 1
elif extnrm is not None:
Phi = Phi / extnrm
if return_norm:
return Phi, nrm
else:
return Phi
| compute_next_Phi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Phi_prev, x, y, direction, A=None, extnrm=None, return_norm=True):\n [rx1, n, rx2] = x.shape\n [ry1, m, ry2] = y.shape\n if A is not None:\n if isinstance(A, list):\n ra = len(A)\n else:\n [ra1, ra2] = A.shape\n ra1 = ra1 // n\n ra2 = ra2 // m\n else:\n [ra1, ra2] = [1, 1]\n if isinstance(Phi_prev, list):\n Phi = [None] * ra\n if return_norm:\n nrm = 0\n if direction == 'lr':\n x = _reshape(x, (rx1, n * rx2))\n y = _reshape(y, (ry1 * m, ry2))\n for i in xrange(ra):\n Phi[i] = _np.dot(_tconj(x), Phi_prev[i])\n Phi[i] = _reshape(Phi[i], (n, rx2 * ry1))\n Phi[i] = Phi[i].T\n Phi[i] = _np.dot(Phi[i], A[i])\n Phi[i] = _reshape(Phi[i], (rx2, ry1 * m))\n Phi[i] = _np.dot(Phi[i], y)\n if return_norm:\n nrm = max(nrm, _np.linalg.norm(Phi[i]))\n else:\n y = _reshape(y, (ry1, m * ry2))\n x = _reshape(x, (rx1 * n, rx2))\n for i in xrange(ra):\n Phi[i] = _np.dot(Phi_prev[i], x.T)\n Phi[i] = _reshape(Phi[i], (ry2 * rx1, n))\n Phi[i] = _np.dot(Phi[i], A[i])\n Phi[i] = Phi[i].T\n Phi[i] = _reshape(Phi[i], (m * ry2, rx1))\n Phi[i] = _np.dot(y, Phi[i])\n if return_norm:\n nrm = max(nrm, _np.linalg.norm(Phi[i]))\n if return_norm:\n if nrm > 0:\n for i in xrange(ra):\n Phi[i] = Phi[i] / nrm\n else:\n nrm = 1\n elif extnrm is not None:\n for i in xrange(ra):\n Phi[i] = Phi[i] / extnrm\n else:\n if direction == 'lr':\n x = _reshape(x, (rx1, n * rx2))\n Phi = _reshape(Phi_prev, (rx1, ry1 * ra1))\n Phi = _np.dot(_tconj(x), Phi)\n if A is not None:\n Phi = _reshape(Phi, (n * rx2 * ry1, ra1))\n Phi = Phi.T\n Phi = _reshape(Phi, (ra1 * n, rx2 * ry1))\n Phi = _np.dot(A.T, Phi)\n Phi = _reshape(Phi, (m, ra2 * rx2 * ry1))\n else:\n Phi = _reshape(Phi, (n, rx2 * ry1))\n Phi = Phi.T\n Phi = _reshape(Phi, (ra2 * rx2, ry1 * m))\n y = _reshape(y, (ry1 * m, ry2))\n Phi = _np.dot(Phi, y)\n if A is not None:\n Phi = _reshape(Phi, (ra2, rx2 * ry2))\n Phi = Phi.T\n Phi = _reshape(Phi, (rx2, ry2, ra2))\n else:\n Phi = _reshape(Phi, (rx2, ry2))\n else:\n y = _reshape(y, (ry1 * m, ry2))\n Phi = _reshape(Phi_prev, (ry2, ra2 * rx2))\n Phi = _np.dot(y, Phi)\n if A is not None:\n Phi = _reshape(Phi, (ry1, m * ra2 * rx2))\n Phi = Phi.T\n Phi = _reshape(Phi, (m * ra2, rx2 * ry1))\n Phi = _np.dot(A, Phi)\n Phi = _reshape(Phi, (ra1 * n * rx2, ry1))\n Phi = Phi.T\n Phi = _reshape(Phi, (ry1 * ra1, n * rx2))\n x = _reshape(x, (rx1, n * rx2))\n Phi = _np.dot(Phi, _tconj(x))\n if A is not None:\n Phi = _reshape(Phi, (ry1, ra1, rx1))\n else:\n Phi = _reshape(Phi, (ry1, rx1))\n if return_norm:\n nrm = _np.linalg.norm(Phi)\n if nrm > 0:\n Phi = Phi / nrm\n else:\n nrm = 1\n elif extnrm is not None:\n Phi = Phi / extnrm\n if return_norm:\n return Phi, nrm\n else:\n return Phi\n",
"role": "user"
},
{
"content": "compute_next_Phi",
"role": "assistant"
}
] |
def x(a, order='F'):
d = len(a)
res = vector()
n = _np.zeros(d, dtype=_np.int32)
r = _np.zeros(d + 1, dtype=_np.int32)
cr = _np.array([])
for i in xrange(d):
cr = _np.concatenate((cr, a[i].flatten(order)))
r[i] = a[i].shape[0]
r[i + 1] = a[i].shape[2]
n[i] = a[i].shape[1]
res.d = d
res.n = n
res.r = r
res.core = cr
res.get_ps()
return res
| from_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, order='F'):\n d = len(a)\n res = vector()\n n = _np.zeros(d, dtype=_np.int32)\n r = _np.zeros(d + 1, dtype=_np.int32)\n cr = _np.array([])\n for i in xrange(d):\n cr = _np.concatenate((cr, a[i].flatten(order)))\n r[i] = a[i].shape[0]\n r[i + 1] = a[i].shape[2]\n n[i] = a[i].shape[1]\n res.d = d\n res.n = n\n res.r = r\n res.core = cr\n res.get_ps()\n return res\n",
"role": "user"
},
{
"content": "from_list",
"role": "assistant"
}
] |
def x(self):
r = self.r
n = self.n
d = self.d
if d <= 1:
er = 0.0
else:
sz = _np.dot(n * r[0:d], r[1:])
if sz == 0:
er = 0.0
else:
b = r[0] * n[0] + n[d - 1] * r[d]
if d is 2:
er = sz * 1.0 / b
else:
a = _np.sum(n[1:d - 1])
er = (_np.sqrt(b * b + 4 * a * sz) - b) / (2 * a)
return er
| erank | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n r = self.r\n n = self.n\n d = self.d\n if d <= 1:\n er = 0.0\n else:\n sz = _np.dot(n * r[0:d], r[1:])\n if sz == 0:\n er = 0.0\n else:\n b = r[0] * n[0] + n[d - 1] * r[d]\n if d is 2:\n er = sz * 1.0 / b\n else:\n a = _np.sum(n[1:d - 1])\n er = (_np.sqrt(b * b + 4 * a * sz) - b) / (2 * a)\n return er\n",
"role": "user"
},
{
"content": "erank",
"role": "assistant"
}
] |
def x(self):
tmp = self.copy()
newcore = _np.array(tmp.core, dtype=_np.complex)
cr = newcore[tmp.ps[-2] - 1:tmp.ps[-1] - 1]
cr = cr.reshape((tmp.r[-2], tmp.n[-1], tmp.r[-1]), order='F')
cr[:, 1, :] *= 1.0j
newcore[tmp.ps[-2] - 1:tmp.ps[-1] - 1] = cr.flatten('F')
tmp.core = newcore
return sum(tmp, axis=tmp.d - 1)
| r2c | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n tmp = self.copy()\n newcore = _np.array(tmp.core, dtype=_np.complex)\n cr = newcore[tmp.ps[-2] - 1:tmp.ps[-1] - 1]\n cr = cr.reshape((tmp.r[-2], tmp.n[-1], tmp.r[-1]), order='F')\n cr[:, 1, :] *= 1.0j\n newcore[tmp.ps[-2] - 1:tmp.ps[-1] - 1] = cr.flatten('F')\n tmp.core = newcore\n return sum(tmp, axis=tmp.d - 1)\n",
"role": "user"
},
{
"content": "r2c",
"role": "assistant"
}
] |
def x(self, asvector=False):
sz = self.n.copy()
if self.r[0] > 1:
sz = _np.concatenate(([self.r[0]], sz))
if self.r[self.d] > 1:
sz = _np.concatenate(([self.r[self.d]], sz))
if _np.iscomplex(self.core).any():
a = _tt_f90.tt_f90.ztt_to_full(self.n, self.r, self.ps, self.core,
_np.prod(sz))
else:
a = _tt_f90.tt_f90.dtt_to_full(self.n, self.r, self.ps, _np.real(
self.core), _np.prod(sz))
a = a.reshape(sz, order='F')
if asvector:
a = a.flatten(order='F')
return a
| full | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, asvector=False):\n sz = self.n.copy()\n if self.r[0] > 1:\n sz = _np.concatenate(([self.r[0]], sz))\n if self.r[self.d] > 1:\n sz = _np.concatenate(([self.r[self.d]], sz))\n if _np.iscomplex(self.core).any():\n a = _tt_f90.tt_f90.ztt_to_full(self.n, self.r, self.ps, self.core,\n _np.prod(sz))\n else:\n a = _tt_f90.tt_f90.dtt_to_full(self.n, self.r, self.ps, _np.real(\n self.core), _np.prod(sz))\n a = a.reshape(sz, order='F')\n if asvector:\n a = a.flatten(order='F')\n return a\n",
"role": "user"
},
{
"content": "full",
"role": "assistant"
}
] |
def x(self, eps=1e-14, rmax=1000000):
c = vector()
c.n = _np.copy(self.n)
c.d = self.d
c.r = _np.copy(self.r)
c.ps = _np.copy(self.ps)
if _np.iscomplex(self.core).any():
_tt_f90.tt_f90.ztt_compr2(c.n, c.r, c.ps, self.core, eps, rmax)
c.core = _tt_f90.tt_f90.zcore.copy()
else:
_tt_f90.tt_f90.dtt_compr2(c.n, c.r, c.ps, self.core, eps, rmax)
c.core = _tt_f90.tt_f90.core.copy()
_tt_f90.tt_f90.tt_dealloc()
return c
| round | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, eps=1e-14, rmax=1000000):\n c = vector()\n c.n = _np.copy(self.n)\n c.d = self.d\n c.r = _np.copy(self.r)\n c.ps = _np.copy(self.ps)\n if _np.iscomplex(self.core).any():\n _tt_f90.tt_f90.ztt_compr2(c.n, c.r, c.ps, self.core, eps, rmax)\n c.core = _tt_f90.tt_f90.zcore.copy()\n else:\n _tt_f90.tt_f90.dtt_compr2(c.n, c.r, c.ps, self.core, eps, rmax)\n c.core = _tt_f90.tt_f90.core.copy()\n _tt_f90.tt_f90.tt_dealloc()\n return c\n",
"role": "user"
},
{
"content": "round",
"role": "assistant"
}
] |
def x(self):
if not _np.all(self.n):
return 0
a = _np.sum(self.n[1:-1])
b = self.n[0] + self.n[-1]
c = -_np.sum(self.n * self.r[1:] * self.r[:-1])
D = b ** 2 - 4 * a * c
r = 0.5 * (-b + _np.sqrt(D)) / a
return r
| rmean | [
{
"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 _np.all(self.n):\n return 0\n a = _np.sum(self.n[1:-1])\n b = self.n[0] + self.n[-1]\n c = -_np.sum(self.n * self.r[1:] * self.r[:-1])\n D = b ** 2 - 4 * a * c\n r = 0.5 * (-b + _np.sqrt(D)) / a\n return r\n",
"role": "user"
},
{
"content": "rmean",
"role": "assistant"
}
] |
def x(self, tol, inverse=False, bitReverse=True):
d = self.d
r = self.r.copy()
y = self.to_list(self)
if inverse:
twiddle = -1 + 1.22e-16j
else:
twiddle = -1 - 1.22e-16j
for i in range(d - 1, 0, -1):
r1 = y[i].shape[0]
r2 = y[i].shape[2]
crd2 = _np.zeros((r1, 2, r2), order='F', dtype=complex)
crd2[:, 0, :] = (y[i][:, 0, :] + y[i][:, 1, :]) / _np.sqrt(2)
crd2[:, 1, :] = (y[i][:, 0, :] - y[i][:, 1, :]) / _np.sqrt(2)
y[i] = _np.zeros((r1 * 2, 2, r2), order='F', dtype=complex)
y[i][0:r1, 0, 0:r2] = crd2[:, 0, :]
y[i][r1:r1 * 2, 1, 0:r2] = crd2[:, 1, :]
rv = 1
for j in range(0, i):
cr = y[j]
r1 = cr.shape[0]
r2 = cr.shape[2]
if j == 0:
r[j] = r1
r[j + 1] = r2 * 2
y[j] = _np.zeros((r[j], 2, r[j + 1]), order='F', dtype=complex)
y[j][0:r1, :, 0:r2] = cr
y[j][0:r1, 0, r2:r[j + 1]] = cr[:, 0, :]
y[j][0:r1, 1, r2:r[j + 1]] = twiddle ** (1.0 / 2 ** (i - j)
) * cr[:, 1, :]
else:
r[j] = r1 * 2
r[j + 1] = r2 * 2
y[j] = _np.zeros((r[j], 2, r[j + 1]), order='F', dtype=complex)
y[j][0:r1, :, 0:r2] = cr
y[j][r1:r[j], 0, r2:r[j + 1]] = cr[:, 0, :]
y[j][r1:r[j], 1, r2:r[j + 1]] = twiddle ** (1.0 / 2 ** (i - j)
) * cr[:, 1, :]
y[j] = _np.reshape(y[j], (r[j], 2 * r[j + 1]), order='F')
y[j] = _np.dot(rv, y[j])
r[j] = y[j].shape[0]
y[j] = _np.reshape(y[j], (2 * r[j], r[j + 1]), order='F')
y[j], rv = _np.linalg.qr(y[j])
y[j] = _np.reshape(y[j], (r[j], 2, rv.shape[0]), order='F')
y[i] = _np.reshape(y[i], (r[i], 2 * r[i + 1]), order='F')
y[i] = _np.dot(rv, y[i])
r[i] = rv.shape[0]
for j in range(i, 0, -1):
u, s, v = _np.linalg.svd(y[j], full_matrices=False)
rnew = my_chop2(s, _np.linalg.norm(s) * tol / _np.sqrt(i))
u = _np.dot(u[:, 0:rnew], _np.diag(s[0:rnew]))
v = v[0:rnew, :]
y[j] = _np.reshape(v, (rnew, 2, r[j + 1]), order='F')
y[j - 1] = _np.reshape(y[j - 1], (r[j - 1] * 2, r[j]), order='F')
y[j - 1] = _np.dot(y[j - 1], u)
r[j] = rnew
y[j - 1] = _np.reshape(y[j - 1], (r[j - 1], r[j] * 2), order='F')
y[0] = _np.reshape(y[0], (r[0], 2, r[1]), order='F')
y[0] = _np.transpose(y[0], (1, 0, 2))
y[0] = _np.reshape(y[0], (2, r[0] * r[1]), order='F')
y[0] = _np.dot(_np.array([[1, 1], [1, -1]]), y[0]) / _np.sqrt(2)
y[0] = _np.reshape(y[0], (2, r[0], r[1]), order='F')
y[0] = _np.transpose(y[0], (1, 0, 2))
if bitReverse:
y2 = [None] * d
for i in range(d):
y2[d - i - 1] = _np.transpose(y[i], (2, 1, 0))
y = self.from_list(y2)
else:
y = self.from_list(y)
return y
| qtt_fft1 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tol, inverse=False, bitReverse=True):\n d = self.d\n r = self.r.copy()\n y = self.to_list(self)\n if inverse:\n twiddle = -1 + 1.22e-16j\n else:\n twiddle = -1 - 1.22e-16j\n for i in range(d - 1, 0, -1):\n r1 = y[i].shape[0]\n r2 = y[i].shape[2]\n crd2 = _np.zeros((r1, 2, r2), order='F', dtype=complex)\n crd2[:, 0, :] = (y[i][:, 0, :] + y[i][:, 1, :]) / _np.sqrt(2)\n crd2[:, 1, :] = (y[i][:, 0, :] - y[i][:, 1, :]) / _np.sqrt(2)\n y[i] = _np.zeros((r1 * 2, 2, r2), order='F', dtype=complex)\n y[i][0:r1, 0, 0:r2] = crd2[:, 0, :]\n y[i][r1:r1 * 2, 1, 0:r2] = crd2[:, 1, :]\n rv = 1\n for j in range(0, i):\n cr = y[j]\n r1 = cr.shape[0]\n r2 = cr.shape[2]\n if j == 0:\n r[j] = r1\n r[j + 1] = r2 * 2\n y[j] = _np.zeros((r[j], 2, r[j + 1]), order='F', dtype=complex)\n y[j][0:r1, :, 0:r2] = cr\n y[j][0:r1, 0, r2:r[j + 1]] = cr[:, 0, :]\n y[j][0:r1, 1, r2:r[j + 1]] = twiddle ** (1.0 / 2 ** (i - j)\n ) * cr[:, 1, :]\n else:\n r[j] = r1 * 2\n r[j + 1] = r2 * 2\n y[j] = _np.zeros((r[j], 2, r[j + 1]), order='F', dtype=complex)\n y[j][0:r1, :, 0:r2] = cr\n y[j][r1:r[j], 0, r2:r[j + 1]] = cr[:, 0, :]\n y[j][r1:r[j], 1, r2:r[j + 1]] = twiddle ** (1.0 / 2 ** (i - j)\n ) * cr[:, 1, :]\n y[j] = _np.reshape(y[j], (r[j], 2 * r[j + 1]), order='F')\n y[j] = _np.dot(rv, y[j])\n r[j] = y[j].shape[0]\n y[j] = _np.reshape(y[j], (2 * r[j], r[j + 1]), order='F')\n y[j], rv = _np.linalg.qr(y[j])\n y[j] = _np.reshape(y[j], (r[j], 2, rv.shape[0]), order='F')\n y[i] = _np.reshape(y[i], (r[i], 2 * r[i + 1]), order='F')\n y[i] = _np.dot(rv, y[i])\n r[i] = rv.shape[0]\n for j in range(i, 0, -1):\n u, s, v = _np.linalg.svd(y[j], full_matrices=False)\n rnew = my_chop2(s, _np.linalg.norm(s) * tol / _np.sqrt(i))\n u = _np.dot(u[:, 0:rnew], _np.diag(s[0:rnew]))\n v = v[0:rnew, :]\n y[j] = _np.reshape(v, (rnew, 2, r[j + 1]), order='F')\n y[j - 1] = _np.reshape(y[j - 1], (r[j - 1] * 2, r[j]), order='F')\n y[j - 1] = _np.dot(y[j - 1], u)\n r[j] = rnew\n y[j - 1] = _np.reshape(y[j - 1], (r[j - 1], r[j] * 2), order='F')\n y[0] = _np.reshape(y[0], (r[0], 2, r[1]), order='F')\n y[0] = _np.transpose(y[0], (1, 0, 2))\n y[0] = _np.reshape(y[0], (2, r[0] * r[1]), order='F')\n y[0] = _np.dot(_np.array([[1, 1], [1, -1]]), y[0]) / _np.sqrt(2)\n y[0] = _np.reshape(y[0], (2, r[0], r[1]), order='F')\n y[0] = _np.transpose(y[0], (1, 0, 2))\n if bitReverse:\n y2 = [None] * d\n for i in range(d):\n y2[d - i - 1] = _np.transpose(y[i], (2, 1, 0))\n y = self.from_list(y2)\n else:\n y = self.from_list(y)\n return y\n",
"role": "user"
},
{
"content": "qtt_fft1",
"role": "assistant"
}
] |
def x(A, y0, eps, rmax=150, nswp=20, max_full_size=1000, verb=1):
ry = y0.r.copy()
lam = tt_eigb.tt_block_eig.tt_eigb(y0.d, A.n, A.m, A.tt.r, A.tt.core,
y0.core, ry, eps, rmax, ry[y0.d], 0, nswp, max_full_size, verb)
y = tensor()
y.d = y0.d
y.n = A.n.copy()
y.r = ry
y.core = tt_eigb.tt_block_eig.result_core.copy()
tt_eigb.tt_block_eig.deallocate_result()
y.get_ps()
return y, lam
| eigb | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(A, y0, eps, rmax=150, nswp=20, max_full_size=1000, verb=1):\n ry = y0.r.copy()\n lam = tt_eigb.tt_block_eig.tt_eigb(y0.d, A.n, A.m, A.tt.r, A.tt.core,\n y0.core, ry, eps, rmax, ry[y0.d], 0, nswp, max_full_size, verb)\n y = tensor()\n y.d = y0.d\n y.n = A.n.copy()\n y.r = ry\n y.core = tt_eigb.tt_block_eig.result_core.copy()\n tt_eigb.tt_block_eig.deallocate_result()\n y.get_ps()\n return y, lam\n",
"role": "user"
},
{
"content": "eigb",
"role": "assistant"
}
] |
def x(A, u_0, b, eps=1e-06, maxit=100, m=20, _iteration=0, callback=None,
verbose=0):
maxitexceeded = False
converged = False
if verbose:
print('GMRES(m=%d, _iteration=%d, maxit=%d)' % (m, _iteration, maxit))
v = np.ones(m + 1, dtype=object) * np.nan
R = np.ones((m, m)) * np.nan
g = np.zeros(m)
s = np.ones(m) * np.nan
c = np.ones(m) * np.nan
v[0] = b - A(u_0, eps=eps)
v[0] = v[0].round(eps)
resnorm = v[0].norm()
curr_beta = resnorm
bnorm = b.norm()
wlen = resnorm
q = m
for j in range(m):
_iteration += 1
delta = eps / (curr_beta / resnorm)
if verbose:
print('it = %d delta = ' % _iteration, delta)
v[j] *= 1.0 / wlen
v[j + 1] = A(v[j], eps=delta)
for i in range(j + 1):
R[i, j] = tt.dot(v[j + 1], v[i])
v[j + 1] = v[j + 1] - R[i, j] * v[i]
v[j + 1] = v[j + 1].round(delta)
wlen = v[j + 1].norm()
for i in range(j):
r1 = R[i, j]
r2 = R[i + 1, j]
R[i, j] = c[i] * r1 - s[i] * r2
R[i + 1, j] = c[i] * r2 + s[i] * r1
denom = np.hypot(wlen, R[j, j])
s[j] = wlen / denom
c[j] = -R[j, j] / denom
R[j, j] = -denom
g[j] = c[j] * curr_beta
curr_beta *= s[j]
if verbose:
print('it = {}, ||r|| = {}'.format(_iteration, curr_beta / bnorm))
converged = curr_beta / bnorm < eps or curr_beta / resnorm < eps
maxitexceeded = _iteration >= maxit
if converged or maxitexceeded:
q = j + 1
break
y = la.solve_triangular(R[:q, :q], g[:q], check_finite=False)
for idx in range(q):
u_0 += v[idx] * y[idx]
u_0 = u_0.round(eps)
if callback is not None:
callback(u_0)
if converged or maxitexceeded:
return u_0, resnorm / bnorm
return GMRES(A, u_0, b, eps, maxit, m, _iteration, callback=callback,
verbose=verbose)
| GMRES | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(A, u_0, b, eps=1e-06, maxit=100, m=20, _iteration=0, callback=None,\n verbose=0):\n maxitexceeded = False\n converged = False\n if verbose:\n print('GMRES(m=%d, _iteration=%d, maxit=%d)' % (m, _iteration, maxit))\n v = np.ones(m + 1, dtype=object) * np.nan\n R = np.ones((m, m)) * np.nan\n g = np.zeros(m)\n s = np.ones(m) * np.nan\n c = np.ones(m) * np.nan\n v[0] = b - A(u_0, eps=eps)\n v[0] = v[0].round(eps)\n resnorm = v[0].norm()\n curr_beta = resnorm\n bnorm = b.norm()\n wlen = resnorm\n q = m\n for j in range(m):\n _iteration += 1\n delta = eps / (curr_beta / resnorm)\n if verbose:\n print('it = %d delta = ' % _iteration, delta)\n v[j] *= 1.0 / wlen\n v[j + 1] = A(v[j], eps=delta)\n for i in range(j + 1):\n R[i, j] = tt.dot(v[j + 1], v[i])\n v[j + 1] = v[j + 1] - R[i, j] * v[i]\n v[j + 1] = v[j + 1].round(delta)\n wlen = v[j + 1].norm()\n for i in range(j):\n r1 = R[i, j]\n r2 = R[i + 1, j]\n R[i, j] = c[i] * r1 - s[i] * r2\n R[i + 1, j] = c[i] * r2 + s[i] * r1\n denom = np.hypot(wlen, R[j, j])\n s[j] = wlen / denom\n c[j] = -R[j, j] / denom\n R[j, j] = -denom\n g[j] = c[j] * curr_beta\n curr_beta *= s[j]\n if verbose:\n print('it = {}, ||r|| = {}'.format(_iteration, curr_beta / bnorm))\n converged = curr_beta / bnorm < eps or curr_beta / resnorm < eps\n maxitexceeded = _iteration >= maxit\n if converged or maxitexceeded:\n q = j + 1\n break\n y = la.solve_triangular(R[:q, :q], g[:q], check_finite=False)\n for idx in range(q):\n u_0 += v[idx] * y[idx]\n u_0 = u_0.round(eps)\n if callback is not None:\n callback(u_0)\n if converged or maxitexceeded:\n return u_0, resnorm / bnorm\n return GMRES(A, u_0, b, eps, maxit, m, _iteration, callback=callback,\n verbose=verbose)\n",
"role": "user"
},
{
"content": "GMRES",
"role": "assistant"
}
] |
def x(leftU, rightV, jVec):
jLeft = None
jRight = None
if len(leftU) > 0:
jLeft = jVec[:len(leftU)]
if len(rightV) > 0:
jRight = jVec[-len(rightV):]
multU = np.ones([1, 1])
for k in xrange(len(leftU)):
multU = np.dot(multU, leftU[k][:, jLeft[k], :])
multV = np.ones([1, 1])
for k in xrange(len(rightV) - 1, -1, -1):
multV = np.dot(rightV[k][:, jRight[k], :], multV)
result = np.kron(multV.T, multU)
return result
| getRow | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(leftU, rightV, jVec):\n jLeft = None\n jRight = None\n if len(leftU) > 0:\n jLeft = jVec[:len(leftU)]\n if len(rightV) > 0:\n jRight = jVec[-len(rightV):]\n multU = np.ones([1, 1])\n for k in xrange(len(leftU)):\n multU = np.dot(multU, leftU[k][:, jLeft[k], :])\n multV = np.ones([1, 1])\n for k in xrange(len(rightV) - 1, -1, -1):\n multV = np.dot(rightV[k][:, jRight[k], :], multV)\n result = np.kron(multV.T, multU)\n return result\n",
"role": "user"
},
{
"content": "getRow",
"role": "assistant"
}
] |
def x(coreList, mu, splitResult=True):
d = len(coreList)
assert mu >= 0 and mu <= d
resultU = []
for k in xrange(mu):
core = coreList[k].copy()
if k > 0:
core = np.einsum('ijk,li->ljk', core, R)
[r1, n, r2] = core.shape
if k < mu - 1:
core = reshape(core, [r1 * n, r2])
Q, R = np.linalg.qr(core)
rnew = Q.shape[1]
core = reshape(Q, [r1, n, rnew])
resultU = resultU + [core]
if mu > 0:
W = core.copy()
resultV = []
for k in xrange(d - 1, mu, -1):
core = coreList[k].copy()
if k < d - 1:
core = np.einsum('ijk,lk->ijl', core, R)
[r1, n, r2] = core.shape
if k > mu + 1:
core = reshape(core, [r1, n * r2])
Q, R = np.linalg.qr(core.T)
rnew = Q.shape[1]
core = reshape(Q.T, [rnew, n, r2])
resultV = [core] + resultV
if mu < d - 1:
if mu > 0:
W = np.einsum('ijk,lk->ijl', W, R)
else:
W = np.einsum('ijk,lk->ijl', coreList[0], R)
if splitResult:
return resultU, W, resultV
return resultU + [W] + resultV
| orthLRFull | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(coreList, mu, splitResult=True):\n d = len(coreList)\n assert mu >= 0 and mu <= d\n resultU = []\n for k in xrange(mu):\n core = coreList[k].copy()\n if k > 0:\n core = np.einsum('ijk,li->ljk', core, R)\n [r1, n, r2] = core.shape\n if k < mu - 1:\n core = reshape(core, [r1 * n, r2])\n Q, R = np.linalg.qr(core)\n rnew = Q.shape[1]\n core = reshape(Q, [r1, n, rnew])\n resultU = resultU + [core]\n if mu > 0:\n W = core.copy()\n resultV = []\n for k in xrange(d - 1, mu, -1):\n core = coreList[k].copy()\n if k < d - 1:\n core = np.einsum('ijk,lk->ijl', core, R)\n [r1, n, r2] = core.shape\n if k > mu + 1:\n core = reshape(core, [r1, n * r2])\n Q, R = np.linalg.qr(core.T)\n rnew = Q.shape[1]\n core = reshape(Q.T, [rnew, n, r2])\n resultV = [core] + resultV\n if mu < d - 1:\n if mu > 0:\n W = np.einsum('ijk,lk->ijl', W, R)\n else:\n W = np.einsum('ijk,lk->ijl', coreList[0], R)\n if splitResult:\n return resultU, W, resultV\n return resultU + [W] + resultV\n",
"role": "user"
},
{
"content": "orthLRFull",
"role": "assistant"
}
] |
def x(x, cooP):
indices = cooP['indices']
values = cooP['values']
[P, d] = indices.shape
assert P == len(values)
result = 0
for p in xrange(P):
index = tuple(indices[p, :])
result += (x[index] - values[p]) ** 2
result *= 0.5
return result
| computeFunctional | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, cooP):\n indices = cooP['indices']\n values = cooP['values']\n [P, d] = indices.shape\n assert P == len(values)\n result = 0\n for p in xrange(P):\n index = tuple(indices[p, :])\n result += (x[index] - values[p]) ** 2\n result *= 0.5\n return result\n",
"role": "user"
},
{
"content": "computeFunctional",
"role": "assistant"
}
] |
def x(cooP, shape, x0=None, ttRank=1, tol=1e-05, maxnsweeps=20, verbose=
True, alpha=0.01):
indices = cooP['indices']
values = cooP['values']
[P, d] = indices.shape
assert P == len(values)
timeVal = time.clock()
if x0 is None:
x = tt.rand(shape, r=ttRank)
x = x.round(0.0)
x = 1.0 / x.norm() * x
else:
x = copy.deepcopy(x0)
assert d == x.d
normP = np.linalg.norm(values)
values /= normP
fitList = []
sweepTimeList = []
initTime = time.clock() - timeVal
timeVal = time.clock()
coreList = tt.vector.to_list(x)
if verbose:
print('Initialization time: %.3f seconds (proc.time)' % initTime)
for sweep in xrange(maxnsweeps):
sweepStart = time.clock()
[kStart, kEnd, kStep] = [0, d, 1]
"""
if sweep % 2 == 0: # left to rigth
[kStart, kEnd, kStep] = [0, d, 1]
else: # right to left
[kStart, kEnd, kStep] = [d-1, -1, -1]
"""
for k in xrange(kStart, kEnd, kStep):
[r1, n, r2] = coreList[k].shape
core = np.zeros([r1, n, r2])
leftU = []
rightV = []
if k > 0:
leftU = coreList[:k]
if k < d - 1:
rightV = coreList[k + 1:]
for i in xrange(n):
thetaI = np.where(indices[:, k] == i)[0]
if len(thetaI) > 0:
A = np.zeros([len(thetaI), r1 * r2])
for j in xrange(len(thetaI)):
tmp = getRow(leftU, rightV, indices[thetaI[j], :])
A[j:j + 1, :] += tmp
vecCoreSlice, _, _, _ = np.linalg.lstsq(A, values[thetaI])
core[:, i, :] += reshape(vecCoreSlice, [r1, r2])
"""
if k < (d-1):
core = reshape(core, [r1*n, r2])
Q, R = np.linalg.qr(core)
rnew = Q.shape[1]
core = reshape(Q, [r1, n, rnew])
coreList[k+1] = np.einsum('ijk,li->ljk', coreList[k+1], R)
"""
coreList[k] = core.copy()
"""
else:
if (k > 0):
core = reshape(core, [r1, n*r2])
Q, R = np.linalg.qr(core.T)
rnew = Q.shape[1]
core = reshape(Q.T, [rnew, n, r2])
coreList[k-1] = np.einsum('ijk,lk->ijl', coreList[k-1], R)
"""
xNew = tt.vector.from_list(coreList)
fit = computeFunctional(xNew, cooP)
fitList.append(fit)
if fit < tol:
break
if sweep > 0:
if abs(fit - fitList[-2]) < tol:
break
sweepTimeList.append(time.clock() - sweepStart)
if verbose:
print(
'sweep %d/%d\t fit value: %.5e\t time: %.3f seconds (proc.time)'
% (sweep + 1, maxnsweeps, fit, sweepTimeList[-1]))
if verbose:
print(
'Total sweep time: %.3f seconds (proc.time)\t Total time: %.3f seconds (proc.time)'
% (sum(sweepTimeList), sum(sweepTimeList) + initTime))
info = {'fit': fitList, 'initTime': initTime, 'sweepTime': sweepTimeList}
xNew *= normP
values *= normP
return xNew, info
| ttSparseALS | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cooP, shape, x0=None, ttRank=1, tol=1e-05, maxnsweeps=20, verbose=\n True, alpha=0.01):\n indices = cooP['indices']\n values = cooP['values']\n [P, d] = indices.shape\n assert P == len(values)\n timeVal = time.clock()\n if x0 is None:\n x = tt.rand(shape, r=ttRank)\n x = x.round(0.0)\n x = 1.0 / x.norm() * x\n else:\n x = copy.deepcopy(x0)\n assert d == x.d\n normP = np.linalg.norm(values)\n values /= normP\n fitList = []\n sweepTimeList = []\n initTime = time.clock() - timeVal\n timeVal = time.clock()\n coreList = tt.vector.to_list(x)\n if verbose:\n print('Initialization time: %.3f seconds (proc.time)' % initTime)\n for sweep in xrange(maxnsweeps):\n sweepStart = time.clock()\n [kStart, kEnd, kStep] = [0, d, 1]\n \"\"\"\n if sweep % 2 == 0: # left to rigth\n [kStart, kEnd, kStep] = [0, d, 1]\n else: # right to left\n [kStart, kEnd, kStep] = [d-1, -1, -1]\n \"\"\"\n for k in xrange(kStart, kEnd, kStep):\n [r1, n, r2] = coreList[k].shape\n core = np.zeros([r1, n, r2])\n leftU = []\n rightV = []\n if k > 0:\n leftU = coreList[:k]\n if k < d - 1:\n rightV = coreList[k + 1:]\n for i in xrange(n):\n thetaI = np.where(indices[:, k] == i)[0]\n if len(thetaI) > 0:\n A = np.zeros([len(thetaI), r1 * r2])\n for j in xrange(len(thetaI)):\n tmp = getRow(leftU, rightV, indices[thetaI[j], :])\n A[j:j + 1, :] += tmp\n vecCoreSlice, _, _, _ = np.linalg.lstsq(A, values[thetaI])\n core[:, i, :] += reshape(vecCoreSlice, [r1, r2])\n \"\"\"\n if k < (d-1):\n core = reshape(core, [r1*n, r2])\n Q, R = np.linalg.qr(core)\n rnew = Q.shape[1]\n core = reshape(Q, [r1, n, rnew])\n coreList[k+1] = np.einsum('ijk,li->ljk', coreList[k+1], R)\n \"\"\"\n coreList[k] = core.copy()\n \"\"\"\n else:\n if (k > 0):\n core = reshape(core, [r1, n*r2])\n Q, R = np.linalg.qr(core.T)\n rnew = Q.shape[1]\n core = reshape(Q.T, [rnew, n, r2])\n coreList[k-1] = np.einsum('ijk,lk->ijl', coreList[k-1], R)\n \"\"\"\n xNew = tt.vector.from_list(coreList)\n fit = computeFunctional(xNew, cooP)\n fitList.append(fit)\n if fit < tol:\n break\n if sweep > 0:\n if abs(fit - fitList[-2]) < tol:\n break\n sweepTimeList.append(time.clock() - sweepStart)\n if verbose:\n print(\n 'sweep %d/%d\\t fit value: %.5e\\t time: %.3f seconds (proc.time)'\n % (sweep + 1, maxnsweeps, fit, sweepTimeList[-1]))\n if verbose:\n print(\n 'Total sweep time: %.3f seconds (proc.time)\\t Total time: %.3f seconds (proc.time)'\n % (sum(sweepTimeList), sum(sweepTimeList) + initTime))\n info = {'fit': fitList, 'initTime': initTime, 'sweepTime': sweepTimeList}\n xNew *= normP\n values *= normP\n return xNew, info\n",
"role": "user"
},
{
"content": "ttSparseALS",
"role": "assistant"
}
] |
def x(self, icon=None, hover_text=None):
if icon:
self._icon = icon
self._load_icon()
if hover_text:
self._hover_text = hover_text
self._refresh_icon()
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, icon=None, hover_text=None):\n if icon:\n self._icon = icon\n self._load_icon()\n if hover_text:\n self._hover_text = hover_text\n self._refresh_icon()\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(s):
try:
return s.encode(LOCALE_ENCODING, 'ignore')
except (AttributeError, UnicodeDecodeError):
return s.decode('ascii', 'ignore').encode(LOCALE_ENCODING)
| encode_for_locale | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n try:\n return s.encode(LOCALE_ENCODING, 'ignore')\n except (AttributeError, UnicodeDecodeError):\n return s.decode('ascii', 'ignore').encode(LOCALE_ENCODING)\n",
"role": "user"
},
{
"content": "encode_for_locale",
"role": "assistant"
}
] |
def x(maxsize=128, typed=False, state=None, unhashable='error'):
def x(func):
_cached_func = clru_cache(maxsize, typed, state, unhashable)(func)
def x(*args, **kwargs):
return _cached_func(*args, **kwargs)
wrapper.__wrapped__ = func
wrapper.cache_info = _cached_func.cache_info
wrapper.cache_clear = _cached_func.cache_clear
return update_wrapper(wrapper, func)
return func_wrapper
| lru_cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(maxsize=128, typed=False, state=None, unhashable='error'):\n\n def x(func):\n _cached_func = clru_cache(maxsize, typed, state, unhashable)(func)\n\n def x(*args, **kwargs):\n return _cached_func(*args, **kwargs)\n wrapper.__wrapped__ = func\n wrapper.cache_info = _cached_func.cache_info\n wrapper.cache_clear = _cached_func.cache_clear\n return update_wrapper(wrapper, func)\n return func_wrapper\n",
"role": "user"
},
{
"content": "lru_cache",
"role": "assistant"
}
] |
def x(n):
v = n.value
return v if v < 2 else fib2(PythonInt(v - 1)) + fib(PythonInt(v - 2))
| fib | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n):\n v = n.value\n return v if v < 2 else fib2(PythonInt(v - 1)) + fib(PythonInt(v - 2))\n",
"role": "user"
},
{
"content": "fib",
"role": "assistant"
}
] |
def x(r):
for i in range(r):
if randint(RAND_MIN, RAND_MAX) == RAND_MIN:
fib.cache_clear()
fib2.cache_clear()
res = fib(PythonInt(FIB))
if RESULT != res:
raise ValueError('Expected %d, Got %d' % (RESULT, res))
| run_fib_with_clear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r):\n for i in range(r):\n if randint(RAND_MIN, RAND_MAX) == RAND_MIN:\n fib.cache_clear()\n fib2.cache_clear()\n res = fib(PythonInt(FIB))\n if RESULT != res:\n raise ValueError('Expected %d, Got %d' % (RESULT, res))\n",
"role": "user"
},
{
"content": "run_fib_with_clear",
"role": "assistant"
}
] |
def x(r):
for i in range(r):
res = fib(PythonInt(FIB))
if RESULT != res:
raise ValueError('Expected %d, Got %d' % (RESULT, res))
| run_fib_with_stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r):\n for i in range(r):\n res = fib(PythonInt(FIB))\n if RESULT != res:\n raise ValueError('Expected %d, Got %d' % (RESULT, res))\n",
"role": "user"
},
{
"content": "run_fib_with_stats",
"role": "assistant"
}
] |
def x(self, input_str, reference_date=''):
if not jpype.isThreadAttachedToJVM():
jpype.attachThreadToJVM()
if reference_date:
return json.loads(self._sutime.annotate(input_str, reference_date))
return json.loads(self._sutime.annotate(input_str))
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input_str, reference_date=''):\n if not jpype.isThreadAttachedToJVM():\n jpype.attachThreadToJVM()\n if reference_date:\n return json.loads(self._sutime.annotate(input_str, reference_date))\n return json.loads(self._sutime.annotate(input_str))\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, msg, botreply=False):
if sys.version_info[0] < 3 and isinstance(msg, str):
msg = msg.decode()
msg = msg.lower()
msg = self.substitute(msg, 'sub')
if self.utf8:
msg = re.sub(RE.utf8_meta, '', msg)
msg = re.sub(self.master.unicode_punctuation, '', msg)
if botreply:
msg = re.sub(RE.utf8_punct, '', msg)
else:
msg = utils.strip_nasties(msg)
msg = msg.strip()
msg = RE.ws.sub(' ', msg)
return msg
| format_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg, botreply=False):\n if sys.version_info[0] < 3 and isinstance(msg, str):\n msg = msg.decode()\n msg = msg.lower()\n msg = self.substitute(msg, 'sub')\n if self.utf8:\n msg = re.sub(RE.utf8_meta, '', msg)\n msg = re.sub(self.master.unicode_punctuation, '', msg)\n if botreply:\n msg = re.sub(RE.utf8_punct, '', msg)\n else:\n msg = utils.strip_nasties(msg)\n msg = msg.strip()\n msg = RE.ws.sub(' ', msg)\n return msg\n",
"role": "user"
},
{
"content": "format_message",
"role": "assistant"
}
] |
def x(self, user, regexp):
if regexp in self.master._regexc['trigger']:
return self.master._regexc['trigger'][regexp]
regexp = re.sub(RE.zero_star, '<zerowidthstar>', regexp)
arrays = re.findall(RE.array, regexp)
for array in arrays:
rep = ''
if array in self.master._array:
rep = '(?:' + '|'.join(self.expand_array(array)) + ')'
regexp = re.sub('\\@' + re.escape(array) + '\\b', rep, regexp)
regexp = regexp.replace('*', '(.+?)')
regexp = regexp.replace('#', '(\\d+?)')
regexp = regexp.replace('_', '(\\w+?)')
regexp = re.sub(RE.weight, '', regexp)
regexp = regexp.replace('<zerowidthstar>', '(.*?)')
optionals = re.findall(RE.optionals, regexp)
for match in optionals:
parts = match.split('|')
new = []
for p in parts:
p = '(?:\\\\s|\\\\b)+{}(?:\\\\s|\\\\b)+'.format(p.strip())
new.append(p)
pipes = '|'.join(new)
pipes = pipes.replace('(.+?)', '(?:.+?)')
pipes = pipes.replace('(\\d+?)', '(?:\\d+?)')
pipes = pipes.replace('([A-Za-z]+?)', '(?:[A-Za-z]+?)')
regexp = re.sub('\\s*\\[' + re.escape(match) + '\\]\\s*', '(?:' +
pipes + '|(?:\\\\s|\\\\b))', regexp)
regexp = re.sub(RE.literal_w, '[^\\\\s\\\\d]', regexp)
bvars = re.findall(RE.bot_tag, regexp)
for var in bvars:
rep = ''
if var in self.master._var:
rep = self.format_message(self.master._var[var])
regexp = regexp.replace('<bot {var}>'.format(var=var), rep)
uvars = re.findall(RE.get_tag, regexp)
for var in uvars:
rep = ''
value = self.master.get_uservar(user, var)
if value not in [None, 'undefined']:
rep = utils.strip_nasties(value)
regexp = regexp.replace('<get {var}>'.format(var=var), rep)
if '<input' in regexp or '<reply' in regexp:
history = self.master.get_uservar(user, '__history__')
for type in ['input', 'reply']:
tags = re.findall('<' + type + '([0-9])>', regexp)
for index in tags:
rep = self.format_message(history[type][int(index) - 1])
regexp = regexp.replace('<{type}{index}>'.format(type=type,
index=index), rep)
regexp = regexp.replace('<{type}>'.format(type=type), self.
format_message(history[type][0]))
if self.utf8:
return re.compile('^' + regexp.lower() + '$', re.UNICODE)
else:
return re.compile('^' + regexp.lower() + '$')
| reply_regexp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, regexp):\n if regexp in self.master._regexc['trigger']:\n return self.master._regexc['trigger'][regexp]\n regexp = re.sub(RE.zero_star, '<zerowidthstar>', regexp)\n arrays = re.findall(RE.array, regexp)\n for array in arrays:\n rep = ''\n if array in self.master._array:\n rep = '(?:' + '|'.join(self.expand_array(array)) + ')'\n regexp = re.sub('\\\\@' + re.escape(array) + '\\\\b', rep, regexp)\n regexp = regexp.replace('*', '(.+?)')\n regexp = regexp.replace('#', '(\\\\d+?)')\n regexp = regexp.replace('_', '(\\\\w+?)')\n regexp = re.sub(RE.weight, '', regexp)\n regexp = regexp.replace('<zerowidthstar>', '(.*?)')\n optionals = re.findall(RE.optionals, regexp)\n for match in optionals:\n parts = match.split('|')\n new = []\n for p in parts:\n p = '(?:\\\\\\\\s|\\\\\\\\b)+{}(?:\\\\\\\\s|\\\\\\\\b)+'.format(p.strip())\n new.append(p)\n pipes = '|'.join(new)\n pipes = pipes.replace('(.+?)', '(?:.+?)')\n pipes = pipes.replace('(\\\\d+?)', '(?:\\\\d+?)')\n pipes = pipes.replace('([A-Za-z]+?)', '(?:[A-Za-z]+?)')\n regexp = re.sub('\\\\s*\\\\[' + re.escape(match) + '\\\\]\\\\s*', '(?:' +\n pipes + '|(?:\\\\\\\\s|\\\\\\\\b))', regexp)\n regexp = re.sub(RE.literal_w, '[^\\\\\\\\s\\\\\\\\d]', regexp)\n bvars = re.findall(RE.bot_tag, regexp)\n for var in bvars:\n rep = ''\n if var in self.master._var:\n rep = self.format_message(self.master._var[var])\n regexp = regexp.replace('<bot {var}>'.format(var=var), rep)\n uvars = re.findall(RE.get_tag, regexp)\n for var in uvars:\n rep = ''\n value = self.master.get_uservar(user, var)\n if value not in [None, 'undefined']:\n rep = utils.strip_nasties(value)\n regexp = regexp.replace('<get {var}>'.format(var=var), rep)\n if '<input' in regexp or '<reply' in regexp:\n history = self.master.get_uservar(user, '__history__')\n for type in ['input', 'reply']:\n tags = re.findall('<' + type + '([0-9])>', regexp)\n for index in tags:\n rep = self.format_message(history[type][int(index) - 1])\n regexp = regexp.replace('<{type}{index}>'.format(type=type,\n index=index), rep)\n regexp = regexp.replace('<{type}>'.format(type=type), self.\n format_message(history[type][0]))\n if self.utf8:\n return re.compile('^' + regexp.lower() + '$', re.UNICODE)\n else:\n return re.compile('^' + regexp.lower() + '$')\n",
"role": "user"
},
{
"content": "reply_regexp",
"role": "assistant"
}
] |
def x(self, array_name, depth=0):
if depth > self.master._depth:
raise Exception('deep recursion detected')
if not array_name in self.master._array:
raise Exception("array '%s' not defined" % array_name)
ret = list(self.master._array[array_name])
for array in self.master._array[array_name]:
if array.startswith('@'):
ret.remove(array)
expanded = self.do_expand_array(array[1:], depth + 1)
ret.extend(expanded)
return set(ret)
| do_expand_array | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, array_name, depth=0):\n if depth > self.master._depth:\n raise Exception('deep recursion detected')\n if not array_name in self.master._array:\n raise Exception(\"array '%s' not defined\" % array_name)\n ret = list(self.master._array[array_name])\n for array in self.master._array[array_name]:\n if array.startswith('@'):\n ret.remove(array)\n expanded = self.do_expand_array(array[1:], depth + 1)\n ret.extend(expanded)\n return set(ret)\n",
"role": "user"
},
{
"content": "do_expand_array",
"role": "assistant"
}
] |
def x(self, array_name):
ret = self.master._array[array_name
] if array_name in self.master._array else []
try:
ret = self.do_expand_array(array_name)
except Exception as e:
self.warn("Error expanding array '%s': %s" % (array_name, str(e)))
return ret
| expand_array | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, array_name):\n ret = self.master._array[array_name\n ] if array_name in self.master._array else []\n try:\n ret = self.do_expand_array(array_name)\n except Exception as e:\n self.warn(\"Error expanding array '%s': %s\" % (array_name, str(e)))\n return ret\n",
"role": "user"
},
{
"content": "expand_array",
"role": "assistant"
}
] |
def x(self, msg, kind):
if 'lists' not in self.master._sorted:
raise RepliesNotSortedError(
'You must call sort_replies() once you are done loading RiveScript documents'
)
if kind not in self.master._sorted['lists']:
raise RepliesNotSortedError(
'You must call sort_replies() once you are done loading RiveScript documents'
)
subs = None
if kind == 'sub':
subs = self.master._sub
else:
subs = self.master._person
ph = []
i = 0
for pattern in self.master._sorted['lists'][kind]:
result = subs[pattern]
ph.append(result)
placeholder = '\x00%d\x00' % i
i += 1
cache = self.master._regexc[kind][pattern]
msg = re.sub(cache['sub1'], placeholder, msg)
msg = re.sub(cache['sub2'], placeholder + '\\1', msg)
msg = re.sub(cache['sub3'], '\\1' + placeholder + '\\2', msg)
msg = re.sub(cache['sub4'], '\\1' + placeholder, msg)
placeholders = re.findall(RE.placeholder, msg)
for match in placeholders:
i = int(match)
result = ph[i]
msg = msg.replace('\x00' + match + '\x00', result)
return msg.strip()
| substitute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg, kind):\n if 'lists' not in self.master._sorted:\n raise RepliesNotSortedError(\n 'You must call sort_replies() once you are done loading RiveScript documents'\n )\n if kind not in self.master._sorted['lists']:\n raise RepliesNotSortedError(\n 'You must call sort_replies() once you are done loading RiveScript documents'\n )\n subs = None\n if kind == 'sub':\n subs = self.master._sub\n else:\n subs = self.master._person\n ph = []\n i = 0\n for pattern in self.master._sorted['lists'][kind]:\n result = subs[pattern]\n ph.append(result)\n placeholder = '\\x00%d\\x00' % i\n i += 1\n cache = self.master._regexc[kind][pattern]\n msg = re.sub(cache['sub1'], placeholder, msg)\n msg = re.sub(cache['sub2'], placeholder + '\\\\1', msg)\n msg = re.sub(cache['sub3'], '\\\\1' + placeholder + '\\\\2', msg)\n msg = re.sub(cache['sub4'], '\\\\1' + placeholder, msg)\n placeholders = re.findall(RE.placeholder, msg)\n for match in placeholders:\n i = int(match)\n result = ph[i]\n msg = msg.replace('\\x00' + match + '\\x00', result)\n return msg.strip()\n",
"role": "user"
},
{
"content": "substitute",
"role": "assistant"
}
] |
def x(self, name, code):
source = 'def RSOBJ(rs, args):\n'
for line in code:
source = source + '\t' + line + '\n'
source += 'self._objects[name] = RSOBJ\n'
try:
exec(source)
except Exception as e:
print('Failed to load code from object', name)
print('The error given was: ', e)
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, code):\n source = 'def RSOBJ(rs, args):\\n'\n for line in code:\n source = source + '\\t' + line + '\\n'\n source += 'self._objects[name] = RSOBJ\\n'\n try:\n exec(source)\n except Exception as e:\n print('Failed to load code from object', name)\n print('The error given was: ', e)\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self, rs, name, user, fields):
if name not in self._objects:
return '[ERR: Object Not Found]'
func = self._objects[name]
reply = ''
try:
reply = func(rs, fields)
if reply is None:
reply = ''
except Exception as e:
raise PythonObjectError('Error executing Python object: ' + str(e))
return text_type(reply)
| call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rs, name, user, fields):\n if name not in self._objects:\n return '[ERR: Object Not Found]'\n func = self._objects[name]\n reply = ''\n try:\n reply = func(rs, fields)\n if reply is None:\n reply = ''\n except Exception as e:\n raise PythonObjectError('Error executing Python object: ' + str(e))\n return text_type(reply)\n",
"role": "user"
},
{
"content": "call",
"role": "assistant"
}
] |
def x(rs, topic, thats, depth=0, inheritance=0, inherited=False):
if depth > rs._depth:
rs._warn('Deep recursion while scanning topic inheritance')
rs._say('\tCollecting trigger list for topic ' + topic + '(depth=' +
str(depth) + '; inheritance=' + str(inheritance) + '; ' +
'inherited=' + str(inherited) + ')')
if not topic in rs._topics:
rs._warn(
"Inherited or included topic {} doesn't exist or has no triggers"
.format(topic))
return []
triggers = []
inThisTopic = []
if not thats:
if topic in rs._topics:
for trigger in rs._topics[topic]:
inThisTopic.append([trigger['trigger'], trigger])
elif topic in rs._thats.keys():
for curtrig in rs._thats[topic].keys():
for previous, pointer in rs._thats[topic][curtrig].items():
inThisTopic.append([pointer['trigger'], pointer])
if topic in rs._includes:
for includes in rs._includes[topic]:
rs._say('\t\tTopic ' + topic + ' includes ' + includes)
triggers.extend(get_topic_triggers(rs, includes, thats, depth +
1, inheritance, True))
if topic in rs._lineage:
for inherits in rs._lineage[topic]:
rs._say('\t\tTopic ' + topic + ' inherits ' + inherits)
triggers.extend(get_topic_triggers(rs, inherits, thats, depth +
1, inheritance + 1, False))
if topic in rs._lineage or inherited:
for trigger in inThisTopic:
rs._say('\t\tPrefixing trigger with {inherits=' + str(
inheritance) + '}' + trigger[0])
triggers.append(['{inherits=' + str(inheritance) + '}' +
trigger[0], trigger[1]])
else:
triggers.extend(inThisTopic)
return triggers
| get_topic_triggers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rs, topic, thats, depth=0, inheritance=0, inherited=False):\n if depth > rs._depth:\n rs._warn('Deep recursion while scanning topic inheritance')\n rs._say('\\tCollecting trigger list for topic ' + topic + '(depth=' +\n str(depth) + '; inheritance=' + str(inheritance) + '; ' +\n 'inherited=' + str(inherited) + ')')\n if not topic in rs._topics:\n rs._warn(\n \"Inherited or included topic {} doesn't exist or has no triggers\"\n .format(topic))\n return []\n triggers = []\n inThisTopic = []\n if not thats:\n if topic in rs._topics:\n for trigger in rs._topics[topic]:\n inThisTopic.append([trigger['trigger'], trigger])\n elif topic in rs._thats.keys():\n for curtrig in rs._thats[topic].keys():\n for previous, pointer in rs._thats[topic][curtrig].items():\n inThisTopic.append([pointer['trigger'], pointer])\n if topic in rs._includes:\n for includes in rs._includes[topic]:\n rs._say('\\t\\tTopic ' + topic + ' includes ' + includes)\n triggers.extend(get_topic_triggers(rs, includes, thats, depth +\n 1, inheritance, True))\n if topic in rs._lineage:\n for inherits in rs._lineage[topic]:\n rs._say('\\t\\tTopic ' + topic + ' inherits ' + inherits)\n triggers.extend(get_topic_triggers(rs, inherits, thats, depth +\n 1, inheritance + 1, False))\n if topic in rs._lineage or inherited:\n for trigger in inThisTopic:\n rs._say('\\t\\tPrefixing trigger with {inherits=' + str(\n inheritance) + '}' + trigger[0])\n triggers.append(['{inherits=' + str(inheritance) + '}' +\n trigger[0], trigger[1]])\n else:\n triggers.extend(inThisTopic)\n return triggers\n",
"role": "user"
},
{
"content": "get_topic_triggers",
"role": "assistant"
}
] |
def x(rs, topic, depth=0):
if depth > rs._depth:
rs._warn('Deep recursion while scanning topic trees!')
return []
topics = [topic]
if topic in rs._includes:
for includes in sorted(rs._includes[topic]):
topics.extend(get_topic_tree(rs, includes, depth + 1))
if topic in rs._lineage:
for inherits in sorted(rs._lineage[topic]):
topics.extend(get_topic_tree(rs, inherits, depth + 1))
return topics
| get_topic_tree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rs, topic, depth=0):\n if depth > rs._depth:\n rs._warn('Deep recursion while scanning topic trees!')\n return []\n topics = [topic]\n if topic in rs._includes:\n for includes in sorted(rs._includes[topic]):\n topics.extend(get_topic_tree(rs, includes, depth + 1))\n if topic in rs._lineage:\n for inherits in sorted(rs._lineage[topic]):\n topics.extend(get_topic_tree(rs, inherits, depth + 1))\n return topics\n",
"role": "user"
},
{
"content": "get_topic_tree",
"role": "assistant"
}
] |
def x(trigger, all=False):
words = []
if all:
words = re.split(RE.ws, trigger)
else:
words = re.split(RE.wilds_and_optionals, trigger)
wc = 0
for word in words:
if len(word) > 0:
wc += 1
return wc
| word_count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(trigger, all=False):\n words = []\n if all:\n words = re.split(RE.ws, trigger)\n else:\n words = re.split(RE.wilds_and_optionals, trigger)\n wc = 0\n for word in words:\n if len(word) > 0:\n wc += 1\n return wc\n",
"role": "user"
},
{
"content": "word_count",
"role": "assistant"
}
] |
def x(msg, method):
if method == 'uppercase':
return msg.upper()
elif method == 'lowercase':
return msg.lower()
elif method == 'sentence':
return msg.capitalize()
elif method == 'formal':
return string.capwords(msg)
| string_format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg, method):\n if method == 'uppercase':\n return msg.upper()\n elif method == 'lowercase':\n return msg.lower()\n elif method == 'sentence':\n return msg.capitalize()\n elif method == 'formal':\n return string.capwords(msg)\n",
"role": "user"
},
{
"content": "string_format",
"role": "assistant"
}
] |
def x(self, name, code):
source = '\n'.join(code)
self._objects[name] = source
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, code):\n source = '\\n'.join(code)\n self._objects[name] = source\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x():
from_number = request.values.get('From', 'unknown')
message = request.values.get('Body')
reply = '(Internal error)'
if message:
reply = bot.reply(from_number, message)
resp = twilio.twiml.Response()
resp.message(reply)
return str(resp)
| hello_rivescript | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from_number = request.values.get('From', 'unknown')\n message = request.values.get('Body')\n reply = '(Internal error)'\n if message:\n reply = bot.reply(from_number, message)\n resp = twilio.twiml.Response()\n resp.message(reply)\n return str(resp)\n",
"role": "user"
},
{
"content": "hello_rivescript",
"role": "assistant"
}
] |
def x():
parser = argparse.ArgumentParser(description='RiveScript interactive mode.'
)
parser.add_argument('--debug', '-d', help=
'Enable debug logging within RiveScript.', action='store_true')
parser.add_argument('--json', '-j', help=
"Enable JSON mode. In this mode, you communicate with the bot by sending a JSON-encoded object with keys 'username', 'message' and 'vars' (an object of user variables) over standard input, and then close the input (^D) or send the string '__END__' on a line by itself. The bot will respond with a similarly formatted JSON response over standard output, and then will either exit or send '__END__' depending on how you ended your input."
, action='store_true')
parser.add_argument('--utf8', '-u', help=
'Enable UTF-8 mode (default is disabled)', action='store_true')
parser.add_argument('--log', help=
'The path to a log file to send debugging output to (when debug mode is enabled) instead of standard output.'
, type=text_type)
parser.add_argument('--nostrict', help=
'Disable strict mode (where syntax errors are fatal)', action=
'store_true')
parser.add_argument('--depth', help=
'Override the default recursion depth limit when fetching a reply (default 50)'
, type=int, default=50)
parser.add_argument('path', help=
'A directory containing RiveScript files (*.rive) to load.', type=
text_type)
args = parser.parse_args()
bot = RiveScript(debug=args.debug, strict=not args.nostrict, depth=args
.depth, utf8=args.utf8, log=args.log)
bot.load_directory(args.path)
bot.sort_replies()
if args.json:
buffer = ''
stateful = False
while True:
line = ''
try:
line = input()
except EOFError:
break
end = re.match('^__END__$', line)
if end:
stateful = True
json_in(bot, buffer, stateful)
buffer = ''
continue
else:
buffer += line + '\n'
if stateful:
quit()
json_in(bot, buffer, stateful)
quit()
print(
""" . .
.:...:: RiveScript Interpreter (Python)
.:: ::. Library Version: v{version}
..:;;. ' .;;:..
. ''' . Type '/quit' to quit.
:;,:,;: Type '/help' for more options.
: :
Using the RiveScript bot found in: {path}
Type a message to the bot and press Return to send it.
"""
.format(version=bot.VERSION(), path=args.path))
while True:
msg = input('You> ')
if PY2:
msg = msg.decode('utf-8')
if msg == '/help':
print('> Supported Commands:')
print('> /help - Displays this message.')
print('> /quit - Exit the program.')
elif msg == '/quit':
exit()
else:
reply = bot.reply('localuser', msg)
print('Bot>', reply)
| interactive_mode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = argparse.ArgumentParser(description='RiveScript interactive mode.'\n )\n parser.add_argument('--debug', '-d', help=\n 'Enable debug logging within RiveScript.', action='store_true')\n parser.add_argument('--json', '-j', help=\n \"Enable JSON mode. In this mode, you communicate with the bot by sending a JSON-encoded object with keys 'username', 'message' and 'vars' (an object of user variables) over standard input, and then close the input (^D) or send the string '__END__' on a line by itself. The bot will respond with a similarly formatted JSON response over standard output, and then will either exit or send '__END__' depending on how you ended your input.\"\n , action='store_true')\n parser.add_argument('--utf8', '-u', help=\n 'Enable UTF-8 mode (default is disabled)', action='store_true')\n parser.add_argument('--log', help=\n 'The path to a log file to send debugging output to (when debug mode is enabled) instead of standard output.'\n , type=text_type)\n parser.add_argument('--nostrict', help=\n 'Disable strict mode (where syntax errors are fatal)', action=\n 'store_true')\n parser.add_argument('--depth', help=\n 'Override the default recursion depth limit when fetching a reply (default 50)'\n , type=int, default=50)\n parser.add_argument('path', help=\n 'A directory containing RiveScript files (*.rive) to load.', type=\n text_type)\n args = parser.parse_args()\n bot = RiveScript(debug=args.debug, strict=not args.nostrict, depth=args\n .depth, utf8=args.utf8, log=args.log)\n bot.load_directory(args.path)\n bot.sort_replies()\n if args.json:\n buffer = ''\n stateful = False\n while True:\n line = ''\n try:\n line = input()\n except EOFError:\n break\n end = re.match('^__END__$', line)\n if end:\n stateful = True\n json_in(bot, buffer, stateful)\n buffer = ''\n continue\n else:\n buffer += line + '\\n'\n if stateful:\n quit()\n json_in(bot, buffer, stateful)\n quit()\n print(\n \"\"\" . . \n .:...:: RiveScript Interpreter (Python)\n .:: ::. Library Version: v{version}\n ..:;;. ' .;;:.. \n . ''' . Type '/quit' to quit.\n :;,:,;: Type '/help' for more options.\n : : \n\nUsing the RiveScript bot found in: {path}\nType a message to the bot and press Return to send it.\n\"\"\"\n .format(version=bot.VERSION(), path=args.path))\n while True:\n msg = input('You> ')\n if PY2:\n msg = msg.decode('utf-8')\n if msg == '/help':\n print('> Supported Commands:')\n print('> /help - Displays this message.')\n print('> /quit - Exit the program.')\n elif msg == '/quit':\n exit()\n else:\n reply = bot.reply('localuser', msg)\n print('Bot>', reply)\n",
"role": "user"
},
{
"content": "interactive_mode",
"role": "assistant"
}
] |
def x():
params = request.json
if not params:
return jsonify({'status': 'error', 'error':
'Request must be of the application/json type!'})
username = params.get('username')
message = params.get('message')
uservars = params.get('vars', dict())
if username is None or message is None:
return jsonify({'status': 'error', 'error':
'username and message are required keys'})
if type(uservars) is dict:
for key, value in uservars.items():
bot.set_uservar(username, key, value)
reply = bot.reply(username, message)
uservars = bot.get_uservars(username)
return jsonify({'status': 'ok', 'reply': reply, 'vars': uservars})
| reply | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n params = request.json\n if not params:\n return jsonify({'status': 'error', 'error':\n 'Request must be of the application/json type!'})\n username = params.get('username')\n message = params.get('message')\n uservars = params.get('vars', dict())\n if username is None or message is None:\n return jsonify({'status': 'error', 'error':\n 'username and message are required keys'})\n if type(uservars) is dict:\n for key, value in uservars.items():\n bot.set_uservar(username, key, value)\n reply = bot.reply(username, message)\n uservars = bot.get_uservars(username)\n return jsonify({'status': 'ok', 'reply': reply, 'vars': uservars})\n",
"role": "user"
},
{
"content": "reply",
"role": "assistant"
}
] |
def x(path=None):
payload = {'username': 'soandso', 'message': 'Hello bot', 'vars': {
'name': 'Soandso'}}
return Response(
"""Usage: curl -i \\
-H "Content-Type: application/json" \\
-X POST -d '{}' \\
http://localhost:5000/reply"""
.format(json.dumps(payload)), mimetype='text/plain')
| index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path=None):\n payload = {'username': 'soandso', 'message': 'Hello bot', 'vars': {\n 'name': 'Soandso'}}\n return Response(\n \"\"\"Usage: curl -i \\\\\n -H \"Content-Type: application/json\" \\\\\n -X POST -d '{}' \\\\\n http://localhost:5000/reply\"\"\"\n .format(json.dumps(payload)), mimetype='text/plain')\n",
"role": "user"
},
{
"content": "index",
"role": "assistant"
}
] |
def x(self, username, frozen=False):
if frozen:
return self.frozen + username
return self.prefix + username
| key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, frozen=False):\n if frozen:\n return self.frozen + username\n return self.prefix + username\n",
"role": "user"
},
{
"content": "key",
"role": "assistant"
}
] |
def x(self, username):
data = self.client.get(self._key(username))
if data is None:
return None
return json.loads(data.decode())
| get_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username):\n data = self.client.get(self._key(username))\n if data is None:\n return None\n return json.loads(data.decode())\n",
"role": "user"
},
{
"content": "get_user",
"role": "assistant"
}
] |
def x(triggers, exclude_previous=True, say=None):
if say is None:
say = lambda x: x
trigger_object_list = []
for index, trig in enumerate(triggers):
if exclude_previous and trig[1]['previous']:
continue
pattern = trig[0]
match, weight = re.search(RE.weight, trig[0]), 0
if match:
weight = int(match.group(1))
match = re.search(RE.inherit, pattern)
if match:
inherit = int(match.group(1))
say(
'\t\t\tTrigger belongs to a topic which inherits other topics: level='
+ str(inherit))
triggers[index][0] = pattern = re.sub(RE.inherit, '', pattern)
else:
inherit = sys.maxsize
trigger_object_list.append(TriggerObj(pattern, index, weight, inherit))
sorted_list = sorted(trigger_object_list, key=attrgetter('weight',
'inherit', 'is_empty', 'star', 'pound', 'under', 'option',
'wordcount', 'len', 'alphabet'))
return [triggers[item.index] for item in sorted_list]
| sort_trigger_set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(triggers, exclude_previous=True, say=None):\n if say is None:\n say = lambda x: x\n trigger_object_list = []\n for index, trig in enumerate(triggers):\n if exclude_previous and trig[1]['previous']:\n continue\n pattern = trig[0]\n match, weight = re.search(RE.weight, trig[0]), 0\n if match:\n weight = int(match.group(1))\n match = re.search(RE.inherit, pattern)\n if match:\n inherit = int(match.group(1))\n say(\n '\\t\\t\\tTrigger belongs to a topic which inherits other topics: level='\n + str(inherit))\n triggers[index][0] = pattern = re.sub(RE.inherit, '', pattern)\n else:\n inherit = sys.maxsize\n trigger_object_list.append(TriggerObj(pattern, index, weight, inherit))\n sorted_list = sorted(trigger_object_list, key=attrgetter('weight',\n 'inherit', 'is_empty', 'star', 'pound', 'under', 'option',\n 'wordcount', 'len', 'alphabet'))\n return [triggers[item.index] for item in sorted_list]\n",
"role": "user"
},
{
"content": "sort_trigger_set",
"role": "assistant"
}
] |
def x(items):
track = {}
def x(word1, word2):
return len(word2) - len(word1)
for item in items:
cword = utils.word_count(item, all=True)
if cword not in track:
track[cword] = []
track[cword].append(item)
output = []
for count in sorted(track.keys(), reverse=True):
sort = sorted(track[count], key=len, reverse=True)
output.extend(sort)
return output
| sort_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(items):\n track = {}\n\n def x(word1, word2):\n return len(word2) - len(word1)\n for item in items:\n cword = utils.word_count(item, all=True)\n if cword not in track:\n track[cword] = []\n track[cword].append(item)\n output = []\n for count in sorted(track.keys(), reverse=True):\n sort = sorted(track[count], key=len, reverse=True)\n output.extend(sort)\n return output\n",
"role": "user"
},
{
"content": "sort_list",
"role": "assistant"
}
] |
def x(self, directory, ext=None):
self._say('Loading from directory: ' + directory)
if ext is None:
ext = ['.rive', '.rs']
elif type(ext) == str:
ext = [ext]
if not os.path.isdir(directory):
self._warn('Error: ' + directory + ' is not a directory.')
return
for root, subdirs, files in os.walk(directory):
for file in files:
for extension in ext:
if file.lower().endswith(extension):
self.load_file(os.path.join(root, file))
break
| load_directory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, directory, ext=None):\n self._say('Loading from directory: ' + directory)\n if ext is None:\n ext = ['.rive', '.rs']\n elif type(ext) == str:\n ext = [ext]\n if not os.path.isdir(directory):\n self._warn('Error: ' + directory + ' is not a directory.')\n return\n for root, subdirs, files in os.walk(directory):\n for file in files:\n for extension in ext:\n if file.lower().endswith(extension):\n self.load_file(os.path.join(root, file))\n break\n",
"role": "user"
},
{
"content": "load_directory",
"role": "assistant"
}
] |
def x(self, filename):
self._say('Loading file: ' + filename)
fh = codecs.open(filename, 'r', 'utf-8')
lines = fh.readlines()
fh.close()
self._say('Parsing ' + str(len(lines)) + ' lines of code from ' + filename)
self._parse(filename, lines)
| load_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n self._say('Loading file: ' + filename)\n fh = codecs.open(filename, 'r', 'utf-8')\n lines = fh.readlines()\n fh.close()\n self._say('Parsing ' + str(len(lines)) + ' lines of code from ' + filename)\n self._parse(filename, lines)\n",
"role": "user"
},
{
"content": "load_file",
"role": "assistant"
}
] |
def x(self, code):
self._say('Streaming code.')
if type(code) in [str, text_type]:
code = code.split('\n')
self._parse('stream()', code)
| stream | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, code):\n self._say('Streaming code.')\n if type(code) in [str, text_type]:\n code = code.split('\\n')\n self._parse('stream()', code)\n",
"role": "user"
},
{
"content": "stream",
"role": "assistant"
}
] |
def x(self, fname, code):
ast = self._parser.parse(fname, code)
for kind, data in ast['begin'].items():
internal = getattr(self, '_' + kind)
for name, value in data.items():
if value == '<undef>':
del internal[name]
else:
internal[name] = value
if kind in ['sub', 'person']:
self._precompile_substitution(kind, name)
if self._global.get('debug'):
self._debug = str(self._global['debug']).lower() == 'true'
if self._global.get('depth'):
self._depth = int(self._global['depth'])
for topic, data in ast['topics'].items():
if not topic in self._includes:
self._includes[topic] = {}
if not topic in self._lineage:
self._lineage[topic] = {}
self._includes[topic].update(data['includes'])
self._lineage[topic].update(data['inherits'])
if not topic in self._topics:
self._topics[topic] = []
for trigger in data['triggers']:
self._topics[topic].append(trigger)
self._precompile_regexp(trigger['trigger'])
if trigger['previous'] is not None:
if not topic in self._thats:
self._thats[topic] = {}
if not trigger['trigger'] in self._thats[topic]:
self._thats[topic][trigger['trigger']] = {}
self._thats[topic][trigger['trigger']][trigger['previous']
] = trigger
for obj in ast['objects']:
if obj['language'] in self._handlers:
self._objlangs[obj['name']] = obj['language']
self._handlers[obj['language']].load(obj['name'], obj['code'])
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fname, code):\n ast = self._parser.parse(fname, code)\n for kind, data in ast['begin'].items():\n internal = getattr(self, '_' + kind)\n for name, value in data.items():\n if value == '<undef>':\n del internal[name]\n else:\n internal[name] = value\n if kind in ['sub', 'person']:\n self._precompile_substitution(kind, name)\n if self._global.get('debug'):\n self._debug = str(self._global['debug']).lower() == 'true'\n if self._global.get('depth'):\n self._depth = int(self._global['depth'])\n for topic, data in ast['topics'].items():\n if not topic in self._includes:\n self._includes[topic] = {}\n if not topic in self._lineage:\n self._lineage[topic] = {}\n self._includes[topic].update(data['includes'])\n self._lineage[topic].update(data['inherits'])\n if not topic in self._topics:\n self._topics[topic] = []\n for trigger in data['triggers']:\n self._topics[topic].append(trigger)\n self._precompile_regexp(trigger['trigger'])\n if trigger['previous'] is not None:\n if not topic in self._thats:\n self._thats[topic] = {}\n if not trigger['trigger'] in self._thats[topic]:\n self._thats[topic][trigger['trigger']] = {}\n self._thats[topic][trigger['trigger']][trigger['previous']\n ] = trigger\n for obj in ast['objects']:\n if obj['language'] in self._handlers:\n self._objlangs[obj['name']] = obj['language']\n self._handlers[obj['language']].load(obj['name'], obj['code'])\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self):
result = {'begin': {'global': {}, 'var': {}, 'sub': {}, 'person': {},
'array': {}, 'triggers': []}, 'topics': {}}
if self._debug:
result['begin']['global']['debug'] = self._debug
if self._depth != 50:
result['begin']['global']['depth'] = 50
result['begin']['var'] = self._var.copy()
result['begin']['sub'] = self._sub.copy()
result['begin']['person'] = self._person.copy()
result['begin']['array'] = self._array.copy()
result['begin']['global'].update(self._global.copy())
for topic in self._topics:
dest = None
if topic == '__begin__':
dest = result['begin']
else:
if topic not in result['topics']:
result['topics'][topic] = {'triggers': [], 'includes': {},
'inherits': {}}
dest = result['topics'][topic]
for trig in self._topics[topic]:
dest['triggers'].append(copy.deepcopy(trig))
for label, mapping in {'inherits': self._lineage, 'includes': self.
_includes}.items():
if topic in mapping and len(mapping[topic]):
dest[label] = mapping[topic].copy()
return result
| deparse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = {'begin': {'global': {}, 'var': {}, 'sub': {}, 'person': {},\n 'array': {}, 'triggers': []}, 'topics': {}}\n if self._debug:\n result['begin']['global']['debug'] = self._debug\n if self._depth != 50:\n result['begin']['global']['depth'] = 50\n result['begin']['var'] = self._var.copy()\n result['begin']['sub'] = self._sub.copy()\n result['begin']['person'] = self._person.copy()\n result['begin']['array'] = self._array.copy()\n result['begin']['global'].update(self._global.copy())\n for topic in self._topics:\n dest = None\n if topic == '__begin__':\n dest = result['begin']\n else:\n if topic not in result['topics']:\n result['topics'][topic] = {'triggers': [], 'includes': {},\n 'inherits': {}}\n dest = result['topics'][topic]\n for trig in self._topics[topic]:\n dest['triggers'].append(copy.deepcopy(trig))\n for label, mapping in {'inherits': self._lineage, 'includes': self.\n _includes}.items():\n if topic in mapping and len(mapping[topic]):\n dest[label] = mapping[topic].copy()\n return result\n",
"role": "user"
},
{
"content": "deparse",
"role": "assistant"
}
] |
def x(self, fh, deparsed=None):
if type(fh) is str:
fh = codecs.open(fh, 'w', 'utf-8')
if deparsed is None:
deparsed = self.deparse()
fh.write('// Written by rivescript.deparse()\n')
fh.write('! version = 2.0\n\n')
for kind in ['global', 'var', 'sub', 'person', 'array']:
if len(deparsed['begin'][kind].keys()) == 0:
continue
for var in sorted(deparsed['begin'][kind].keys()):
data = deparsed['begin'][kind][var]
if type(data) not in [str, text_type]:
needs_pipes = False
for test in data:
if ' ' in test:
needs_pipes = True
break
if needs_pipes:
data = self._write_wrapped('|'.join(data), sep='|')
else:
data = ' '.join(data)
fh.write('! {kind} {var} = {data}\n'.format(kind=kind, var=var,
data=data))
fh.write('\n')
if len(deparsed['begin']['triggers']):
fh.write('> begin\n\n')
self._write_triggers(fh, deparsed['begin']['triggers'], indent='\t')
fh.write('< begin\n\n')
topics = ['random']
topics.extend(sorted(deparsed['topics'].keys()))
done_random = False
for topic in topics:
if topic not in deparsed['topics']:
continue
if topic == 'random' and done_random:
continue
if topic == 'random':
done_random = True
tagged = False
data = deparsed['topics'][topic]
if topic != 'random' or len(data['includes']) or len(data['inherits']):
tagged = True
fh.write('> topic ' + topic)
if data['inherits']:
fh.write(' inherits ' + ' '.join(sorted(data['inherits'].
keys())))
if data['includes']:
fh.write(' includes ' + ' '.join(sorted(data['includes'].
keys())))
fh.write('\n\n')
indent = '\t' if tagged else ''
self._write_triggers(fh, data['triggers'], indent=indent)
if tagged:
fh.write('< topic\n\n')
return True
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fh, deparsed=None):\n if type(fh) is str:\n fh = codecs.open(fh, 'w', 'utf-8')\n if deparsed is None:\n deparsed = self.deparse()\n fh.write('// Written by rivescript.deparse()\\n')\n fh.write('! version = 2.0\\n\\n')\n for kind in ['global', 'var', 'sub', 'person', 'array']:\n if len(deparsed['begin'][kind].keys()) == 0:\n continue\n for var in sorted(deparsed['begin'][kind].keys()):\n data = deparsed['begin'][kind][var]\n if type(data) not in [str, text_type]:\n needs_pipes = False\n for test in data:\n if ' ' in test:\n needs_pipes = True\n break\n if needs_pipes:\n data = self._write_wrapped('|'.join(data), sep='|')\n else:\n data = ' '.join(data)\n fh.write('! {kind} {var} = {data}\\n'.format(kind=kind, var=var,\n data=data))\n fh.write('\\n')\n if len(deparsed['begin']['triggers']):\n fh.write('> begin\\n\\n')\n self._write_triggers(fh, deparsed['begin']['triggers'], indent='\\t')\n fh.write('< begin\\n\\n')\n topics = ['random']\n topics.extend(sorted(deparsed['topics'].keys()))\n done_random = False\n for topic in topics:\n if topic not in deparsed['topics']:\n continue\n if topic == 'random' and done_random:\n continue\n if topic == 'random':\n done_random = True\n tagged = False\n data = deparsed['topics'][topic]\n if topic != 'random' or len(data['includes']) or len(data['inherits']):\n tagged = True\n fh.write('> topic ' + topic)\n if data['inherits']:\n fh.write(' inherits ' + ' '.join(sorted(data['inherits'].\n keys())))\n if data['includes']:\n fh.write(' includes ' + ' '.join(sorted(data['includes'].\n keys())))\n fh.write('\\n\\n')\n indent = '\\t' if tagged else ''\n self._write_triggers(fh, data['triggers'], indent=indent)\n if tagged:\n fh.write('< topic\\n\\n')\n return True\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self, fh, triggers, indent=''):
for trig in triggers:
fh.write(indent + '+ ' + self._write_wrapped(trig['trigger'],
indent=indent) + '\n')
d = trig
if d.get('previous'):
fh.write(indent + '% ' + self._write_wrapped(d['previous'],
indent=indent) + '\n')
for cond in d['condition']:
fh.write(indent + '* ' + self._write_wrapped(cond, indent=
indent) + '\n')
if d.get('redirect'):
fh.write(indent + '@ ' + self._write_wrapped(d['redirect'],
indent=indent) + '\n')
for reply in d['reply']:
fh.write(indent + '- ' + self._write_wrapped(reply, indent=
indent) + '\n')
fh.write('\n')
| write_triggers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fh, triggers, indent=''):\n for trig in triggers:\n fh.write(indent + '+ ' + self._write_wrapped(trig['trigger'],\n indent=indent) + '\\n')\n d = trig\n if d.get('previous'):\n fh.write(indent + '% ' + self._write_wrapped(d['previous'],\n indent=indent) + '\\n')\n for cond in d['condition']:\n fh.write(indent + '* ' + self._write_wrapped(cond, indent=\n indent) + '\\n')\n if d.get('redirect'):\n fh.write(indent + '@ ' + self._write_wrapped(d['redirect'],\n indent=indent) + '\\n')\n for reply in d['reply']:\n fh.write(indent + '- ' + self._write_wrapped(reply, indent=\n indent) + '\\n')\n fh.write('\\n')\n",
"role": "user"
},
{
"content": "write_triggers",
"role": "assistant"
}
] |
def x(self, line, sep=' ', indent='', width=78):
words = line.split(sep)
lines = []
line = ''
buf = []
while len(words):
buf.append(words.pop(0))
line = sep.join(buf)
if len(line) > width:
words.insert(0, buf.pop())
lines.append(sep.join(buf))
buf = []
line = ''
if line:
lines.append(line)
result = lines.pop(0)
if len(lines):
eol = ''
if sep == ' ':
eol = '\\s'
for item in lines:
result += eol + '\n' + indent + '^ ' + item
return result
| write_wrapped | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, line, sep=' ', indent='', width=78):\n words = line.split(sep)\n lines = []\n line = ''\n buf = []\n while len(words):\n buf.append(words.pop(0))\n line = sep.join(buf)\n if len(line) > width:\n words.insert(0, buf.pop())\n lines.append(sep.join(buf))\n buf = []\n line = ''\n if line:\n lines.append(line)\n result = lines.pop(0)\n if len(lines):\n eol = ''\n if sep == ' ':\n eol = '\\\\s'\n for item in lines:\n result += eol + '\\n' + indent + '^ ' + item\n return result\n",
"role": "user"
},
{
"content": "write_wrapped",
"role": "assistant"
}
] |
def x(self, thats=False):
self._sorted['topics'] = {}
self._sorted['thats'] = {}
self._say('Sorting triggers...')
for topic in self._topics.keys():
self._say('Analyzing topic ' + topic)
alltrig = inherit_utils.get_topic_triggers(self, topic, False)
self._sorted['topics'][topic] = sorting.sort_trigger_set(alltrig,
True, self._say)
that_triggers = inherit_utils.get_topic_triggers(self, topic, True)
self._sorted['thats'][topic] = sorting.sort_trigger_set(that_triggers,
False, self._say)
if not 'lists' in self._sorted:
self._sorted['lists'] = {}
self._sorted['lists']['sub'] = sorting.sort_list(self._sub.keys())
self._sorted['lists']['person'] = sorting.sort_list(self._person.keys())
| sort_replies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, thats=False):\n self._sorted['topics'] = {}\n self._sorted['thats'] = {}\n self._say('Sorting triggers...')\n for topic in self._topics.keys():\n self._say('Analyzing topic ' + topic)\n alltrig = inherit_utils.get_topic_triggers(self, topic, False)\n self._sorted['topics'][topic] = sorting.sort_trigger_set(alltrig, \n True, self._say)\n that_triggers = inherit_utils.get_topic_triggers(self, topic, True)\n self._sorted['thats'][topic] = sorting.sort_trigger_set(that_triggers,\n False, self._say)\n if not 'lists' in self._sorted:\n self._sorted['lists'] = {}\n self._sorted['lists']['sub'] = sorting.sort_list(self._sub.keys())\n self._sorted['lists']['person'] = sorting.sort_list(self._person.keys())\n",
"role": "user"
},
{
"content": "sort_replies",
"role": "assistant"
}
] |
def x(self, language, obj):
if obj is None:
if language in self._handlers:
del self._handlers[language]
else:
self._handlers[language] = obj
| set_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, language, obj):\n if obj is None:\n if language in self._handlers:\n del self._handlers[language]\n else:\n self._handlers[language] = obj\n",
"role": "user"
},
{
"content": "set_handler",
"role": "assistant"
}
] |
def x(self, name, code):
if 'python' in self._handlers:
self._handlers['python']._objects[name] = code
self._objlangs[name] = 'python'
else:
self._warn("Can't set_subroutine: no Python object handler!")
| set_subroutine | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, code):\n if 'python' in self._handlers:\n self._handlers['python']._objects[name] = code\n self._objlangs[name] = 'python'\n else:\n self._warn(\"Can't set_subroutine: no Python object handler!\")\n",
"role": "user"
},
{
"content": "set_subroutine",
"role": "assistant"
}
] |
def x(self, name, value):
if value is None:
if name in self._global:
del self._global[name]
self._global[name] = value
| set_global | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value):\n if value is None:\n if name in self._global:\n del self._global[name]\n self._global[name] = value\n",
"role": "user"
},
{
"content": "set_global",
"role": "assistant"
}
] |
def x(self, name, value):
if value is None:
if name in self._var:
del self._var[name]
self._var[name] = value
| set_variable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value):\n if value is None:\n if name in self._var:\n del self._var[name]\n self._var[name] = value\n",
"role": "user"
},
{
"content": "set_variable",
"role": "assistant"
}
] |
def x(self, what, rep):
if rep is None:
if what in self._subs:
del self._subs[what]
self._subs[what] = rep
| set_substitution | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, what, rep):\n if rep is None:\n if what in self._subs:\n del self._subs[what]\n self._subs[what] = rep\n",
"role": "user"
},
{
"content": "set_substitution",
"role": "assistant"
}
] |
def x(self, what, rep):
if rep is None:
if what in self._person:
del self._person[what]
self._person[what] = rep
| set_person | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, what, rep):\n if rep is None:\n if what in self._person:\n del self._person[what]\n self._person[what] = rep\n",
"role": "user"
},
{
"content": "set_person",
"role": "assistant"
}
] |
def x(self, user, name, value):
self._session.set(user, {name: value})
| set_uservar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, name, value):\n self._session.set(user, {name: value})\n",
"role": "user"
},
{
"content": "set_uservar",
"role": "assistant"
}
] |
def x(self, user, data=None):
if type(user) is dict and data is None:
for uid, uservars in user.items():
if type(uservars) is not dict:
raise TypeError(
"In set_uservars(many_vars) syntax, the many_vars dict must be in the format of `many_vars['username'] = dict(key=value)`, but the contents of many_vars['{}'] is not a dict."
.format(uid))
self._session.set(uid, uservars)
elif type(user) in [text_type, str] and type(data) is dict:
self._session.set(user, data)
else:
raise TypeError(
'set_uservars() may only be called with types ({str}, dict) or (dict<{str}, dict>) but you called it with types ({a}, {b})'
.format(str='unicode' if sys.version_info[0] < 3 else 'str', a=
type(user), b=type(data)))
| set_uservars | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, data=None):\n if type(user) is dict and data is None:\n for uid, uservars in user.items():\n if type(uservars) is not dict:\n raise TypeError(\n \"In set_uservars(many_vars) syntax, the many_vars dict must be in the format of `many_vars['username'] = dict(key=value)`, but the contents of many_vars['{}'] is not a dict.\"\n .format(uid))\n self._session.set(uid, uservars)\n elif type(user) in [text_type, str] and type(data) is dict:\n self._session.set(user, data)\n else:\n raise TypeError(\n 'set_uservars() may only be called with types ({str}, dict) or (dict<{str}, dict>) but you called it with types ({a}, {b})'\n .format(str='unicode' if sys.version_info[0] < 3 else 'str', a=\n type(user), b=type(data)))\n",
"role": "user"
},
{
"content": "set_uservars",
"role": "assistant"
}
] |
def x(self, user, name):
if name == '__lastmatch__':
return self.last_match(user)
else:
return self._session.get(user, name)
| get_uservar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, name):\n if name == '__lastmatch__':\n return self.last_match(user)\n else:\n return self._session.get(user, name)\n",
"role": "user"
},
{
"content": "get_uservar",
"role": "assistant"
}
] |
def x(self, user=None):
if user is None:
return self._session.get_all()
else:
return self._session.get_any(user)
| get_uservars | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user=None):\n if user is None:\n return self._session.get_all()\n else:\n return self._session.get_any(user)\n",
"role": "user"
},
{
"content": "get_uservars",
"role": "assistant"
}
] |
def x(self, user=None):
if user is None:
self._session.reset_all()
else:
self._session.reset(user)
| clear_uservars | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user=None):\n if user is None:\n self._session.reset_all()\n else:\n self._session.reset(user)\n",
"role": "user"
},
{
"content": "clear_uservars",
"role": "assistant"
}
] |
def x(self, trigger=None, dump=False):
if dump:
return self._syntax
response = None
for category in self._syntax:
for topic in self._syntax[category]:
if trigger in self._syntax[category][topic]:
if response is None:
response = list()
fname, lineno = self._syntax[category][topic][trigger][
'trigger']
response.append(dict(category=category, topic=topic,
trigger=trigger, filename=fname, line=lineno))
return response
| trigger_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, trigger=None, dump=False):\n if dump:\n return self._syntax\n response = None\n for category in self._syntax:\n for topic in self._syntax[category]:\n if trigger in self._syntax[category][topic]:\n if response is None:\n response = list()\n fname, lineno = self._syntax[category][topic][trigger][\n 'trigger']\n response.append(dict(category=category, topic=topic,\n trigger=trigger, filename=fname, line=lineno))\n return response\n",
"role": "user"
},
{
"content": "trigger_info",
"role": "assistant"
}
] |
def x(self):
if self._brain._current_user is None:
self._warn(
'current_user() is meant to be used from within a Python object macro!'
)
return self._brain._current_user
| current_user | [
{
"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._brain._current_user is None:\n self._warn(\n 'current_user() is meant to be used from within a Python object macro!'\n )\n return self._brain._current_user\n",
"role": "user"
},
{
"content": "current_user",
"role": "assistant"
}
] |
def x(self, user, msg, errors_as_replies=True):
return self._brain.reply(user, msg, errors_as_replies)
| reply | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, msg, errors_as_replies=True):\n return self._brain.reply(user, msg, errors_as_replies)\n",
"role": "user"
},
{
"content": "reply",
"role": "assistant"
}
] |
def x(self, kind, pattern):
if pattern not in self._regexc[kind]:
qm = re.escape(pattern)
self._regexc[kind][pattern] = {'qm': qm, 'sub1': re.compile('^' +
qm + '$'), 'sub2': re.compile('^' + qm + '(\\W+)'), 'sub3': re.
compile('(\\W+)' + qm + '(\\W+)'), 'sub4': re.compile('(\\W+)' +
qm + '$')}
| precompile_substitution | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, kind, pattern):\n if pattern not in self._regexc[kind]:\n qm = re.escape(pattern)\n self._regexc[kind][pattern] = {'qm': qm, 'sub1': re.compile('^' +\n qm + '$'), 'sub2': re.compile('^' + qm + '(\\\\W+)'), 'sub3': re.\n compile('(\\\\W+)' + qm + '(\\\\W+)'), 'sub4': re.compile('(\\\\W+)' +\n qm + '$')}\n",
"role": "user"
},
{
"content": "precompile_substitution",
"role": "assistant"
}
] |
def x(self, trigger):
if utils.is_atomic(trigger):
return
for tag in ['@', '<bot', '<get', '<input', '<reply']:
if tag in trigger:
return
self._regexc['trigger'][trigger] = self._brain.reply_regexp(None, trigger)
| precompile_regexp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, trigger):\n if utils.is_atomic(trigger):\n return\n for tag in ['@', '<bot', '<get', '<input', '<reply']:\n if tag in trigger:\n return\n self._regexc['trigger'][trigger] = self._brain.reply_regexp(None, trigger)\n",
"role": "user"
},
{
"content": "precompile_regexp",
"role": "assistant"
}
] |
def x(self):
pp = pprint.PrettyPrinter(indent=4)
print('=== Variables ===')
print('-- Globals --')
pp.pprint(self._global)
print('-- Bot vars --')
pp.pprint(self._var)
print('-- Substitutions --')
pp.pprint(self._sub)
print('-- Person Substitutions --')
pp.pprint(self._person)
print('-- Arrays --')
pp.pprint(self._array)
print('=== Topic Structure ===')
pp.pprint(self._topics)
print('=== %Previous Structure ===')
pp.pprint(self._thats)
print('=== Includes ===')
pp.pprint(self._includes)
print('=== Inherits ===')
pp.pprint(self._lineage)
print('=== Sort Buffer ===')
pp.pprint(self._sorted)
print('=== Syntax Tree ===')
pp.pprint(self._syntax)
| dump | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pp = pprint.PrettyPrinter(indent=4)\n print('=== Variables ===')\n print('-- Globals --')\n pp.pprint(self._global)\n print('-- Bot vars --')\n pp.pprint(self._var)\n print('-- Substitutions --')\n pp.pprint(self._sub)\n print('-- Person Substitutions --')\n pp.pprint(self._person)\n print('-- Arrays --')\n pp.pprint(self._array)\n print('=== Topic Structure ===')\n pp.pprint(self._topics)\n print('=== %Previous Structure ===')\n pp.pprint(self._thats)\n print('=== Includes ===')\n pp.pprint(self._includes)\n print('=== Inherits ===')\n pp.pprint(self._lineage)\n print('=== Sort Buffer ===')\n pp.pprint(self._sorted)\n print('=== Syntax Tree ===')\n pp.pprint(self._syntax)\n",
"role": "user"
},
{
"content": "dump",
"role": "assistant"
}
] |
def x(self, cmd, line):
if cmd == '!':
match = re.match(RE.def_syntax, line)
if not match:
return (
"Invalid format for !Definition line: must be '! type name = value' OR '! type = value'"
)
elif cmd == '>':
parts = re.split(' ', line, 2)
if parts[0] == 'begin' and len(parts) > 1:
return (
"The 'begin' label takes no additional arguments, should be verbatim '> begin'"
)
elif parts[0] == 'topic':
search = re.search(RE.name_syntax, line)
if search:
return (
'Topics should be lowercased and contain only numbers and letters'
)
elif parts[0] == 'object':
search = re.search(RE.obj_syntax, line)
if search:
return 'Objects can only contain numbers and letters'
elif cmd == '+' or cmd == '%' or cmd == '@':
parens = 0
square = 0
curly = 0
angle = 0
for char in line:
if char == '(':
parens += 1
elif char == ')':
parens -= 1
elif char == '[':
square += 1
elif char == ']':
square -= 1
elif char == '{':
curly += 1
elif char == '}':
curly -= 1
elif char == '<':
angle += 1
elif char == '>':
angle -= 1
elif char == '|':
if parens == 0 and square == 0:
return (
'Pipe | must be within parenthesis brackets or square brackets'
)
if angle != 0 and char in {'(', ')', '[', ']', '{', '}'}:
return (
'Angle bracket must be closed before closing or opening other type of brackets'
)
total = parens + square + curly
for special_char_count in [parens, square, curly, angle, total]:
if special_char_count not in (0, 1):
return 'Unbalanced brackets'
if parens != 0:
return 'Unmatched parenthesis brackets'
elif square != 0:
return 'Unmatched square brackets'
elif curly != 0:
return 'Unmatched curly brackets'
elif angle != 0:
return 'Unmatched angle brackets'
search = re.search(RE.empty_pipe, line)
if search:
return "Piped arrays can't include blank entries"
if self.utf8:
search = re.search(RE.utf8_trig, line)
if search:
return (
"Triggers can't contain uppercase letters, backslashes or dots in UTF-8 mode."
)
else:
search = re.search(RE.trig_syntax, line)
if search:
return (
'Triggers may only contain lowercase letters, numbers, and these symbols: ( | ) [ ] * _ # @ { } < > ='
)
elif cmd == '-' or cmd == '^' or cmd == '/':
pass
elif cmd == '*':
match = re.match(RE.cond_syntax, line)
if not match:
return (
"Invalid format for !Condition: should be like '* value symbol value => response'"
)
return None
| check_syntax | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd, line):\n if cmd == '!':\n match = re.match(RE.def_syntax, line)\n if not match:\n return (\n \"Invalid format for !Definition line: must be '! type name = value' OR '! type = value'\"\n )\n elif cmd == '>':\n parts = re.split(' ', line, 2)\n if parts[0] == 'begin' and len(parts) > 1:\n return (\n \"The 'begin' label takes no additional arguments, should be verbatim '> begin'\"\n )\n elif parts[0] == 'topic':\n search = re.search(RE.name_syntax, line)\n if search:\n return (\n 'Topics should be lowercased and contain only numbers and letters'\n )\n elif parts[0] == 'object':\n search = re.search(RE.obj_syntax, line)\n if search:\n return 'Objects can only contain numbers and letters'\n elif cmd == '+' or cmd == '%' or cmd == '@':\n parens = 0\n square = 0\n curly = 0\n angle = 0\n for char in line:\n if char == '(':\n parens += 1\n elif char == ')':\n parens -= 1\n elif char == '[':\n square += 1\n elif char == ']':\n square -= 1\n elif char == '{':\n curly += 1\n elif char == '}':\n curly -= 1\n elif char == '<':\n angle += 1\n elif char == '>':\n angle -= 1\n elif char == '|':\n if parens == 0 and square == 0:\n return (\n 'Pipe | must be within parenthesis brackets or square brackets'\n )\n if angle != 0 and char in {'(', ')', '[', ']', '{', '}'}:\n return (\n 'Angle bracket must be closed before closing or opening other type of brackets'\n )\n total = parens + square + curly\n for special_char_count in [parens, square, curly, angle, total]:\n if special_char_count not in (0, 1):\n return 'Unbalanced brackets'\n if parens != 0:\n return 'Unmatched parenthesis brackets'\n elif square != 0:\n return 'Unmatched square brackets'\n elif curly != 0:\n return 'Unmatched curly brackets'\n elif angle != 0:\n return 'Unmatched angle brackets'\n search = re.search(RE.empty_pipe, line)\n if search:\n return \"Piped arrays can't include blank entries\"\n if self.utf8:\n search = re.search(RE.utf8_trig, line)\n if search:\n return (\n \"Triggers can't contain uppercase letters, backslashes or dots in UTF-8 mode.\"\n )\n else:\n search = re.search(RE.trig_syntax, line)\n if search:\n return (\n 'Triggers may only contain lowercase letters, numbers, and these symbols: ( | ) [ ] * _ # @ { } < > ='\n )\n elif cmd == '-' or cmd == '^' or cmd == '/':\n pass\n elif cmd == '*':\n match = re.match(RE.cond_syntax, line)\n if not match:\n return (\n \"Invalid format for !Condition: should be like '* value symbol value => response'\"\n )\n return None\n",
"role": "user"
},
{
"content": "check_syntax",
"role": "assistant"
}
] |
def x(request, app_label=None, exclude=None, filename_prefix=None):
app_label = app_label or []
exclude = exclude
try:
filename = '%s.%s' % (datetime.now().isoformat(), settings.
SMUGGLER_FORMAT)
if filename_prefix:
filename = '%s_%s' % (filename_prefix, filename)
if not isinstance(app_label, list):
app_label = [app_label]
response = serialize_to_response(app_label, exclude)
response['Content-Disposition'] = 'attachment; filename=%s' % filename
return response
except CommandError as e:
messages.error(request, _(
'An exception occurred while dumping data: %s') % force_text(e))
return HttpResponseRedirect(request.build_absolute_uri().split('dump')[0])
| dump_to_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, app_label=None, exclude=None, filename_prefix=None):\n app_label = app_label or []\n exclude = exclude\n try:\n filename = '%s.%s' % (datetime.now().isoformat(), settings.\n SMUGGLER_FORMAT)\n if filename_prefix:\n filename = '%s_%s' % (filename_prefix, filename)\n if not isinstance(app_label, list):\n app_label = [app_label]\n response = serialize_to_response(app_label, exclude)\n response['Content-Disposition'] = 'attachment; filename=%s' % filename\n return response\n except CommandError as e:\n messages.error(request, _(\n 'An exception occurred while dumping data: %s') % force_text(e))\n return HttpResponseRedirect(request.build_absolute_uri().split('dump')[0])\n",
"role": "user"
},
{
"content": "dump_to_response",
"role": "assistant"
}
] |
def x(request):
app_label = request.GET.get('app_label', [])
if app_label:
app_label = app_label.split(',')
return dump_to_response(request, app_label=app_label, exclude=settings.
SMUGGLER_EXCLUDE_LIST)
| dump_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n app_label = request.GET.get('app_label', [])\n if app_label:\n app_label = app_label.split(',')\n return dump_to_response(request, app_label=app_label, exclude=settings.\n SMUGGLER_EXCLUDE_LIST)\n",
"role": "user"
},
{
"content": "dump_data",
"role": "assistant"
}
] |
def x(request, app_label, model_label):
return dump_to_response(request, '%s.%s' % (app_label, model_label), [],
'-'.join((app_label, model_label)))
| dump_model_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, app_label, model_label):\n return dump_to_response(request, '%s.%s' % (app_label, model_label), [],\n '-'.join((app_label, model_label)))\n",
"role": "user"
},
{
"content": "dump_model_data",
"role": "assistant"
}
] |
def x(data):
if len(data) == 0:
return
data = data.copy()
for k, v in data.items():
v.discard(k)
extra_items_in_deps = functools.reduce(set.union, data.values()) - set(data
.keys())
data.update(dict((item, set()) for item in extra_items_in_deps))
while True:
ordered = set(item for item, dep in data.items() if len(dep) == 0)
if not ordered:
break
yield ordered
data = dict((item, dep - ordered) for item, dep in data.items() if
item not in ordered)
if len(data) != 0:
raise ValueError('Cyclic dependencies exist among these items: {}'.
format(', '.join(repr(x) for x in data.items())))
| toposort | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n if len(data) == 0:\n return\n data = data.copy()\n for k, v in data.items():\n v.discard(k)\n extra_items_in_deps = functools.reduce(set.union, data.values()) - set(data\n .keys())\n data.update(dict((item, set()) for item in extra_items_in_deps))\n while True:\n ordered = set(item for item, dep in data.items() if len(dep) == 0)\n if not ordered:\n break\n yield ordered\n data = dict((item, dep - ordered) for item, dep in data.items() if \n item not in ordered)\n if len(data) != 0:\n raise ValueError('Cyclic dependencies exist among these items: {}'.\n format(', '.join(repr(x) for x in data.items())))\n",
"role": "user"
},
{
"content": "toposort",
"role": "assistant"
}
] |
def x(frequency):
number = int(re.findall('\\d+', frequency)[0])
unit = re.findall('[^\\d]+', frequency)[0]
if unit == 'h':
number *= 60 * 60
elif unit == 'm':
number *= 60
elif unit == 'd':
number *= 60 * 60 * 24
elif unit:
raise FrequencyDefinitionError(unit)
return number
| convert_frequency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(frequency):\n number = int(re.findall('\\\\d+', frequency)[0])\n unit = re.findall('[^\\\\d]+', frequency)[0]\n if unit == 'h':\n number *= 60 * 60\n elif unit == 'm':\n number *= 60\n elif unit == 'd':\n number *= 60 * 60 * 24\n elif unit:\n raise FrequencyDefinitionError(unit)\n return number\n",
"role": "user"
},
{
"content": "convert_frequency",
"role": "assistant"
}
] |
def x(d, now):
def x(a, b):
def x(n):
if n == 1:
return a % n
return b % n
return inner
def x(s):
return s
chunks = (60 * 60 * 24 * 365, pluralize('%d year', '%d years')), (60 *
60 * 24 * 30, pluralize('%d month', '%d months')), (60 * 60 * 24 *
7, pluralize('%d week', '%d weeks')), (60 * 60 * 24, pluralize(
'%d day', '%d days')), (60 * 60, pluralize('%d hour', '%d hours')), (
60, pluralize('%d minute', '%d minutes')), (0, pluralize(
'%d second', '%d seconds'))
if not isinstance(d, datetime.datetime):
d = datetime.datetime(d.year, d.month, d.day)
if now and not isinstance(now, datetime.datetime):
now = datetime.datetime(now.year, now.month, now.day)
delta = now - d
since = delta.days * 24 * 60 * 60 + delta.seconds
if since <= 0:
_, name = chunks[-1]
return name(0)
for i, (seconds, name) in enumerate(chunks):
if seconds > 0:
count = since // seconds
if count != 0:
break
else:
count = since
result = name(count)
if i + 1 < len(chunks):
seconds2, name2 = chunks[i + 1]
if seconds2 > 0:
count2 = (since - seconds * count) // seconds2
else:
count2 = since - seconds * count
if count2 != 0:
result += ugettext(', ') + name2(count2)
return result
| timesince | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, now):\n\n def x(a, b):\n\n def x(n):\n if n == 1:\n return a % n\n return b % n\n return inner\n\n def x(s):\n return s\n chunks = (60 * 60 * 24 * 365, pluralize('%d year', '%d years')), (60 * \n 60 * 24 * 30, pluralize('%d month', '%d months')), (60 * 60 * 24 * \n 7, pluralize('%d week', '%d weeks')), (60 * 60 * 24, pluralize(\n '%d day', '%d days')), (60 * 60, pluralize('%d hour', '%d hours')), (\n 60, pluralize('%d minute', '%d minutes')), (0, pluralize(\n '%d second', '%d seconds'))\n if not isinstance(d, datetime.datetime):\n d = datetime.datetime(d.year, d.month, d.day)\n if now and not isinstance(now, datetime.datetime):\n now = datetime.datetime(now.year, now.month, now.day)\n delta = now - d\n since = delta.days * 24 * 60 * 60 + delta.seconds\n if since <= 0:\n _, name = chunks[-1]\n return name(0)\n for i, (seconds, name) in enumerate(chunks):\n if seconds > 0:\n count = since // seconds\n if count != 0:\n break\n else:\n count = since\n result = name(count)\n if i + 1 < len(chunks):\n seconds2, name2 = chunks[i + 1]\n if seconds2 > 0:\n count2 = (since - seconds * count) // seconds2\n else:\n count2 = since - seconds * count\n if count2 != 0:\n result += ugettext(', ') + name2(count2)\n return result\n",
"role": "user"
},
{
"content": "timesince",
"role": "assistant"
}
] |
def x(self, name=None):
if not name:
name = self._get_default_connection_name()
if name in self.pool:
return self.pool[name]
self.pool[name] = psycopg2.connect(self.dsn)
return self.pool[name]
| connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None):\n if not name:\n name = self._get_default_connection_name()\n if name in self.pool:\n return self.pool[name]\n self.pool[name] = psycopg2.connect(self.dsn)\n return self.pool[name]\n",
"role": "user"
},
{
"content": "connection",
"role": "assistant"
}
] |
def x(self, connection, force=False):
if force:
try:
connection.close()
except self.operational_exceptions:
self.config.logger.error('ConnectionFactory - failed closing')
for name, conn in self.pool.iteritems():
if conn is connection:
break
del self.pool[name]
else:
pass
| close_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection, force=False):\n if force:\n try:\n connection.close()\n except self.operational_exceptions:\n self.config.logger.error('ConnectionFactory - failed closing')\n for name, conn in self.pool.iteritems():\n if conn is connection:\n break\n del self.pool[name]\n else:\n pass\n",
"role": "user"
},
{
"content": "close_connection",
"role": "assistant"
}
] |
def x(signal_number, frame, logger=None):
global restart
restart = True
if logger:
logger.info('detected SIGHUP')
raise KeyboardInterrupt
| respond_to_SIGHUP | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(signal_number, frame, logger=None):\n global restart\n restart = True\n if logger:\n logger.info('detected SIGHUP')\n raise KeyboardInterrupt\n",
"role": "user"
},
{
"content": "respond_to_SIGHUP",
"role": "assistant"
}
] |
def x(self):
for x in self.config.backoff_delays:
yield x
while True:
yield self.config.backoff_delays[-1]
| backoff_generator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for x in self.config.backoff_delays:\n yield x\n while True:\n yield self.config.backoff_delays[-1]\n",
"role": "user"
},
{
"content": "backoff_generator",
"role": "assistant"
}
] |
def x(self, seconds, wait_reason=''):
for x in xrange(int(seconds)):
if (self.config.wait_log_interval and not x % self.config.
wait_log_interval):
self.config.logger.debug('%s: %dsec of %dsec' % (wait_reason, x,
seconds))
self.quit_check()
time.sleep(1.0)
| responsive_sleep | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, seconds, wait_reason=''):\n for x in xrange(int(seconds)):\n if (self.config.wait_log_interval and not x % self.config.\n wait_log_interval):\n self.config.logger.debug('%s: %dsec of %dsec' % (wait_reason, x,\n seconds))\n self.quit_check()\n time.sleep(1.0)\n",
"role": "user"
},
{
"content": "responsive_sleep",
"role": "assistant"
}
] |
def x(cls):
def x(self, function=None):
return super(cls, self).main(function=function, once=False)
cls.main = main
cls._is_backfill_app = True
return cls
| as_backfill_cron_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n\n def x(self, function=None):\n return super(cls, self).main(function=function, once=False)\n cls.main = main\n cls._is_backfill_app = True\n return cls\n",
"role": "user"
},
{
"content": "as_backfill_cron_app",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.