source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(index, *mux_ins, **kwargs):
if kwargs:
if len(kwargs) != 1 or 'default' not in kwargs:
try:
result = select(index, **kwargs)
import warnings
warnings.warn(
'Predicates are being deprecated in Mux. Use the select operator instead.'
, stacklevel=2)
return result
except Exception:
bad_args = [k for k in kwargs.keys() if k != 'default']
raise PyrtlError('unknown keywords %s applied to mux' % str
(bad_args))
default = kwargs['default']
else:
default = None
short_by = 2 ** len(index) - len(mux_ins)
if short_by > 0:
if default is not None:
mux_ins = list(mux_ins)
extention = [default] * short_by
mux_ins.extend(extention)
if 2 ** len(index) != len(mux_ins):
raise PyrtlError(
'Mux select line is %d bits, but selecting from %d inputs. ' %
(len(index), len(mux_ins)))
if len(index) == 1:
return select(index, falsecase=mux_ins[0], truecase=mux_ins[1])
half = len(mux_ins) // 2
return select(index[-1], falsecase=mux(index[0:-1], *mux_ins[:half]),
truecase=mux(index[0:-1], *mux_ins[half:]))
| mux | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(index, *mux_ins, **kwargs):\n if kwargs:\n if len(kwargs) != 1 or 'default' not in kwargs:\n try:\n result = select(index, **kwargs)\n import warnings\n warnings.warn(\n 'Predicates are being deprecated in Mux. Use the select operator instead.'\n , stacklevel=2)\n return result\n except Exception:\n bad_args = [k for k in kwargs.keys() if k != 'default']\n raise PyrtlError('unknown keywords %s applied to mux' % str\n (bad_args))\n default = kwargs['default']\n else:\n default = None\n short_by = 2 ** len(index) - len(mux_ins)\n if short_by > 0:\n if default is not None:\n mux_ins = list(mux_ins)\n extention = [default] * short_by\n mux_ins.extend(extention)\n if 2 ** len(index) != len(mux_ins):\n raise PyrtlError(\n 'Mux select line is %d bits, but selecting from %d inputs. ' %\n (len(index), len(mux_ins)))\n if len(index) == 1:\n return select(index, falsecase=mux_ins[0], truecase=mux_ins[1])\n half = len(mux_ins) // 2\n return select(index[-1], falsecase=mux(index[0:-1], *mux_ins[:half]),\n truecase=mux(index[0:-1], *mux_ins[half:]))\n",
"role": "user"
},
{
"content": "mux",
"role": "assistant"
}
] |
def x(sel, truecase, falsecase):
sel, f, t = (as_wires(w) for w in (sel, falsecase, truecase))
f, t = match_bitwidth(f, t)
outwire = WireVector(bitwidth=len(f))
net = LogicNet(op='x', op_param=None, args=(sel, f, t), dests=(outwire,))
working_block().add_net(net)
return outwire
| select | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sel, truecase, falsecase):\n sel, f, t = (as_wires(w) for w in (sel, falsecase, truecase))\n f, t = match_bitwidth(f, t)\n outwire = WireVector(bitwidth=len(f))\n net = LogicNet(op='x', op_param=None, args=(sel, f, t), dests=(outwire,))\n working_block().add_net(net)\n return outwire\n",
"role": "user"
},
{
"content": "select",
"role": "assistant"
}
] |
def x(*args):
if len(args) <= 0:
raise PyrtlError('error, concat requires at least 1 argument')
if len(args) == 1:
return as_wires(args[0])
arg_wirevectors = tuple(as_wires(arg) for arg in args)
final_width = sum(len(arg) for arg in arg_wirevectors)
outwire = WireVector(bitwidth=final_width)
net = LogicNet(op='c', op_param=None, args=arg_wirevectors, dests=(
outwire,))
working_block().add_net(net)
return outwire
| concat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n if len(args) <= 0:\n raise PyrtlError('error, concat requires at least 1 argument')\n if len(args) == 1:\n return as_wires(args[0])\n arg_wirevectors = tuple(as_wires(arg) for arg in args)\n final_width = sum(len(arg) for arg in arg_wirevectors)\n outwire = WireVector(bitwidth=final_width)\n net = LogicNet(op='c', op_param=None, args=arg_wirevectors, dests=(\n outwire,))\n working_block().add_net(net)\n return outwire\n",
"role": "user"
},
{
"content": "concat",
"role": "assistant"
}
] |
def x(a, b):
a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True)
result_len = len(a) + 1
ext_a = a.sign_extended(result_len)
ext_b = b.sign_extended(result_len)
return (ext_a + ext_b)[0:result_len]
| signed_add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True)\n result_len = len(a) + 1\n ext_a = a.sign_extended(result_len)\n ext_b = b.sign_extended(result_len)\n return (ext_a + ext_b)[0:result_len]\n",
"role": "user"
},
{
"content": "signed_add",
"role": "assistant"
}
] |
def x(a, b):
a, b = as_wires(a), as_wires(b)
final_len = len(a) + len(b)
a, b = a.sign_extended(final_len), b.sign_extended(final_len)
return (a * b)[0:final_len]
| signed_mult | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n a, b = as_wires(a), as_wires(b)\n final_len = len(a) + len(b)\n a, b = a.sign_extended(final_len), b.sign_extended(final_len)\n return (a * b)[0:final_len]\n",
"role": "user"
},
{
"content": "signed_mult",
"role": "assistant"
}
] |
def x(a, b):
a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True)
r = a - b
return r[-1] ^ ~a[-1] ^ ~b[-1]
| signed_lt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True)\n r = a - b\n return r[-1] ^ ~a[-1] ^ ~b[-1]\n",
"role": "user"
},
{
"content": "signed_lt",
"role": "assistant"
}
] |
def x(a, b):
a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True)
r = a - b
return r[-1] ^ ~a[-1] ^ ~b[-1] | (a == b)
| signed_le | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True)\n r = a - b\n return r[-1] ^ ~a[-1] ^ ~b[-1] | (a == b)\n",
"role": "user"
},
{
"content": "signed_le",
"role": "assistant"
}
] |
def x(a, b):
a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True)
r = b - a
return r[-1] ^ ~a[-1] ^ ~b[-1]
| signed_gt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True)\n r = b - a\n return r[-1] ^ ~a[-1] ^ ~b[-1]\n",
"role": "user"
},
{
"content": "signed_gt",
"role": "assistant"
}
] |
def x(a, b):
a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True)
r = b - a
return r[-1] ^ ~a[-1] ^ ~b[-1] | (a == b)
| signed_ge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True)\n r = b - a\n return r[-1] ^ ~a[-1] ^ ~b[-1] | (a == b)\n",
"role": "user"
},
{
"content": "signed_ge",
"role": "assistant"
}
] |
def x(bits_to_shift, shift_amount):
a, shamt = _check_shift_inputs(bits_to_shift, shift_amount)
bit_in = bits_to_shift[-1]
dir = Const(0)
return barrel.barrel_shifter(bits_to_shift, bit_in, dir, shift_amount)
| shift_right_arithmetic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bits_to_shift, shift_amount):\n a, shamt = _check_shift_inputs(bits_to_shift, shift_amount)\n bit_in = bits_to_shift[-1]\n dir = Const(0)\n return barrel.barrel_shifter(bits_to_shift, bit_in, dir, shift_amount)\n",
"role": "user"
},
{
"content": "shift_right_arithmetic",
"role": "assistant"
}
] |
def x(*args, **opt):
if len(opt) == 0:
signed = False
else:
if len(opt) > 1 or 'signed' not in opt:
raise PyrtlError(
'error, only supported kwarg to match_bitwidth is "signed"')
signed = bool(opt['signed'])
max_len = max(len(wv) for wv in args)
if signed:
return (wv.sign_extended(max_len) for wv in args)
else:
return (wv.zero_extended(max_len) for wv in args)
| match_bitwidth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **opt):\n if len(opt) == 0:\n signed = False\n else:\n if len(opt) > 1 or 'signed' not in opt:\n raise PyrtlError(\n 'error, only supported kwarg to match_bitwidth is \"signed\"')\n signed = bool(opt['signed'])\n max_len = max(len(wv) for wv in args)\n if signed:\n return (wv.sign_extended(max_len) for wv in args)\n else:\n return (wv.zero_extended(max_len) for wv in args)\n",
"role": "user"
},
{
"content": "match_bitwidth",
"role": "assistant"
}
] |
def x(val, bitwidth=None, truncating=True, block=None):
from .memory import _MemIndexed
block = working_block(block)
if isinstance(val, (int, six.string_types)):
return Const(val, bitwidth=bitwidth, block=block)
elif isinstance(val, _MemIndexed):
if val.wire is None:
val.wire = as_wires(val.mem._readaccess(val.index), bitwidth,
truncating, block)
return val.wire
elif not isinstance(val, WireVector):
raise PyrtlError(
'error, expecting a wirevector, int, or verilog-style const string got %s instead'
% repr(val))
elif bitwidth == '0':
raise PyrtlError('error, bitwidth must be >= 1')
elif val.bitwidth is None:
raise PyrtlError(
'error, attempting to use wirevector with no defined bitwidth')
elif bitwidth and bitwidth > val.bitwidth:
return val.zero_extended(bitwidth)
elif bitwidth and truncating and bitwidth < val.bitwidth:
return val[:bitwidth]
else:
return val
| as_wires | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val, bitwidth=None, truncating=True, block=None):\n from .memory import _MemIndexed\n block = working_block(block)\n if isinstance(val, (int, six.string_types)):\n return Const(val, bitwidth=bitwidth, block=block)\n elif isinstance(val, _MemIndexed):\n if val.wire is None:\n val.wire = as_wires(val.mem._readaccess(val.index), bitwidth,\n truncating, block)\n return val.wire\n elif not isinstance(val, WireVector):\n raise PyrtlError(\n 'error, expecting a wirevector, int, or verilog-style const string got %s instead'\n % repr(val))\n elif bitwidth == '0':\n raise PyrtlError('error, bitwidth must be >= 1')\n elif val.bitwidth is None:\n raise PyrtlError(\n 'error, attempting to use wirevector with no defined bitwidth')\n elif bitwidth and bitwidth > val.bitwidth:\n return val.zero_extended(bitwidth)\n elif bitwidth and truncating and bitwidth < val.bitwidth:\n return val[:bitwidth]\n else:\n return val\n",
"role": "user"
},
{
"content": "as_wires",
"role": "assistant"
}
] |
def x(w, range_start, range_end, newvalue, truncating=False):
from .corecircuits import concat_list
w = as_wires(w)
idxs = list(range(len(w)))
idxs_lower = idxs[0:range_start]
idxs_middle = idxs[range_start:range_end]
idxs_upper = idxs[range_end:]
if len(idxs_middle) == 0:
raise PyrtlError(
'Cannot update bitfield of size 0 (i.e. there are no bits to update)'
)
newvalue = as_wires(newvalue, bitwidth=len(idxs_middle), truncating=
truncating)
if len(idxs_middle) != len(newvalue):
raise PyrtlError(
'Cannot update bitfield of length %d with value of length %d unless truncating=True is specified'
% (len(idxs_middle), len(newvalue)))
result_list = []
if idxs_lower:
result_list.append(w[idxs_lower[0]:idxs_lower[-1] + 1])
result_list.append(newvalue)
if idxs_upper:
result_list.append(w[idxs_upper[0]:idxs_upper[-1] + 1])
result = concat_list(result_list)
if len(result) != len(w):
raise PyrtlInternalError('len(result)=%d, len(original)=%d' % (len(
result), len(w)))
return result
| bitfield_update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(w, range_start, range_end, newvalue, truncating=False):\n from .corecircuits import concat_list\n w = as_wires(w)\n idxs = list(range(len(w)))\n idxs_lower = idxs[0:range_start]\n idxs_middle = idxs[range_start:range_end]\n idxs_upper = idxs[range_end:]\n if len(idxs_middle) == 0:\n raise PyrtlError(\n 'Cannot update bitfield of size 0 (i.e. there are no bits to update)'\n )\n newvalue = as_wires(newvalue, bitwidth=len(idxs_middle), truncating=\n truncating)\n if len(idxs_middle) != len(newvalue):\n raise PyrtlError(\n 'Cannot update bitfield of length %d with value of length %d unless truncating=True is specified'\n % (len(idxs_middle), len(newvalue)))\n result_list = []\n if idxs_lower:\n result_list.append(w[idxs_lower[0]:idxs_lower[-1] + 1])\n result_list.append(newvalue)\n if idxs_upper:\n result_list.append(w[idxs_upper[0]:idxs_upper[-1] + 1])\n result = concat_list(result_list)\n if len(result) != len(w):\n raise PyrtlInternalError('len(result)=%d, len(original)=%d' % (len(\n result), len(w)))\n return result\n",
"role": "user"
},
{
"content": "bitfield_update",
"role": "assistant"
}
] |
def x(cntrl, table, default=None, strict=True):
keytypeset = set(type(x) for x in table.keys() if x is not otherwise)
if len(keytypeset) != 1:
raise PyrtlError('table mixes multiple types {} as keys'.format(
keytypeset))
keytype = list(keytypeset)[0]
try:
enumkeys = list(keytype.__members__.values())
except AttributeError:
raise PyrtlError(
'type {} not an Enum and does not support the same interface'.
format(keytype))
missingkeys = [e for e in enumkeys if e not in table]
if otherwise in table:
if default is not None:
raise PyrtlError(
'both "otherwise" and default provided to enum_mux')
else:
default = table[otherwise]
if strict and default is None and missingkeys:
raise PyrtlError('table provided is incomplete, missing: {}'.format
(missingkeys))
vals = {k.value: d for k, d in table.items() if k is not otherwise}
if default is not None:
vals['default'] = default
return muxes.sparse_mux(cntrl, vals)
| enum_mux | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cntrl, table, default=None, strict=True):\n keytypeset = set(type(x) for x in table.keys() if x is not otherwise)\n if len(keytypeset) != 1:\n raise PyrtlError('table mixes multiple types {} as keys'.format(\n keytypeset))\n keytype = list(keytypeset)[0]\n try:\n enumkeys = list(keytype.__members__.values())\n except AttributeError:\n raise PyrtlError(\n 'type {} not an Enum and does not support the same interface'.\n format(keytype))\n missingkeys = [e for e in enumkeys if e not in table]\n if otherwise in table:\n if default is not None:\n raise PyrtlError(\n 'both \"otherwise\" and default provided to enum_mux')\n else:\n default = table[otherwise]\n if strict and default is None and missingkeys:\n raise PyrtlError('table provided is incomplete, missing: {}'.format\n (missingkeys))\n vals = {k.value: d for k, d in table.items() if k is not otherwise}\n if default is not None:\n vals['default'] = default\n return muxes.sparse_mux(cntrl, vals)\n",
"role": "user"
},
{
"content": "enum_mux",
"role": "assistant"
}
] |
def x(*vectorlist):
if len(vectorlist) <= 0:
raise PyrtlError('rtl_any requires at least 1 argument')
converted_vectorlist = [as_wires(v) for v in vectorlist]
if any(len(v) != 1 for v in converted_vectorlist):
raise PyrtlError('only length 1 WireVectors can be inputs to rtl_any')
return or_all_bits(concat_list(converted_vectorlist))
| rtl_any | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*vectorlist):\n if len(vectorlist) <= 0:\n raise PyrtlError('rtl_any requires at least 1 argument')\n converted_vectorlist = [as_wires(v) for v in vectorlist]\n if any(len(v) != 1 for v in converted_vectorlist):\n raise PyrtlError('only length 1 WireVectors can be inputs to rtl_any')\n return or_all_bits(concat_list(converted_vectorlist))\n",
"role": "user"
},
{
"content": "rtl_any",
"role": "assistant"
}
] |
def x(*vectorlist):
if len(vectorlist) <= 0:
raise PyrtlError('rtl_all requires at least 1 argument')
converted_vectorlist = [as_wires(v) for v in vectorlist]
if any(len(v) != 1 for v in converted_vectorlist):
raise PyrtlError('only length 1 WireVectors can be inputs to rtl_all')
return and_all_bits(concat_list(converted_vectorlist))
| rtl_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*vectorlist):\n if len(vectorlist) <= 0:\n raise PyrtlError('rtl_all requires at least 1 argument')\n converted_vectorlist = [as_wires(v) for v in vectorlist]\n if any(len(v) != 1 for v in converted_vectorlist):\n raise PyrtlError('only length 1 WireVectors can be inputs to rtl_all')\n return and_all_bits(concat_list(converted_vectorlist))\n",
"role": "user"
},
{
"content": "rtl_all",
"role": "assistant"
}
] |
def x(A, B):
if len(B) == 1:
A, B = B, A
if len(A) == 1:
return concat_list(list(A & b for b in B) + [Const(0)])
result_bitwidth = len(A) + len(B)
bits = [[] for weight in range(result_bitwidth)]
for i, a in enumerate(A):
for j, b in enumerate(B):
bits[i + j].append(a & b)
while not all(len(i) <= 2 for i in bits):
deferred = [[] for weight in range(result_bitwidth + 1)]
for i, w_array in enumerate(bits):
while len(w_array) >= 3:
a, b, cin = (w_array.pop(0) for j in range(3))
deferred[i].append(a ^ b ^ cin)
deferred[i + 1].append(a & b | a & cin | b & cin)
if len(w_array) == 2:
a, b = w_array
deferred[i].append(a ^ b)
deferred[i + 1].append(a & b)
else:
deferred[i].extend(w_array)
bits = deferred[:result_bitwidth]
import six
add_wires = tuple(six.moves.zip_longest(*bits, fillvalue=Const(0)))
adder_result = concat_list(add_wires[0]) + concat_list(add_wires[1])
return adder_result[:result_bitwidth]
| basic_mult | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(A, B):\n if len(B) == 1:\n A, B = B, A\n if len(A) == 1:\n return concat_list(list(A & b for b in B) + [Const(0)])\n result_bitwidth = len(A) + len(B)\n bits = [[] for weight in range(result_bitwidth)]\n for i, a in enumerate(A):\n for j, b in enumerate(B):\n bits[i + j].append(a & b)\n while not all(len(i) <= 2 for i in bits):\n deferred = [[] for weight in range(result_bitwidth + 1)]\n for i, w_array in enumerate(bits):\n while len(w_array) >= 3:\n a, b, cin = (w_array.pop(0) for j in range(3))\n deferred[i].append(a ^ b ^ cin)\n deferred[i + 1].append(a & b | a & cin | b & cin)\n if len(w_array) == 2:\n a, b = w_array\n deferred[i].append(a ^ b)\n deferred[i + 1].append(a & b)\n else:\n deferred[i].extend(w_array)\n bits = deferred[:result_bitwidth]\n import six\n add_wires = tuple(six.moves.zip_longest(*bits, fillvalue=Const(0)))\n adder_result = concat_list(add_wires[0]) + concat_list(add_wires[1])\n return adder_result[:result_bitwidth]\n",
"role": "user"
},
{
"content": "basic_mult",
"role": "assistant"
}
] |
def x(predicate):
global _depth
_check_under_condition()
_depth += 1
if predicate is not otherwise and len(predicate) > 1:
raise PyrtlError(
'all predicates for conditional assignments must wirevectors of len 1'
)
_conditions_list_stack[-1].append(predicate)
_conditions_list_stack.append([])
| push_condition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(predicate):\n global _depth\n _check_under_condition()\n _depth += 1\n if predicate is not otherwise and len(predicate) > 1:\n raise PyrtlError(\n 'all predicates for conditional assignments must wirevectors of len 1'\n )\n _conditions_list_stack[-1].append(predicate)\n _conditions_list_stack.append([])\n",
"role": "user"
},
{
"content": "push_condition",
"role": "assistant"
}
] |
def x(lhs, rhs):
_check_under_condition()
final_predicate, pred_set = _current_select()
_check_and_add_pred_set(lhs, pred_set)
_predicate_map.setdefault(lhs, []).append((final_predicate, rhs))
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lhs, rhs):\n _check_under_condition()\n final_predicate, pred_set = _current_select()\n _check_and_add_pred_set(lhs, pred_set)\n _predicate_map.setdefault(lhs, []).append((final_predicate, rhs))\n",
"role": "user"
},
{
"content": "build",
"role": "assistant"
}
] |
def x(pred_set_a, pred_set_b):
for pred_a, bool_a in pred_set_a:
for pred_b, bool_b in pred_set_b:
if pred_a is pred_b and bool_a != bool_b:
return False
return True
| pred_sets_are_in_conflict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pred_set_a, pred_set_b):\n for pred_a, bool_a in pred_set_a:\n for pred_b, bool_b in pred_set_b:\n if pred_a is pred_b and bool_a != bool_b:\n return False\n return True\n",
"role": "user"
},
{
"content": "pred_sets_are_in_conflict",
"role": "assistant"
}
] |
def x():
from .memory import MemBlock
from pyrtl.corecircuits import select
for lhs in _predicate_map:
if isinstance(lhs, MemBlock):
p, (addr, data, enable) = _predicate_map[lhs][0]
combined_enable = select(p, truecase=enable, falsecase=Const(0))
combined_addr = addr
combined_data = data
for p, (addr, data, enable) in _predicate_map[lhs][1:]:
combined_enable = select(p, truecase=enable, falsecase=
combined_enable)
combined_addr = select(p, truecase=addr, falsecase=
combined_addr)
combined_data = select(p, truecase=data, falsecase=
combined_data)
lhs._build(combined_addr, combined_data, combined_enable)
else:
if isinstance(lhs, Register):
result = lhs
elif isinstance(lhs, WireVector):
result = 0
else:
raise PyrtlInternalError('unknown assignment in finalize')
predlist = _predicate_map[lhs]
for p, rhs in predlist:
result = select(p, truecase=rhs, falsecase=result)
lhs._build(result)
| finalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from .memory import MemBlock\n from pyrtl.corecircuits import select\n for lhs in _predicate_map:\n if isinstance(lhs, MemBlock):\n p, (addr, data, enable) = _predicate_map[lhs][0]\n combined_enable = select(p, truecase=enable, falsecase=Const(0))\n combined_addr = addr\n combined_data = data\n for p, (addr, data, enable) in _predicate_map[lhs][1:]:\n combined_enable = select(p, truecase=enable, falsecase=\n combined_enable)\n combined_addr = select(p, truecase=addr, falsecase=\n combined_addr)\n combined_data = select(p, truecase=data, falsecase=\n combined_data)\n lhs._build(combined_addr, combined_data, combined_enable)\n else:\n if isinstance(lhs, Register):\n result = lhs\n elif isinstance(lhs, WireVector):\n result = 0\n else:\n raise PyrtlInternalError('unknown assignment in finalize')\n predlist = _predicate_map[lhs]\n for p, rhs in predlist:\n result = select(p, truecase=rhs, falsecase=result)\n lhs._build(result)\n",
"role": "user"
},
{
"content": "finalize",
"role": "assistant"
}
] |
def x():
def x(a, b):
assert a is not None or b is not None
if a is None:
return b
if b is None:
return a
return a & b
def x(predlist):
lastother = None
for i, p in enumerate(predlist[:-1]):
if p is otherwise:
lastother = i
if lastother is None:
return predlist[:-1]
else:
return predlist[lastother + 1:-1]
select = None
pred_set = set()
for predlist in _conditions_list_stack[:-1]:
for predicate in between_otherwise_and_current(predlist):
select = and_with_possible_none(select, ~predicate)
pred_set.add((predicate, True))
if predlist[-1] is not otherwise:
predicate = predlist[-1]
select = and_with_possible_none(select, predicate)
pred_set.add((predicate, False))
if select is None:
raise PyrtlError('problem with conditional assignment')
if len(select) != 1:
raise PyrtlInternalError(
'conditional predicate with length greater than 1')
return select, pred_set
| current_select | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n\n def x(a, b):\n assert a is not None or b is not None\n if a is None:\n return b\n if b is None:\n return a\n return a & b\n\n def x(predlist):\n lastother = None\n for i, p in enumerate(predlist[:-1]):\n if p is otherwise:\n lastother = i\n if lastother is None:\n return predlist[:-1]\n else:\n return predlist[lastother + 1:-1]\n select = None\n pred_set = set()\n for predlist in _conditions_list_stack[:-1]:\n for predicate in between_otherwise_and_current(predlist):\n select = and_with_possible_none(select, ~predicate)\n pred_set.add((predicate, True))\n if predlist[-1] is not otherwise:\n predicate = predlist[-1]\n select = and_with_possible_none(select, predicate)\n pred_set.add((predicate, False))\n if select is None:\n raise PyrtlError('problem with conditional assignment')\n if len(select) != 1:\n raise PyrtlInternalError(\n 'conditional predicate with length greater than 1')\n return select, pred_set\n",
"role": "user"
},
{
"content": "current_select",
"role": "assistant"
}
] |
def x(tech_in_nm=130, block=None):
def x(tech_in_nm, bits, ports, is_rom):
tech_in_um = tech_in_nm / 1000.0
area_estimate = (0.001 * tech_in_um ** 2.07 * bits ** 0.9 * ports **
0.7 + 0.0048)
return area_estimate if not is_rom else area_estimate / 10.0
def x(width):
return width * 34.4 - 25.8
def x(width):
if width == 1:
return 5
elif width == 2:
return 39
elif width == 3:
return 219
else:
return -958 + 150 * width + 45 * width ** 2
def x(net):
if net.op in 'w~sc':
return 0
elif net.op in '&|n':
return 40 / 8.0 * len(net.args[0])
elif net.op in '^=<>x':
return 80 / 8.0 * len(net.args[0])
elif net.op == 'r':
return 144 / 8.0 * len(net.args[0])
elif net.op in '+-':
return adder_stdcell_estimate(len(net.args[0]))
elif net.op == '*':
return multiplier_stdcell_estimate(len(net.args[0]))
elif net.op in 'm@':
return 0
else:
raise PyrtlInternalError(
"""Unable to estimate the following net due to unimplemented op :
%s"""
% str(net))
block = working_block(block)
total_tracks = sum(stdcell_estimate(a_net) for a_net in block.logic)
total_length_in_nm = total_tracks * 8 * 55
area_in_mm2_for_130nm = total_length_in_nm * (72 * 55) / 1000000000000.0
logic_area = area_in_mm2_for_130nm / (130.0 / tech_in_nm) ** 2
mem_area = 0
for mem in set(net.op_param[1] for net in block.logic_subset('@m')):
bits, ports, is_rom = _bits_ports_and_isrom_from_memory(mem)
mem_area += mem_area_estimate(tech_in_nm, bits, ports, is_rom)
return logic_area, mem_area
| area_estimation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tech_in_nm=130, block=None):\n\n def x(tech_in_nm, bits, ports, is_rom):\n tech_in_um = tech_in_nm / 1000.0\n area_estimate = (0.001 * tech_in_um ** 2.07 * bits ** 0.9 * ports **\n 0.7 + 0.0048)\n return area_estimate if not is_rom else area_estimate / 10.0\n\n def x(width):\n return width * 34.4 - 25.8\n\n def x(width):\n if width == 1:\n return 5\n elif width == 2:\n return 39\n elif width == 3:\n return 219\n else:\n return -958 + 150 * width + 45 * width ** 2\n\n def x(net):\n if net.op in 'w~sc':\n return 0\n elif net.op in '&|n':\n return 40 / 8.0 * len(net.args[0])\n elif net.op in '^=<>x':\n return 80 / 8.0 * len(net.args[0])\n elif net.op == 'r':\n return 144 / 8.0 * len(net.args[0])\n elif net.op in '+-':\n return adder_stdcell_estimate(len(net.args[0]))\n elif net.op == '*':\n return multiplier_stdcell_estimate(len(net.args[0]))\n elif net.op in 'm@':\n return 0\n else:\n raise PyrtlInternalError(\n \"\"\"Unable to estimate the following net due to unimplemented op :\n%s\"\"\"\n % str(net))\n block = working_block(block)\n total_tracks = sum(stdcell_estimate(a_net) for a_net in block.logic)\n total_length_in_nm = total_tracks * 8 * 55\n area_in_mm2_for_130nm = total_length_in_nm * (72 * 55) / 1000000000000.0\n logic_area = area_in_mm2_for_130nm / (130.0 / tech_in_nm) ** 2\n mem_area = 0\n for mem in set(net.op_param[1] for net in block.logic_subset('@m')):\n bits, ports, is_rom = _bits_ports_and_isrom_from_memory(mem)\n mem_area += mem_area_estimate(tech_in_nm, bits, ports, is_rom)\n return logic_area, mem_area\n",
"role": "user"
},
{
"content": "area_estimation",
"role": "assistant"
}
] |
def x(mem):
is_rom = False
bits = 2 ** mem.addrwidth * mem.bitwidth
read_ports = len(mem.readport_nets)
try:
write_ports = len(mem.writeport_nets)
except AttributeError:
if not isinstance(mem, RomBlock):
raise PyrtlInternalError(
'Mem with no writeport_nets attribute but not a ROM? Thats an error'
)
write_ports = 0
is_rom = True
ports = max(read_ports, write_ports)
return bits, ports, is_rom
| bits_ports_and_isrom_from_memory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mem):\n is_rom = False\n bits = 2 ** mem.addrwidth * mem.bitwidth\n read_ports = len(mem.readport_nets)\n try:\n write_ports = len(mem.writeport_nets)\n except AttributeError:\n if not isinstance(mem, RomBlock):\n raise PyrtlInternalError(\n 'Mem with no writeport_nets attribute but not a ROM? Thats an error'\n )\n write_ports = 0\n is_rom = True\n ports = max(read_ports, write_ports)\n return bits, ports, is_rom\n",
"role": "user"
},
{
"content": "bits_ports_and_isrom_from_memory",
"role": "assistant"
}
] |
def x(library, abc_cmd=None, block=None):
if abc_cmd is None:
abc_cmd = 'strash;scorr;ifraig;retime;dch,-f;map;print_stats;'
else:
re.sub('\\s+', ',', abc_cmd)
abc_cmd = '%s;print_stats;' % abc_cmd
def x(yosys_output):
report_lines = [line for line in yosys_output.split('\n') if
'ABC: netlist' in line]
area = re.match('.*area\\s*=\\s*([0-9\\.]*)', report_lines[0]).group(1)
delay = re.match('.*delay\\s*=\\s*([0-9\\.]*)', report_lines[0]).group(
1)
return float(area), float(delay)
yosys_arg_template = """-p
read_verilog %s;
synth -top toplevel;
dfflibmap -liberty %s;
abc -liberty %s -script +%s
"""
temp_d, temp_path = tempfile.mkstemp(suffix='.v')
try:
with os.fdopen(temp_d, 'w') as f:
OutputToVerilog(f, block=block)
yosys_arg = yosys_arg_template % (temp_path, library, library, abc_cmd)
yosys_output = subprocess.check_output(['yosys', yosys_arg])
area, delay = extract_area_delay_from_yosys_output(yosys_output)
except (subprocess.CalledProcessError, ValueError) as e:
print('Error with call to yosys...', file=sys.stderr)
print('---------------------------------------------', file=sys.stderr)
print(e.output, file=sys.stderr)
print('---------------------------------------------', file=sys.stderr)
raise PyrtlError('Yosys callfailed')
except OSError as e:
print('Error with call to yosys...', file=sys.stderr)
raise PyrtlError('Call to yosys failed (not installed or on path?)')
finally:
os.remove(temp_path)
return area, delay
| yosys_area_delay | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(library, abc_cmd=None, block=None):\n if abc_cmd is None:\n abc_cmd = 'strash;scorr;ifraig;retime;dch,-f;map;print_stats;'\n else:\n re.sub('\\\\s+', ',', abc_cmd)\n abc_cmd = '%s;print_stats;' % abc_cmd\n\n def x(yosys_output):\n report_lines = [line for line in yosys_output.split('\\n') if \n 'ABC: netlist' in line]\n area = re.match('.*area\\\\s*=\\\\s*([0-9\\\\.]*)', report_lines[0]).group(1)\n delay = re.match('.*delay\\\\s*=\\\\s*([0-9\\\\.]*)', report_lines[0]).group(\n 1)\n return float(area), float(delay)\n yosys_arg_template = \"\"\"-p\n read_verilog %s;\n synth -top toplevel;\n dfflibmap -liberty %s;\n abc -liberty %s -script +%s\n \"\"\"\n temp_d, temp_path = tempfile.mkstemp(suffix='.v')\n try:\n with os.fdopen(temp_d, 'w') as f:\n OutputToVerilog(f, block=block)\n yosys_arg = yosys_arg_template % (temp_path, library, library, abc_cmd)\n yosys_output = subprocess.check_output(['yosys', yosys_arg])\n area, delay = extract_area_delay_from_yosys_output(yosys_output)\n except (subprocess.CalledProcessError, ValueError) as e:\n print('Error with call to yosys...', file=sys.stderr)\n print('---------------------------------------------', file=sys.stderr)\n print(e.output, file=sys.stderr)\n print('---------------------------------------------', file=sys.stderr)\n raise PyrtlError('Yosys callfailed')\n except OSError as e:\n print('Error with call to yosys...', file=sys.stderr)\n raise PyrtlError('Call to yosys failed (not installed or on path?)')\n finally:\n os.remove(temp_path)\n return area, delay\n",
"role": "user"
},
{
"content": "yosys_area_delay",
"role": "assistant"
}
] |
def x(self, tech_in_nm=130, ffoverhead=None):
cp_length = self.max_length()
scale_factor = 130.0 / tech_in_nm
if ffoverhead is None:
clock_period_in_ps = scale_factor * (cp_length + 189 + 194)
else:
clock_period_in_ps = scale_factor * cp_length + ffoverhead
return 1000000.0 * 1.0 / clock_period_in_ps
| max_freq | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tech_in_nm=130, ffoverhead=None):\n cp_length = self.max_length()\n scale_factor = 130.0 / tech_in_nm\n if ffoverhead is None:\n clock_period_in_ps = scale_factor * (cp_length + 189 + 194)\n else:\n clock_period_in_ps = scale_factor * cp_length + ffoverhead\n return 1000000.0 * 1.0 / clock_period_in_ps\n",
"role": "user"
},
{
"content": "max_freq",
"role": "assistant"
}
] |
def x(self, print_cp=True, cp_limit=100):
critical_paths = []
wire_src_map, dst_map = self.block.net_connections()
def x(old_critical_path, first_wire):
if isinstance(first_wire, (Input, Const, Register)):
critical_paths.append((first_wire, old_critical_path))
return
if len(critical_paths) >= cp_limit:
raise self._TooManyCPsError()
source = wire_src_map[first_wire]
critical_path = [source]
critical_path.extend(old_critical_path)
arg_max_time = max(self.timing_map[arg_wire] for arg_wire in source
.args)
for arg_wire in source.args:
if self.timing_map[arg_wire] == arg_max_time:
critical_path_pass(critical_path, arg_wire)
max_time = self.max_length()
try:
for wire_pair in self.timing_map.items():
if wire_pair[1] == max_time:
critical_path_pass([], wire_pair[0])
except self._TooManyCPsError:
print('Critical path count limit reached')
if print_cp:
self.print_critical_paths(critical_paths)
return critical_paths
| critical_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, print_cp=True, cp_limit=100):\n critical_paths = []\n wire_src_map, dst_map = self.block.net_connections()\n\n def x(old_critical_path, first_wire):\n if isinstance(first_wire, (Input, Const, Register)):\n critical_paths.append((first_wire, old_critical_path))\n return\n if len(critical_paths) >= cp_limit:\n raise self._TooManyCPsError()\n source = wire_src_map[first_wire]\n critical_path = [source]\n critical_path.extend(old_critical_path)\n arg_max_time = max(self.timing_map[arg_wire] for arg_wire in source\n .args)\n for arg_wire in source.args:\n if self.timing_map[arg_wire] == arg_max_time:\n critical_path_pass(critical_path, arg_wire)\n max_time = self.max_length()\n try:\n for wire_pair in self.timing_map.items():\n if wire_pair[1] == max_time:\n critical_path_pass([], wire_pair[0])\n except self._TooManyCPsError:\n print('Critical path count limit reached')\n if print_cp:\n self.print_critical_paths(critical_paths)\n return critical_paths\n",
"role": "user"
},
{
"content": "critical_path",
"role": "assistant"
}
] |
def x(critical_paths):
line_indent = ' ' * 2
for cp_with_num in enumerate(critical_paths):
print('Critical path', cp_with_num[0], ':')
print(line_indent, 'The first wire is:', cp_with_num[1][0])
for net in cp_with_num[1][1]:
print(line_indent, net)
print()
| print_critical_paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(critical_paths):\n line_indent = ' ' * 2\n for cp_with_num in enumerate(critical_paths):\n print('Critical path', cp_with_num[0], ':')\n print(line_indent, 'The first wire is:', cp_with_num[1][0])\n for net in cp_with_num[1][1]:\n print(line_indent, net)\n print()\n",
"role": "user"
},
{
"content": "print_critical_paths",
"role": "assistant"
}
] |
def x(self, endpoint, data, **kwargs):
return self._request(endpoint, 'post', data, **kwargs)
| post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, endpoint, data, **kwargs):\n return self._request(endpoint, 'post', data, **kwargs)\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(self, endpoint, method, data=None, **kwargs):
final_url = self.url + endpoint
if not self._is_authenticated:
raise LoginRequired
rq = self.session
if method == 'get':
request = rq.get(final_url, **kwargs)
else:
request = rq.post(final_url, data, **kwargs)
request.raise_for_status()
request.encoding = 'utf_8'
if len(request.text) == 0:
data = json.loads('{}')
else:
try:
data = json.loads(request.text)
except ValueError:
data = request.text
return data
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, endpoint, method, data=None, **kwargs):\n final_url = self.url + endpoint\n if not self._is_authenticated:\n raise LoginRequired\n rq = self.session\n if method == 'get':\n request = rq.get(final_url, **kwargs)\n else:\n request = rq.post(final_url, data, **kwargs)\n request.raise_for_status()\n request.encoding = 'utf_8'\n if len(request.text) == 0:\n data = json.loads('{}')\n else:\n try:\n data = json.loads(request.text)\n except ValueError:\n data = request.text\n return data\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(self, username='admin', password='admin'):
self.session = requests.Session()
login = self.session.post(self.url + 'login', data={'username':
username, 'password': password})
if login.text == 'Ok.':
self._is_authenticated = True
else:
return login.text
| login | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username='admin', password='admin'):\n self.session = requests.Session()\n login = self.session.post(self.url + 'login', data={'username':\n username, 'password': password})\n if login.text == 'Ok.':\n self._is_authenticated = True\n else:\n return login.text\n",
"role": "user"
},
{
"content": "login",
"role": "assistant"
}
] |
def x(self, **filters):
params = {}
for name, value in filters.items():
name = 'filter' if name == 'status' else name
params[name] = value
return self._get('query/torrents', params=params)
| torrents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **filters):\n params = {}\n for name, value in filters.items():\n name = 'filter' if name == 'status' else name\n params[name] = value\n return self._get('query/torrents', params=params)\n",
"role": "user"
},
{
"content": "torrents",
"role": "assistant"
}
] |
def x(self):
prefs = self._get('query/preferences')
class Proxy(Client):
"""
Proxy class to to allow assignment of individual preferences.
this class overrides some methods to ease things.
Because of this, settings can be assigned like::
In [5]: prefs = qb.preferences()
In [6]: prefs['autorun_enabled']
Out[6]: True
In [7]: prefs['autorun_enabled'] = False
In [8]: prefs['autorun_enabled']
Out[8]: False
"""
def x(self, url, prefs, auth, session):
super(Proxy, self).__init__(url)
self.prefs = prefs
self._is_authenticated = auth
self.session = session
def x(self, key):
return self.prefs[key]
def x(self, key, value):
kwargs = {key: value}
return self.set_preferences(**kwargs)
def x(self):
return self.prefs
return Proxy(self.url, prefs, self._is_authenticated, self.session)
| preferences | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n prefs = self._get('query/preferences')\n\n\n class Proxy(Client):\n \"\"\"\n Proxy class to to allow assignment of individual preferences.\n this class overrides some methods to ease things.\n\n Because of this, settings can be assigned like::\n\n In [5]: prefs = qb.preferences()\n\n In [6]: prefs['autorun_enabled']\n Out[6]: True\n\n In [7]: prefs['autorun_enabled'] = False\n\n In [8]: prefs['autorun_enabled']\n Out[8]: False\n\n \"\"\"\n\n def x(self, url, prefs, auth, session):\n super(Proxy, self).__init__(url)\n self.prefs = prefs\n self._is_authenticated = auth\n self.session = session\n\n def x(self, key):\n return self.prefs[key]\n\n def x(self, key, value):\n kwargs = {key: value}\n return self.set_preferences(**kwargs)\n\n def x(self):\n return self.prefs\n return Proxy(self.url, prefs, self._is_authenticated, self.session)\n",
"role": "user"
},
{
"content": "preferences",
"role": "assistant"
}
] |
def x(self, link, **kwargs):
old_arg_map = {'save_path': 'savepath'}
options = kwargs.copy()
for old_arg, new_arg in old_arg_map.items():
if options.get(old_arg) and not options.get(new_arg):
options[new_arg] = options[old_arg]
if type(link) is list:
options['urls'] = '\n'.join(link)
else:
options['urls'] = link
dummy_file = {'_dummy': (None, '_dummy')}
return self._post('command/download', data=options, files=dummy_file)
| download_from_link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, link, **kwargs):\n old_arg_map = {'save_path': 'savepath'}\n options = kwargs.copy()\n for old_arg, new_arg in old_arg_map.items():\n if options.get(old_arg) and not options.get(new_arg):\n options[new_arg] = options[old_arg]\n if type(link) is list:\n options['urls'] = '\\n'.join(link)\n else:\n options['urls'] = link\n dummy_file = {'_dummy': (None, '_dummy')}\n return self._post('command/download', data=options, files=dummy_file)\n",
"role": "user"
},
{
"content": "download_from_link",
"role": "assistant"
}
] |
def x(self, file_buffer, **kwargs):
if isinstance(file_buffer, list):
torrent_files = {}
for i, f in enumerate(file_buffer):
torrent_files.update({('torrents%s' % i): f})
else:
torrent_files = {'torrents': file_buffer}
data = kwargs.copy()
if data.get('save_path'):
data.update({'savepath': data['save_path']})
return self._post('command/upload', data=data, files=torrent_files)
| download_from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_buffer, **kwargs):\n if isinstance(file_buffer, list):\n torrent_files = {}\n for i, f in enumerate(file_buffer):\n torrent_files.update({('torrents%s' % i): f})\n else:\n torrent_files = {'torrents': file_buffer}\n data = kwargs.copy()\n if data.get('save_path'):\n data.update({'savepath': data['save_path']})\n return self._post('command/upload', data=data, files=torrent_files)\n",
"role": "user"
},
{
"content": "download_from_file",
"role": "assistant"
}
] |
def x(self, infohash, trackers):
data = {'hash': infohash.lower(), 'urls': trackers}
return self._post('command/addTrackers', data=data)
| add_trackers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash, trackers):\n data = {'hash': infohash.lower(), 'urls': trackers}\n return self._post('command/addTrackers', data=data)\n",
"role": "user"
},
{
"content": "add_trackers",
"role": "assistant"
}
] |
def x(infohash_list):
if isinstance(infohash_list, list):
data = {'hashes': '|'.join([h.lower() for h in infohash_list])}
else:
data = {'hashes': infohash_list.lower()}
return data
| process_infohash_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(infohash_list):\n if isinstance(infohash_list, list):\n data = {'hashes': '|'.join([h.lower() for h in infohash_list])}\n else:\n data = {'hashes': infohash_list.lower()}\n return data\n",
"role": "user"
},
{
"content": "process_infohash_list",
"role": "assistant"
}
] |
def x(self, infohash_list):
data = self._process_infohash_list(infohash_list)
return self._post('command/pauseAll', data=data)
| pause_multiple | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list):\n data = self._process_infohash_list(infohash_list)\n return self._post('command/pauseAll', data=data)\n",
"role": "user"
},
{
"content": "pause_multiple",
"role": "assistant"
}
] |
def x(self, infohash_list, label):
data = self._process_infohash_list(infohash_list)
data['label'] = label
return self._post('command/setLabel', data=data)
| set_label | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list, label):\n data = self._process_infohash_list(infohash_list)\n data['label'] = label\n return self._post('command/setLabel', data=data)\n",
"role": "user"
},
{
"content": "set_label",
"role": "assistant"
}
] |
def x(self, infohash_list, category):
data = self._process_infohash_list(infohash_list)
data['category'] = category
return self._post('command/setCategory', data=data)
| set_category | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list, category):\n data = self._process_infohash_list(infohash_list)\n data['category'] = category\n return self._post('command/setCategory', data=data)\n",
"role": "user"
},
{
"content": "set_category",
"role": "assistant"
}
] |
def x(self, infohash_list):
data = self._process_infohash_list(infohash_list)
return self._post('command/resumeAll', data=data)
| resume_multiple | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list):\n data = self._process_infohash_list(infohash_list)\n return self._post('command/resumeAll', data=data)\n",
"role": "user"
},
{
"content": "resume_multiple",
"role": "assistant"
}
] |
def x(self, infohash_list):
data = self._process_infohash_list(infohash_list)
return self._post('command/delete', data=data)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list):\n data = self._process_infohash_list(infohash_list)\n return self._post('command/delete', data=data)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, infohash_list):
data = self._process_infohash_list(infohash_list)
return self._post('command/deletePerm', data=data)
| delete_permanently | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list):\n data = self._process_infohash_list(infohash_list)\n return self._post('command/deletePerm', data=data)\n",
"role": "user"
},
{
"content": "delete_permanently",
"role": "assistant"
}
] |
def x(self, infohash_list):
data = self._process_infohash_list(infohash_list)
return self._post('command/recheck', data=data)
| recheck | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list):\n data = self._process_infohash_list(infohash_list)\n return self._post('command/recheck', data=data)\n",
"role": "user"
},
{
"content": "recheck",
"role": "assistant"
}
] |
def x(self, infohash_list):
data = self._process_infohash_list(infohash_list)
return self._post('command/increasePrio', data=data)
| increase_priority | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list):\n data = self._process_infohash_list(infohash_list)\n return self._post('command/increasePrio', data=data)\n",
"role": "user"
},
{
"content": "increase_priority",
"role": "assistant"
}
] |
def x(self, infohash_list):
data = self._process_infohash_list(infohash_list)
return self._post('command/decreasePrio', data=data)
| decrease_priority | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list):\n data = self._process_infohash_list(infohash_list)\n return self._post('command/decreasePrio', data=data)\n",
"role": "user"
},
{
"content": "decrease_priority",
"role": "assistant"
}
] |
def x(self, infohash_list):
data = self._process_infohash_list(infohash_list)
return self._post('command/topPrio', data=data)
| set_max_priority | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list):\n data = self._process_infohash_list(infohash_list)\n return self._post('command/topPrio', data=data)\n",
"role": "user"
},
{
"content": "set_max_priority",
"role": "assistant"
}
] |
def x(self, infohash_list):
data = self._process_infohash_list(infohash_list)
return self._post('command/bottomPrio', data=data)
| set_min_priority | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list):\n data = self._process_infohash_list(infohash_list)\n return self._post('command/bottomPrio', data=data)\n",
"role": "user"
},
{
"content": "set_min_priority",
"role": "assistant"
}
] |
def x(self, infohash, file_id, priority):
if priority not in [0, 1, 2, 7]:
raise ValueError('Invalid priority, refer WEB-UI docs for info.')
elif not isinstance(file_id, int):
raise TypeError('File ID must be an int')
data = {'hash': infohash.lower(), 'id': file_id, 'priority': priority}
return self._post('command/setFilePrio', data=data)
| set_file_priority | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash, file_id, priority):\n if priority not in [0, 1, 2, 7]:\n raise ValueError('Invalid priority, refer WEB-UI docs for info.')\n elif not isinstance(file_id, int):\n raise TypeError('File ID must be an int')\n data = {'hash': infohash.lower(), 'id': file_id, 'priority': priority}\n return self._post('command/setFilePrio', data=data)\n",
"role": "user"
},
{
"content": "set_file_priority",
"role": "assistant"
}
] |
def x(self, infohash_list):
data = self._process_infohash_list(infohash_list)
return self._post('command/getTorrentsDlLimit', data=data)
| get_torrent_download_limit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list):\n data = self._process_infohash_list(infohash_list)\n return self._post('command/getTorrentsDlLimit', data=data)\n",
"role": "user"
},
{
"content": "get_torrent_download_limit",
"role": "assistant"
}
] |
def x(self, infohash_list, limit):
data = self._process_infohash_list(infohash_list)
data.update({'limit': limit})
return self._post('command/setTorrentsDlLimit', data=data)
| set_torrent_download_limit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list, limit):\n data = self._process_infohash_list(infohash_list)\n data.update({'limit': limit})\n return self._post('command/setTorrentsDlLimit', data=data)\n",
"role": "user"
},
{
"content": "set_torrent_download_limit",
"role": "assistant"
}
] |
def x(self, infohash_list):
data = self._process_infohash_list(infohash_list)
return self._post('command/getTorrentsUpLimit', data=data)
| get_torrent_upload_limit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list):\n data = self._process_infohash_list(infohash_list)\n return self._post('command/getTorrentsUpLimit', data=data)\n",
"role": "user"
},
{
"content": "get_torrent_upload_limit",
"role": "assistant"
}
] |
def x(self, infohash_list, limit):
data = self._process_infohash_list(infohash_list)
data.update({'limit': limit})
return self._post('command/setTorrentsUpLimit', data=data)
| set_torrent_upload_limit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list, limit):\n data = self._process_infohash_list(infohash_list)\n data.update({'limit': limit})\n return self._post('command/setTorrentsUpLimit', data=data)\n",
"role": "user"
},
{
"content": "set_torrent_upload_limit",
"role": "assistant"
}
] |
def x(self, **kwargs):
json_data = 'json={}'.format(json.dumps(kwargs))
headers = {'content-type': 'application/x-www-form-urlencoded'}
return self._post('command/setPreferences', data=json_data, headers=headers
)
| set_preferences | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n json_data = 'json={}'.format(json.dumps(kwargs))\n headers = {'content-type': 'application/x-www-form-urlencoded'}\n return self._post('command/setPreferences', data=json_data, headers=headers\n )\n",
"role": "user"
},
{
"content": "set_preferences",
"role": "assistant"
}
] |
def x(self, infohash_list):
data = self._process_infohash_list(infohash_list)
return self._post('command/toggleSequentialDownload', data=data)
| toggle_sequential_download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list):\n data = self._process_infohash_list(infohash_list)\n return self._post('command/toggleSequentialDownload', data=data)\n",
"role": "user"
},
{
"content": "toggle_sequential_download",
"role": "assistant"
}
] |
def x(self, infohash_list):
data = self._process_infohash_list(infohash_list)
return self._post('command/toggleFirstLastPiecePrio', data=data)
| toggle_first_last_piece_priority | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list):\n data = self._process_infohash_list(infohash_list)\n return self._post('command/toggleFirstLastPiecePrio', data=data)\n",
"role": "user"
},
{
"content": "toggle_first_last_piece_priority",
"role": "assistant"
}
] |
def x(self, infohash_list, value=True):
data = self._process_infohash_list(infohash_list)
data.update({'value': json.dumps(value)})
return self._post('command/setForceStart', data=data)
| force_start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infohash_list, value=True):\n data = self._process_infohash_list(infohash_list)\n data.update({'value': json.dumps(value)})\n return self._post('command/setForceStart', data=data)\n",
"role": "user"
},
{
"content": "force_start",
"role": "assistant"
}
] |
def x(name, use_minified=None):
target = list(filter(lambda x: x['name'] == name, current_app.config[
'VUE_CONFIGURATION']))
if not target:
raise ValueError('Can not find resource from configuration.')
target = target[0]
use_minified = isinstance(use_minified, bool
) and use_minified or current_app.config['VUE_USE_MINIFIED']
CdnClass = LocalCDN if target['use_local'] else getattr(cdn, target[
'cdn'], CDN)
resource_url = CdnClass(name=name, version=target.get('version', ''),
use_minified=use_minified).get_resource_url()
if resource_url.startswith('//') and current_app.config['VUE_CDN_FORCE_SSL'
]:
resource_url = 'https:%s' % resource_url
return resource_url
| vue_find_resource | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, use_minified=None):\n target = list(filter(lambda x: x['name'] == name, current_app.config[\n 'VUE_CONFIGURATION']))\n if not target:\n raise ValueError('Can not find resource from configuration.')\n target = target[0]\n use_minified = isinstance(use_minified, bool\n ) and use_minified or current_app.config['VUE_USE_MINIFIED']\n CdnClass = LocalCDN if target['use_local'] else getattr(cdn, target[\n 'cdn'], CDN)\n resource_url = CdnClass(name=name, version=target.get('version', ''),\n use_minified=use_minified).get_resource_url()\n if resource_url.startswith('//') and current_app.config['VUE_CDN_FORCE_SSL'\n ]:\n resource_url = 'https:%s' % resource_url\n return resource_url\n",
"role": "user"
},
{
"content": "vue_find_resource",
"role": "assistant"
}
] |
def x(time):
try:
time = float(time)
except (ValueError, TypeError):
raise ValueError('Input must be numeric')
if time >= 7 * 60 * 60 * 24:
weeks = math.floor(time / (7 * 60 * 60 * 24))
timestr = '{:g} weeks, '.format(weeks) + humantime(time % (7 * 60 *
60 * 24))
elif time >= 60 * 60 * 24:
days = math.floor(time / (60 * 60 * 24))
timestr = '{:g} days, '.format(days) + humantime(time % (60 * 60 * 24))
elif time >= 60 * 60:
hours = math.floor(time / (60 * 60))
timestr = '{:g} hours, '.format(hours) + humantime(time % (60 * 60))
elif time >= 60:
minutes = math.floor(time / 60.0)
timestr = '{:g} min., '.format(minutes) + humantime(time % 60)
elif (time >= 1) | (time == 0):
timestr = '{:g} s'.format(time)
elif time >= 0.001:
timestr = '{:g} ms'.format(time * 1000.0)
elif time >= 1e-06:
timestr = '{:g} μs'.format(time * 1000000.0)
else:
timestr = '{:g} ns'.format(time * 1000000000.0)
return timestr
| humantime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(time):\n try:\n time = float(time)\n except (ValueError, TypeError):\n raise ValueError('Input must be numeric')\n if time >= 7 * 60 * 60 * 24:\n weeks = math.floor(time / (7 * 60 * 60 * 24))\n timestr = '{:g} weeks, '.format(weeks) + humantime(time % (7 * 60 *\n 60 * 24))\n elif time >= 60 * 60 * 24:\n days = math.floor(time / (60 * 60 * 24))\n timestr = '{:g} days, '.format(days) + humantime(time % (60 * 60 * 24))\n elif time >= 60 * 60:\n hours = math.floor(time / (60 * 60))\n timestr = '{:g} hours, '.format(hours) + humantime(time % (60 * 60))\n elif time >= 60:\n minutes = math.floor(time / 60.0)\n timestr = '{:g} min., '.format(minutes) + humantime(time % 60)\n elif (time >= 1) | (time == 0):\n timestr = '{:g} s'.format(time)\n elif time >= 0.001:\n timestr = '{:g} ms'.format(time * 1000.0)\n elif time >= 1e-06:\n timestr = '{:g} μs'.format(time * 1000000.0)\n else:\n timestr = '{:g} ns'.format(time * 1000000000.0)\n return timestr\n",
"role": "user"
},
{
"content": "humantime",
"role": "assistant"
}
] |
def x(string):
return len(string) - wcswidth(re.compile('\\x1b[^m]*m').sub('', string))
| ansi_len | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n return len(string) - wcswidth(re.compile('\\\\x1b[^m]*m').sub('', string))\n",
"role": "user"
},
{
"content": "ansi_len",
"role": "assistant"
}
] |
def x(data, linestyle):
return linestyle.begin + linestyle.sep.join(data) + linestyle.end
| format_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, linestyle):\n return linestyle.begin + linestyle.sep.join(data) + linestyle.end\n",
"role": "user"
},
{
"content": "format_line",
"role": "assistant"
}
] |
def x(width, n):
if isinstance(width, int):
widths = [width] * n
else:
assert len(width) == n, 'Widths and data do not match'
widths = width
return widths
| parse_width | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(width, n):\n if isinstance(width, int):\n widths = [width] * n\n else:\n assert len(width) == n, 'Widths and data do not match'\n widths = width\n return widths\n",
"role": "user"
},
{
"content": "parse_width",
"role": "assistant"
}
] |
def x(data, headers=None, format_spec=FMT, width=WIDTH, align=ALIGN, style=
STYLE, out=sys.stdout):
ncols = len(data[0]) if headers is None else len(headers)
tablestyle = STYLES[style]
widths = parse_width(width, ncols)
tablestr = [hrule(ncols, widths, tablestyle.top)] if headers is None else [
header(headers, width=widths, align=align, style=style)]
tablestr += [row(d, widths, format_spec, align, style) for d in data]
if len(data) > 0:
tablestr += [hrule(ncols, widths, tablestyle.bottom)]
out.write('\n'.join(tablestr) + '\n')
out.flush()
| table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, headers=None, format_spec=FMT, width=WIDTH, align=ALIGN, style=\n STYLE, out=sys.stdout):\n ncols = len(data[0]) if headers is None else len(headers)\n tablestyle = STYLES[style]\n widths = parse_width(width, ncols)\n tablestr = [hrule(ncols, widths, tablestyle.top)] if headers is None else [\n header(headers, width=widths, align=align, style=style)]\n tablestr += [row(d, widths, format_spec, align, style) for d in data]\n if len(data) > 0:\n tablestr += [hrule(ncols, widths, tablestyle.bottom)]\n out.write('\\n'.join(tablestr) + '\\n')\n out.flush()\n",
"role": "user"
},
{
"content": "table",
"role": "assistant"
}
] |
def x(headers, width=WIDTH, align=ALIGN, style=STYLE, add_hr=True):
tablestyle = STYLES[style]
widths = parse_width(width, len(headers))
alignment = ALIGNMENTS[align]
data = map(lambda x: ('{:%s%d}' % (alignment, x[0] + ansi_len(x[1]))).
format(x[1]), zip(widths, headers))
headerstr = format_line(data, tablestyle.row)
if add_hr:
upper = hrule(len(headers), widths, tablestyle.top)
lower = hrule(len(headers), widths, tablestyle.below_header)
headerstr = '\n'.join([upper, headerstr, lower])
return headerstr
| header | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(headers, width=WIDTH, align=ALIGN, style=STYLE, add_hr=True):\n tablestyle = STYLES[style]\n widths = parse_width(width, len(headers))\n alignment = ALIGNMENTS[align]\n data = map(lambda x: ('{:%s%d}' % (alignment, x[0] + ansi_len(x[1]))).\n format(x[1]), zip(widths, headers))\n headerstr = format_line(data, tablestyle.row)\n if add_hr:\n upper = hrule(len(headers), widths, tablestyle.top)\n lower = hrule(len(headers), widths, tablestyle.below_header)\n headerstr = '\\n'.join([upper, headerstr, lower])\n return headerstr\n",
"role": "user"
},
{
"content": "header",
"role": "assistant"
}
] |
def x(values, width=WIDTH, format_spec=FMT, align=ALIGN, style=STYLE):
tablestyle = STYLES[style]
widths = parse_width(width, len(values))
assert isinstance(format_spec, string_types) | isinstance(format_spec, list
), 'format_spec must be a string or list of strings'
if isinstance(format_spec, string_types):
format_spec = [format_spec] * len(list(values))
def x(val):
width, datum, prec = val
if isinstance(datum, string_types):
return ('{:%s%i}' % (ALIGNMENTS[align], width + ansi_len(datum))
).format(datum)
elif isinstance(datum, Number):
return ('{:%s%i.%s}' % (ALIGNMENTS[align], width, prec)).format(
datum)
else:
raise ValueError(
'Elements in the values array must be strings, ints, or floats'
)
data = map(mapdata, zip(widths, values, format_spec))
return format_line(data, tablestyle.row)
| row | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(values, width=WIDTH, format_spec=FMT, align=ALIGN, style=STYLE):\n tablestyle = STYLES[style]\n widths = parse_width(width, len(values))\n assert isinstance(format_spec, string_types) | isinstance(format_spec, list\n ), 'format_spec must be a string or list of strings'\n if isinstance(format_spec, string_types):\n format_spec = [format_spec] * len(list(values))\n\n def x(val):\n width, datum, prec = val\n if isinstance(datum, string_types):\n return ('{:%s%i}' % (ALIGNMENTS[align], width + ansi_len(datum))\n ).format(datum)\n elif isinstance(datum, Number):\n return ('{:%s%i.%s}' % (ALIGNMENTS[align], width, prec)).format(\n datum)\n else:\n raise ValueError(\n 'Elements in the values array must be strings, ints, or floats'\n )\n data = map(mapdata, zip(widths, values, format_spec))\n return format_line(data, tablestyle.row)\n",
"role": "user"
},
{
"content": "row",
"role": "assistant"
}
] |
def x(n=1, width=WIDTH, linestyle=LineStyle('', '─', '─', '')):
widths = parse_width(width, n)
hrstr = linestyle.sep.join([('{:%s^%i}' % (linestyle.hline, width)).
format('') for width in widths])
return linestyle.begin + hrstr + linestyle.end
| hrule | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n=1, width=WIDTH, linestyle=LineStyle('', '─', '─', '')):\n widths = parse_width(width, n)\n hrstr = linestyle.sep.join([('{:%s^%i}' % (linestyle.hline, width)).\n format('') for width in widths])\n return linestyle.begin + hrstr + linestyle.end\n",
"role": "user"
},
{
"content": "hrule",
"role": "assistant"
}
] |
def x(n, width=WIDTH, style=STYLE):
return hrule(n, width, linestyle=STYLES[style].top)
| top | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n, width=WIDTH, style=STYLE):\n return hrule(n, width, linestyle=STYLES[style].top)\n",
"role": "user"
},
{
"content": "top",
"role": "assistant"
}
] |
def x(message, width=30, style='banner', out=sys.stdout):
out.write(header([message], width=max(width, len(message)), style=style
) + '\n')
out.flush()
| banner | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message, width=30, style='banner', out=sys.stdout):\n out.write(header([message], width=max(width, len(message)), style=style\n ) + '\\n')\n out.flush()\n",
"role": "user"
},
{
"content": "banner",
"role": "assistant"
}
] |
def x(df, **kwargs):
table(df.values, list(df.columns), **kwargs)
| dataframe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, **kwargs):\n table(df.values, list(df.columns), **kwargs)\n",
"role": "user"
},
{
"content": "dataframe",
"role": "assistant"
}
] |
def x(self, address):
self._query_params += str(QueryParam.ADVANCED) + str(QueryParam.ADDRESS
) + address.replace(' ', '+').lower()
| set_address | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address):\n self._query_params += str(QueryParam.ADVANCED) + str(QueryParam.ADDRESS\n ) + address.replace(' ', '+').lower()\n",
"role": "user"
},
{
"content": "set_address",
"role": "assistant"
}
] |
def x(self, min_lease):
self._query_params += str(QueryParam.MIN_LEASE) + str(min_lease)
| set_min_lease | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, min_lease):\n self._query_params += str(QueryParam.MIN_LEASE) + str(min_lease)\n",
"role": "user"
},
{
"content": "set_min_lease",
"role": "assistant"
}
] |
def x(self, added):
self._query_params += str(QueryParam.DAYS_OLD) + str(added)
| set_added_since | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, added):\n self._query_params += str(QueryParam.DAYS_OLD) + str(added)\n",
"role": "user"
},
{
"content": "set_added_since",
"role": "assistant"
}
] |
def x(self, max_lease):
self._query_params += str(QueryParam.MAX_LEASE) + str(max_lease)
| set_max_lease | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, max_lease):\n self._query_params += str(QueryParam.MAX_LEASE) + str(max_lease)\n",
"role": "user"
},
{
"content": "set_max_lease",
"role": "assistant"
}
] |
def x(self, availability):
if availability >= 5:
availability = '5%2B'
self._query_params += str(QueryParam.AVALIABILITY) + str(availability)
| set_availability | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, availability):\n if availability >= 5:\n availability = '5%2B'\n self._query_params += str(QueryParam.AVALIABILITY) + str(availability)\n",
"role": "user"
},
{
"content": "set_availability",
"role": "assistant"
}
] |
def x(self, room_type):
if not isinstance(room_type, RoomType):
raise DaftException('room_type should be an instance of RoomType.')
self._query_params += str(QueryParam.ROOM_TYPE) + str(room_type)
| set_room_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, room_type):\n if not isinstance(room_type, RoomType):\n raise DaftException('room_type should be an instance of RoomType.')\n self._query_params += str(QueryParam.ROOM_TYPE) + str(room_type)\n",
"role": "user"
},
{
"content": "set_room_type",
"role": "assistant"
}
] |
def x(self, keywords):
self._query_params += str(QueryParam.KEYWORDS) + '+'.join(keywords)
| set_keywords | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keywords):\n self._query_params += str(QueryParam.KEYWORDS) + '+'.join(keywords)\n",
"role": "user"
},
{
"content": "set_keywords",
"role": "assistant"
}
] |
def x(self, area):
self._area = area.replace(' ', '-').lower() if isinstance(area, str
) else ','.join(map(lambda x: x.lower().replace(' ', '-'), area))
| set_area | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, area):\n self._area = area.replace(' ', '-').lower() if isinstance(area, str\n ) else ','.join(map(lambda x: x.lower().replace(' ', '-'), area))\n",
"role": "user"
},
{
"content": "set_area",
"role": "assistant"
}
] |
def x(self, open_viewing):
if open_viewing:
self._open_viewing = open_viewing
self._query_params += str(QueryParam.OPEN_VIEWING)
| set_open_viewing | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, open_viewing):\n if open_viewing:\n self._open_viewing = open_viewing\n self._query_params += str(QueryParam.OPEN_VIEWING)\n",
"role": "user"
},
{
"content": "set_open_viewing",
"role": "assistant"
}
] |
def x(self, offset):
if not isinstance(offset, int) or offset < 0:
raise DaftException('Offset should be a positive integer.')
self._offset = str(offset)
| set_offset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset):\n if not isinstance(offset, int) or offset < 0:\n raise DaftException('Offset should be a positive integer.')\n self._offset = str(offset)\n",
"role": "user"
},
{
"content": "set_offset",
"role": "assistant"
}
] |
def x(self, min_price):
if not isinstance(min_price, int):
raise DaftException('Min price should be an integer.')
self._min_price = str(min_price)
self._price += str(QueryParam.MIN_PRICE) + self._min_price
| set_min_price | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, min_price):\n if not isinstance(min_price, int):\n raise DaftException('Min price should be an integer.')\n self._min_price = str(min_price)\n self._price += str(QueryParam.MIN_PRICE) + self._min_price\n",
"role": "user"
},
{
"content": "set_min_price",
"role": "assistant"
}
] |
def x(self, max_price):
if not isinstance(max_price, int):
raise DaftException('Max price should be an integer.')
self._max_price = str(max_price)
self._price += str(QueryParam.MAX_PRICE) + self._max_price
| set_max_price | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, max_price):\n if not isinstance(max_price, int):\n raise DaftException('Max price should be an integer.')\n self._max_price = str(max_price)\n self._price += str(QueryParam.MAX_PRICE) + self._max_price\n",
"role": "user"
},
{
"content": "set_max_price",
"role": "assistant"
}
] |
def x(self, listing_type):
if not isinstance(listing_type, SaleType) and not isinstance(listing_type,
RentType):
raise DaftException(
'listing_type should be an instance of SaleType or RentType.')
self._listing_type = listing_type
| set_listing_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, listing_type):\n if not isinstance(listing_type, SaleType) and not isinstance(listing_type,\n RentType):\n raise DaftException(\n 'listing_type should be an instance of SaleType or RentType.')\n self._listing_type = listing_type\n",
"role": "user"
},
{
"content": "set_listing_type",
"role": "assistant"
}
] |
def x(self, min_beds):
if not isinstance(min_beds, int):
raise DaftException('Minimum number of beds should be an integer.')
self._min_beds = str(min_beds)
self._query_params += str(QueryParam.MIN_BEDS) + self._min_beds
| set_min_beds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, min_beds):\n if not isinstance(min_beds, int):\n raise DaftException('Minimum number of beds should be an integer.')\n self._min_beds = str(min_beds)\n self._query_params += str(QueryParam.MIN_BEDS) + self._min_beds\n",
"role": "user"
},
{
"content": "set_min_beds",
"role": "assistant"
}
] |
def x(self, max_beds):
if not isinstance(max_beds, int):
raise DaftException('Maximum number of beds should be an integer.')
self._max_beds = str(max_beds)
self._query_params += str(QueryParam.MAX_BEDS) + self._max_beds
| set_max_beds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, max_beds):\n if not isinstance(max_beds, int):\n raise DaftException('Maximum number of beds should be an integer.')\n self._max_beds = str(max_beds)\n self._query_params += str(QueryParam.MAX_BEDS) + self._max_beds\n",
"role": "user"
},
{
"content": "set_max_beds",
"role": "assistant"
}
] |
def x(self, sort_by):
if not isinstance(sort_by, SortType):
raise DaftException('sort_by should be an instance of SortType.')
self._sort_by = str(sort_by)
| set_sort_by | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sort_by):\n if not isinstance(sort_by, SortType):\n raise DaftException('sort_by should be an instance of SortType.')\n self._sort_by = str(sort_by)\n",
"role": "user"
},
{
"content": "set_sort_by",
"role": "assistant"
}
] |
def x(self, sort_order):
if not isinstance(sort_order, SortOrder):
raise DaftException('sort_order should be an instance of SortOrder.')
self._sort_order = str(sort_order)
| set_sort_order | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sort_order):\n if not isinstance(sort_order, SortOrder):\n raise DaftException('sort_order should be an instance of SortOrder.')\n self._sort_order = str(sort_order)\n",
"role": "user"
},
{
"content": "set_sort_order",
"role": "assistant"
}
] |
def x(self, commercial_property_type):
if not isinstance(commercial_property_type, CommercialType):
raise DaftException(
'commercial_property_type should be an instance of CommercialType.'
)
self._commercial_property_type = str(commercial_property_type)
| set_commercial_property_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, commercial_property_type):\n if not isinstance(commercial_property_type, CommercialType):\n raise DaftException(\n 'commercial_property_type should be an instance of CommercialType.'\n )\n self._commercial_property_type = str(commercial_property_type)\n",
"role": "user"
},
{
"content": "set_commercial_property_type",
"role": "assistant"
}
] |
def x(self, commercial_min_size):
if not isinstance(commercial_min_size, int):
raise DaftException('commercial_min_size should be an integer.')
self._commercial_min_size = str(commercial_min_size)
self._query_params += str(QueryParam.COMMERCIAL_MIN
) + self._commercial_min_size
| set_commercial_min_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, commercial_min_size):\n if not isinstance(commercial_min_size, int):\n raise DaftException('commercial_min_size should be an integer.')\n self._commercial_min_size = str(commercial_min_size)\n self._query_params += str(QueryParam.COMMERCIAL_MIN\n ) + self._commercial_min_size\n",
"role": "user"
},
{
"content": "set_commercial_min_size",
"role": "assistant"
}
] |
def x(self, commercial_max_size):
if not isinstance(commercial_max_size, int):
raise DaftException('commercial_max_size should be an integer.')
self._commercial_max_size = str(commercial_max_size)
self._query_params += str(QueryParam.COMMERCIAL_MAX
) + self._commercial_max_size
| set_commercial_max_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, commercial_max_size):\n if not isinstance(commercial_max_size, int):\n raise DaftException('commercial_max_size should be an integer.')\n self._commercial_max_size = str(commercial_max_size)\n self._query_params += str(QueryParam.COMMERCIAL_MAX\n ) + self._commercial_max_size\n",
"role": "user"
},
{
"content": "set_commercial_max_size",
"role": "assistant"
}
] |
def x(self, student_accommodation_type):
if not isinstance(student_accommodation_type, StudentAccommodationType):
raise DaftException(
'student_accommodation_type should be an instance of StudentAccommodationType.'
)
self._student_accommodation_type = str(student_accommodation_type)
| set_student_accommodation_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, student_accommodation_type):\n if not isinstance(student_accommodation_type, StudentAccommodationType):\n raise DaftException(\n 'student_accommodation_type should be an instance of StudentAccommodationType.'\n )\n self._student_accommodation_type = str(student_accommodation_type)\n",
"role": "user"
},
{
"content": "set_student_accommodation_type",
"role": "assistant"
}
] |
def x(self, num_occupants):
self._query_params += str(QueryParam.NUM_OCCUPANTS) + str(num_occupants)
| set_num_occupants | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, num_occupants):\n self._query_params += str(QueryParam.NUM_OCCUPANTS) + str(num_occupants)\n",
"role": "user"
},
{
"content": "set_num_occupants",
"role": "assistant"
}
] |
def x(self, public_transport_route):
self._query_params += str(QueryParam.ROUTE_ID) + str(public_transport_route
)
| set_public_transport_route | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, public_transport_route):\n self._query_params += str(QueryParam.ROUTE_ID) + str(public_transport_route\n )\n",
"role": "user"
},
{
"content": "set_public_transport_route",
"role": "assistant"
}
] |
def x(self, property_types):
query_add = ''
for property_type in property_types:
if not isinstance(property_type, PropertyType):
raise DaftException(
'property_types should be an instance of PropertyType.')
query_add += str(property_type)
self._query_params += query_add
| set_property_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, property_types):\n query_add = ''\n for property_type in property_types:\n if not isinstance(property_type, PropertyType):\n raise DaftException(\n 'property_types should be an instance of PropertyType.')\n query_add += str(property_type)\n self._query_params += query_add\n",
"role": "user"
},
{
"content": "set_property_type",
"role": "assistant"
}
] |
def x(self):
self.set_url()
listings = []
request = Request(debug=self._debug)
url = self.get_url()
soup = request.get(url)
divs = soup.find_all('div', {'class': 'box'})
[listings.append(Listing(div, debug=self._debug)) for div in divs]
return listings
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.set_url()\n listings = []\n request = Request(debug=self._debug)\n url = self.get_url()\n soup = request.get(url)\n divs = soup.find_all('div', {'class': 'box'})\n [listings.append(Listing(div, debug=self._debug)) for div in divs]\n return listings\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self):
try:
if self._data_from_search:
return self._data_from_search.find('div', {'class':
'price-changes-sr'}).text
else:
return self._ad_page_content.find('div', {'class':
'price-changes-sr'}).text
except Exception as e:
if self._debug:
logging.error('Error getting price_change. Error message: ' + e
.args[0])
return
| price_change | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n if self._data_from_search:\n return self._data_from_search.find('div', {'class':\n 'price-changes-sr'}).text\n else:\n return self._ad_page_content.find('div', {'class':\n 'price-changes-sr'}).text\n except Exception as e:\n if self._debug:\n logging.error('Error getting price_change. Error message: ' + e\n .args[0])\n return\n",
"role": "user"
},
{
"content": "price_change",
"role": "assistant"
}
] |
def x(self):
upcoming_viewings = []
try:
if self._data_from_search:
viewings = self._data_from_search.find_all('div', {'class':
'smi-onview-text'})
else:
viewings = []
except Exception as e:
if self._debug:
logging.error(
'Error getting upcoming_viewings. Error message: ' + e.args[0])
return
for viewing in viewings:
upcoming_viewings.append(viewing.text.strip())
return upcoming_viewings
| upcoming_viewings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n upcoming_viewings = []\n try:\n if self._data_from_search:\n viewings = self._data_from_search.find_all('div', {'class':\n 'smi-onview-text'})\n else:\n viewings = []\n except Exception as e:\n if self._debug:\n logging.error(\n 'Error getting upcoming_viewings. Error message: ' + e.args[0])\n return\n for viewing in viewings:\n upcoming_viewings.append(viewing.text.strip())\n return upcoming_viewings\n",
"role": "user"
},
{
"content": "upcoming_viewings",
"role": "assistant"
}
] |
def x(self):
facilities = []
try:
list_items = self._ad_page_content.select('#facilities li')
except Exception as e:
if self._debug:
logging.error('Error getting facilities. Error message: ' + e.
args[0])
return
for li in list_items:
facilities.append(li.text)
return facilities
| facilities | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n facilities = []\n try:\n list_items = self._ad_page_content.select('#facilities li')\n except Exception as e:\n if self._debug:\n logging.error('Error getting facilities. Error message: ' + e.\n args[0])\n return\n for li in list_items:\n facilities.append(li.text)\n return facilities\n",
"role": "user"
},
{
"content": "facilities",
"role": "assistant"
}
] |
def x(self):
overviews = []
try:
list_items = self._ad_page_content.select('#overview li')
except Exception as e:
if self._debug:
logging.error('Error getting overviews. Error message: ' + e.
args[0])
return
for li in list_items:
overviews.append(li.text)
return overviews
| overviews | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n overviews = []\n try:\n list_items = self._ad_page_content.select('#overview li')\n except Exception as e:\n if self._debug:\n logging.error('Error getting overviews. Error message: ' + e.\n args[0])\n return\n for li in list_items:\n overviews.append(li.text)\n return overviews\n",
"role": "user"
},
{
"content": "overviews",
"role": "assistant"
}
] |
def x(self):
features = []
try:
list_items = self._ad_page_content.select('#features li')
except Exception as e:
if self._debug:
logging.error('Error getting features. Error message: ' + e.args[0]
)
return
for li in list_items:
features.append(li.text)
return features
| features | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n features = []\n try:\n list_items = self._ad_page_content.select('#features li')\n except Exception as e:\n if self._debug:\n logging.error('Error getting features. Error message: ' + e.args[0]\n )\n return\n for li in list_items:\n features.append(li.text)\n return features\n",
"role": "user"
},
{
"content": "features",
"role": "assistant"
}
] |
def x(self):
try:
if self._data_from_search:
t = self._data_from_search.find('a').contents[0]
else:
t = self._ad_page_content.find('div', {'class':
'smi-object-header'}).find('h1').text.strip()
except Exception as e:
if self._debug:
logging.error(
'Error getting formalised_address. Error message: ' + e.args[0]
)
return
s = t.split('-')
a = s[0].strip()
if 'SALE AGREED' in a:
a = a.split()
a = a[3:]
a = ' '.join([str(x) for x in a])
return a.lower().title().strip()
| formalised_address | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n if self._data_from_search:\n t = self._data_from_search.find('a').contents[0]\n else:\n t = self._ad_page_content.find('div', {'class':\n 'smi-object-header'}).find('h1').text.strip()\n except Exception as e:\n if self._debug:\n logging.error(\n 'Error getting formalised_address. Error message: ' + e.args[0]\n )\n return\n s = t.split('-')\n a = s[0].strip()\n if 'SALE AGREED' in a:\n a = a.split()\n a = a[3:]\n a = ' '.join([str(x) for x in a])\n return a.lower().title().strip()\n",
"role": "user"
},
{
"content": "formalised_address",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.