source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(selects, vals):
if len(selects) != len(vals):
raise pyrtl.PyrtlError('Number of select and val signals must match')
if len(vals) == 0:
raise pyrtl.PyrtlError('Must have a signal to mux')
if len(vals) == 1:
return vals[0]
else:
half = len(vals) // 2
return pyrtl.select(pyrtl.rtl_any(*selects[:half]), truecase=
prioritized_mux(selects[:half], vals[:half]), falsecase=
prioritized_mux(selects[half:], vals[half:]))
| prioritized_mux | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(selects, vals):\n if len(selects) != len(vals):\n raise pyrtl.PyrtlError('Number of select and val signals must match')\n if len(vals) == 0:\n raise pyrtl.PyrtlError('Must have a signal to mux')\n if len(vals) == 1:\n return vals[0]\n else:\n half = len(vals) // 2\n return pyrtl.select(pyrtl.rtl_any(*selects[:half]), truecase=\n prioritized_mux(selects[:half], vals[:half]), falsecase=\n prioritized_mux(selects[half:], vals[half:]))\n",
"role": "user"
},
{
"content": "prioritized_mux",
"role": "assistant"
}
] |
def x(sel, vals):
import numbers
max_val = 2 ** len(sel) - 1
if SparseDefault in vals:
default_val = vals[SparseDefault]
del vals[SparseDefault]
for i in range(max_val + 1):
if i not in vals:
vals[i] = default_val
for key in vals.keys():
if not isinstance(key, numbers.Integral):
raise pyrtl.PyrtlError(
"value %s nust be either an integer or 'default'" % str(key))
if key < 0 or key > max_val:
raise pyrtl.PyrtlError(
'value %s is out of range of the sel wire' % str(key))
return _sparse_mux(sel, vals)
| sparse_mux | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sel, vals):\n import numbers\n max_val = 2 ** len(sel) - 1\n if SparseDefault in vals:\n default_val = vals[SparseDefault]\n del vals[SparseDefault]\n for i in range(max_val + 1):\n if i not in vals:\n vals[i] = default_val\n for key in vals.keys():\n if not isinstance(key, numbers.Integral):\n raise pyrtl.PyrtlError(\n \"value %s nust be either an integer or 'default'\" % str(key))\n if key < 0 or key > max_val:\n raise pyrtl.PyrtlError(\n 'value %s is out of range of the sel wire' % str(key))\n return _sparse_mux(sel, vals)\n",
"role": "user"
},
{
"content": "sparse_mux",
"role": "assistant"
}
] |
def x(sel, vals):
items = list(vals.values())
if len(vals) <= 1:
if len(vals) == 0:
raise pyrtl.PyrtlError('Needs at least one parameter for val')
return items[0]
if len(sel) == 1:
try:
false_result = vals[0]
true_result = vals[1]
except KeyError:
raise pyrtl.PyrtlError(
'Failed to retrieve values for smartmux. The length of sel might be wrong'
)
else:
half = 2 ** (len(sel) - 1)
first_dict = {indx: wire for indx, wire in vals.items() if indx < half}
second_dict = {(indx - half): wire for indx, wire in vals.items() if
indx >= half}
if not len(first_dict):
return sparse_mux(sel[:-1], second_dict)
if not len(second_dict):
return sparse_mux(sel[:-1], first_dict)
false_result = sparse_mux(sel[:-1], first_dict)
true_result = sparse_mux(sel[:-1], second_dict)
if _is_equivelent(false_result, true_result):
return true_result
return pyrtl.select(sel[-1], falsecase=false_result, truecase=true_result)
| sparse_mux | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sel, vals):\n items = list(vals.values())\n if len(vals) <= 1:\n if len(vals) == 0:\n raise pyrtl.PyrtlError('Needs at least one parameter for val')\n return items[0]\n if len(sel) == 1:\n try:\n false_result = vals[0]\n true_result = vals[1]\n except KeyError:\n raise pyrtl.PyrtlError(\n 'Failed to retrieve values for smartmux. The length of sel might be wrong'\n )\n else:\n half = 2 ** (len(sel) - 1)\n first_dict = {indx: wire for indx, wire in vals.items() if indx < half}\n second_dict = {(indx - half): wire for indx, wire in vals.items() if\n indx >= half}\n if not len(first_dict):\n return sparse_mux(sel[:-1], second_dict)\n if not len(second_dict):\n return sparse_mux(sel[:-1], first_dict)\n false_result = sparse_mux(sel[:-1], first_dict)\n true_result = sparse_mux(sel[:-1], second_dict)\n if _is_equivelent(false_result, true_result):\n return true_result\n return pyrtl.select(sel[-1], falsecase=false_result, truecase=true_result)\n",
"role": "user"
},
{
"content": "sparse_mux",
"role": "assistant"
}
] |
def x(select):
if len(select) == 1:
return _demux_2(select)
wires = demux(select[:-1])
sel = select[-1]
not_select = ~sel
zero_wires = tuple(not_select & w for w in wires)
one_wires = tuple(sel & w for w in wires)
return zero_wires + one_wires
| demux | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(select):\n if len(select) == 1:\n return _demux_2(select)\n wires = demux(select[:-1])\n sel = select[-1]\n not_select = ~sel\n zero_wires = tuple(not_select & w for w in wires)\n one_wires = tuple(sel & w for w in wires)\n return zero_wires + one_wires\n",
"role": "user"
},
{
"content": "demux",
"role": "assistant"
}
] |
def x(self):
self._check_finalized()
self._final = True
for dest_w, values in self.dest_instrs_info.items():
mux_vals = dict(zip(self.instructions, values))
dest_w <<= sparse_mux(self.signal_wire, mux_vals)
| finalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._check_finalized()\n self._final = True\n for dest_w, values in self.dest_instrs_info.items():\n mux_vals = dict(zip(self.instructions, values))\n dest_w <<= sparse_mux(self.signal_wire, mux_vals)\n",
"role": "user"
},
{
"content": "finalize",
"role": "assistant"
}
] |
def x(self):
if '_bitmask' not in self.__dict__:
self._bitmask = (1 << len(self)) - 1
return self._bitmask
| bitmask | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if '_bitmask' not in self.__dict__:\n self._bitmask = (1 << len(self)) - 1\n return self._bitmask\n",
"role": "user"
},
{
"content": "bitmask",
"role": "assistant"
}
] |
def x(store):
def x(next_):
def x(action):
print('Dispatch Action:', action)
return next_(action)
return log_dispatch
return wrapper
| log_middleware | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(store):\n\n def x(next_):\n\n def x(action):\n print('Dispatch Action:', action)\n return next_(action)\n return log_dispatch\n return wrapper\n",
"role": "user"
},
{
"content": "log_middleware",
"role": "assistant"
}
] |
def x(self, w):
if isinstance(w, WireVector):
w = w.name
try:
vals = self.tracer.trace[w]
except KeyError:
pass
else:
if not vals:
raise PyrtlError(
'No context available. Please run a simulation step')
return vals[-1]
raise PyrtlError(
'CompiledSimulation does not support inspecting internal WireVectors')
| inspect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, w):\n if isinstance(w, WireVector):\n w = w.name\n try:\n vals = self.tracer.trace[w]\n except KeyError:\n pass\n else:\n if not vals:\n raise PyrtlError(\n 'No context available. Please run a simulation step')\n return vals[-1]\n raise PyrtlError(\n 'CompiledSimulation does not support inspecting internal WireVectors')\n",
"role": "user"
},
{
"content": "inspect",
"role": "assistant"
}
] |
def x(self, inputs):
steps = len(inputs)
ibuf_type = ctypes.c_uint64 * (steps * self._ibufsz)
obuf_type = ctypes.c_uint64 * (steps * self._obufsz)
ibuf = ibuf_type()
obuf = obuf_type()
self._crun.argtypes = [ctypes.c_uint64, ibuf_type, obuf_type]
for n, inmap in enumerate(inputs):
for w in inmap:
if isinstance(w, WireVector):
name = w.name
else:
name = w
start, count = self._inputpos[name]
start += n * self._ibufsz
val = inmap[w]
if val >= 1 << self._inputbw[name]:
raise PyrtlError(
'Wire {} has value {} which cannot be represented using its bitwidth'
.format(name, val))
for pos in range(start, start + count):
ibuf[pos] = val & (1 << 64) - 1
val >>= 64
self._crun(steps, ibuf, obuf)
for name in self.tracer.trace:
rname = self._probe_mapping.get(name, name)
if rname in self._outputpos:
start, count = self._outputpos[rname]
buf, sz = obuf, self._obufsz
elif rname in self._inputpos:
start, count = self._inputpos[rname]
buf, sz = ibuf, self._ibufsz
else:
raise PyrtlInternalError('Untraceable wire in tracer')
res = []
for n in range(steps):
val = 0
for pos in reversed(range(start, start + count)):
val <<= 64
val |= buf[pos]
res.append(val)
start += sz
self.tracer.trace[name].extend(res)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inputs):\n steps = len(inputs)\n ibuf_type = ctypes.c_uint64 * (steps * self._ibufsz)\n obuf_type = ctypes.c_uint64 * (steps * self._obufsz)\n ibuf = ibuf_type()\n obuf = obuf_type()\n self._crun.argtypes = [ctypes.c_uint64, ibuf_type, obuf_type]\n for n, inmap in enumerate(inputs):\n for w in inmap:\n if isinstance(w, WireVector):\n name = w.name\n else:\n name = w\n start, count = self._inputpos[name]\n start += n * self._ibufsz\n val = inmap[w]\n if val >= 1 << self._inputbw[name]:\n raise PyrtlError(\n 'Wire {} has value {} which cannot be represented using its bitwidth'\n .format(name, val))\n for pos in range(start, start + count):\n ibuf[pos] = val & (1 << 64) - 1\n val >>= 64\n self._crun(steps, ibuf, obuf)\n for name in self.tracer.trace:\n rname = self._probe_mapping.get(name, name)\n if rname in self._outputpos:\n start, count = self._outputpos[rname]\n buf, sz = obuf, self._obufsz\n elif rname in self._inputpos:\n start, count = self._inputpos[rname]\n buf, sz = ibuf, self._ibufsz\n else:\n raise PyrtlInternalError('Untraceable wire in tracer')\n res = []\n for n in range(steps):\n val = 0\n for pos in reversed(range(start, start + count)):\n val <<= 64\n val |= buf[pos]\n res.append(val)\n start += sz\n self.tracer.trace[name].extend(res)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, wv):
if isinstance(wv, (Input, Output)):
return True
for net in self.block.logic:
if net.op == 'w' and net.args[0].name == wv.name and isinstance(net
.dests[0], Output):
self._probe_mapping[wv.name] = net.dests[0].name
return True
return False
| traceable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wv):\n if isinstance(wv, (Input, Output)):\n return True\n for net in self.block.logic:\n if net.op == 'w' and net.args[0].name == wv.name and isinstance(net\n .dests[0], Output):\n self._probe_mapping[wv.name] = net.dests[0].name\n return True\n return False\n",
"role": "user"
},
{
"content": "traceable",
"role": "assistant"
}
] |
def x(self):
self._probe_mapping = {}
wvs = {wv for wv in self.tracer.wires_to_track if self._traceable(wv)}
self.tracer.wires_to_track = wvs
self.tracer._wires = {wv.name: wv for wv in wvs}
self.tracer.trace.__init__(wvs)
| remove_untraceable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._probe_mapping = {}\n wvs = {wv for wv in self.tracer.wires_to_track if self._traceable(wv)}\n self.tracer.wires_to_track = wvs\n self.tracer._wires = {wv.name: wv for wv in wvs}\n self.tracer.trace.__init__(wvs)\n",
"role": "user"
},
{
"content": "remove_untraceable",
"role": "assistant"
}
] |
def x(self):
self._dir = tempfile.mkdtemp()
with open(path.join(self._dir, 'pyrtlsim.c'), 'w') as f:
self._create_code(lambda s: f.write(s + '\n'))
if platform.system() == 'Darwin':
shared = '-dynamiclib'
else:
shared = '-shared'
subprocess.check_call(['gcc', '-O0', '-march=native', '-std=c99',
'-m64', shared, '-fPIC', path.join(self._dir, 'pyrtlsim.c'), '-o',
path.join(self._dir, 'pyrtlsim.so')], shell=platform.system() ==
'Windows')
self._dll = ctypes.CDLL(path.join(self._dir, 'pyrtlsim.so'))
self._crun = self._dll.sim_run_all
self._crun.restype = None
| create_dll | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._dir = tempfile.mkdtemp()\n with open(path.join(self._dir, 'pyrtlsim.c'), 'w') as f:\n self._create_code(lambda s: f.write(s + '\\n'))\n if platform.system() == 'Darwin':\n shared = '-dynamiclib'\n else:\n shared = '-shared'\n subprocess.check_call(['gcc', '-O0', '-march=native', '-std=c99',\n '-m64', shared, '-fPIC', path.join(self._dir, 'pyrtlsim.c'), '-o',\n path.join(self._dir, 'pyrtlsim.so')], shell=platform.system() ==\n 'Windows')\n self._dll = ctypes.CDLL(path.join(self._dir, 'pyrtlsim.so'))\n self._crun = self._dll.sim_run_all\n self._crun.restype = None\n",
"role": "user"
},
{
"content": "create_dll",
"role": "assistant"
}
] |
def x(self, w, v):
pieces = []
for n in range(self._limbs(w)):
pieces.append(hex(v & (1 << 64) - 1))
v >>= 64
return ','.join(pieces).join('{}')
| makeini | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, w, v):\n pieces = []\n for n in range(self._limbs(w)):\n pieces.append(hex(v & (1 << 64) - 1))\n v >>= 64\n return ','.join(pieces).join('{}')\n",
"role": "user"
},
{
"content": "makeini",
"role": "assistant"
}
] |
def x(self, dest, res, pos):
if (res is None or dest.bitwidth < res
) and 0 < dest.bitwidth - 64 * pos < 64:
return '&0x{:X}'.format((1 << dest.bitwidth % 64) - 1)
return ''
| makemask | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dest, res, pos):\n if (res is None or dest.bitwidth < res\n ) and 0 < dest.bitwidth - 64 * pos < 64:\n return '&0x{:X}'.format((1 << dest.bitwidth % 64) - 1)\n return ''\n",
"role": "user"
},
{
"content": "makemask",
"role": "assistant"
}
] |
def x(self, arg, n):
return '{vn}[{n}]'.format(vn=self.varname[arg], n=n
) if arg.bitwidth > 64 * n else '0'
| getarglimb | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, arg, n):\n return '{vn}[{n}]'.format(vn=self.varname[arg], n=n\n ) if arg.bitwidth > 64 * n else '0'\n",
"role": "user"
},
{
"content": "getarglimb",
"role": "assistant"
}
] |
def x(self, prefix, obj):
return '{}{}_{}'.format(prefix, self._uid(), ''.join(c for c in obj.
name if c.isalnum()))
| clean_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prefix, obj):\n return '{}{}_{}'.format(prefix, self._uid(), ''.join(c for c in obj.\n name if c.isalnum()))\n",
"role": "user"
},
{
"content": "clean_name",
"role": "assistant"
}
] |
def x(A, B, start):
triv_result = _trivial_mult(A, B)
if triv_result is not None:
return triv_result, pyrtl.Const(1, 1)
alen = len(A)
blen = len(B)
areg = pyrtl.Register(alen)
breg = pyrtl.Register(blen + alen)
accum = pyrtl.Register(blen + alen)
done = areg == 0
with pyrtl.conditional_assignment:
with start:
areg.next |= A
breg.next |= B
accum.next |= 0
with (~done):
areg.next |= areg[1:]
breg.next |= pyrtl.concat(breg, pyrtl.Const(0, 1))
a_0_val = areg[0].sign_extended(len(accum))
accum.next |= accum + (a_0_val & breg)
return accum, done
| simple_mult | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(A, B, start):\n triv_result = _trivial_mult(A, B)\n if triv_result is not None:\n return triv_result, pyrtl.Const(1, 1)\n alen = len(A)\n blen = len(B)\n areg = pyrtl.Register(alen)\n breg = pyrtl.Register(blen + alen)\n accum = pyrtl.Register(blen + alen)\n done = areg == 0\n with pyrtl.conditional_assignment:\n with start:\n areg.next |= A\n breg.next |= B\n accum.next |= 0\n with (~done):\n areg.next |= areg[1:]\n breg.next |= pyrtl.concat(breg, pyrtl.Const(0, 1))\n a_0_val = areg[0].sign_extended(len(accum))\n accum.next |= accum + (a_0_val & breg)\n return accum, done\n",
"role": "user"
},
{
"content": "simple_mult",
"role": "assistant"
}
] |
def x(A, B):
if len(B) == 1:
A, B = B, A
if len(A) == 1:
a_vals = A.sign_extended(len(B))
return pyrtl.concat_list([a_vals & B, pyrtl.Const(0)])
| trivial_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 a_vals = A.sign_extended(len(B))\n return pyrtl.concat_list([a_vals & B, pyrtl.Const(0)])\n",
"role": "user"
},
{
"content": "trivial_mult",
"role": "assistant"
}
] |
def x(A, B, shifts, start):
alen = len(A)
blen = len(B)
areg = pyrtl.Register(alen)
breg = pyrtl.Register(alen + blen)
accum = pyrtl.Register(alen + blen)
done = areg == 0
if shifts > alen or shifts > blen:
raise pyrtl.PyrtlError(
'shift is larger than one or both of the parameters A or B,please choose smaller shift'
)
with pyrtl.conditional_assignment:
with start:
areg.next |= A
breg.next |= B
accum.next |= 0
with (~done):
areg.next |= libutils._shifted_reg_next(areg, 'r', shifts)
breg.next |= libutils._shifted_reg_next(breg, 'l', shifts)
accum.next |= accum + _one_cycle_mult(areg, breg, shifts)
return accum, done
| complex_mult | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(A, B, shifts, start):\n alen = len(A)\n blen = len(B)\n areg = pyrtl.Register(alen)\n breg = pyrtl.Register(alen + blen)\n accum = pyrtl.Register(alen + blen)\n done = areg == 0\n if shifts > alen or shifts > blen:\n raise pyrtl.PyrtlError(\n 'shift is larger than one or both of the parameters A or B,please choose smaller shift'\n )\n with pyrtl.conditional_assignment:\n with start:\n areg.next |= A\n breg.next |= B\n accum.next |= 0\n with (~done):\n areg.next |= libutils._shifted_reg_next(areg, 'r', shifts)\n breg.next |= libutils._shifted_reg_next(breg, 'l', shifts)\n accum.next |= accum + _one_cycle_mult(areg, breg, shifts)\n return accum, done\n",
"role": "user"
},
{
"content": "complex_mult",
"role": "assistant"
}
] |
def x(areg, breg, rem_bits, sum_sf=0, curr_bit=0):
if rem_bits == 0:
return sum_sf
else:
a_curr_val = areg[curr_bit].sign_extended(len(breg))
if curr_bit == 0:
return _one_cycle_mult(areg, breg, rem_bits - 1, sum_sf + (
a_curr_val & breg), curr_bit + 1)
else:
return _one_cycle_mult(areg, breg, rem_bits - 1, sum_sf + (
a_curr_val & pyrtl.concat(breg, pyrtl.Const(0, curr_bit))),
curr_bit + 1)
| one_cycle_mult | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(areg, breg, rem_bits, sum_sf=0, curr_bit=0):\n if rem_bits == 0:\n return sum_sf\n else:\n a_curr_val = areg[curr_bit].sign_extended(len(breg))\n if curr_bit == 0:\n return _one_cycle_mult(areg, breg, rem_bits - 1, sum_sf + (\n a_curr_val & breg), curr_bit + 1)\n else:\n return _one_cycle_mult(areg, breg, rem_bits - 1, sum_sf + (\n a_curr_val & pyrtl.concat(breg, pyrtl.Const(0, curr_bit))),\n curr_bit + 1)\n",
"role": "user"
},
{
"content": "one_cycle_mult",
"role": "assistant"
}
] |
def x(A, B, reducer=adders.wallace_reducer, adder_func=adders.kogge_stone):
"""
The two tree multipliers basically works by splitting the multiplication
into a series of many additions, and it works by applying 'reductions'.
"""
triv_res = _trivial_mult(A, B)
if triv_res is not None:
return triv_res
bits_length = len(A) + len(B)
bits = [[] for weight in range(bits_length)]
for i, a in enumerate(A):
for j, b in enumerate(B):
bits[i + j].append(a & b)
return reducer(bits, bits_length, adder_func)
| tree_multiplier | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(A, B, reducer=adders.wallace_reducer, adder_func=adders.kogge_stone):\n \"\"\"\n The two tree multipliers basically works by splitting the multiplication\n into a series of many additions, and it works by applying 'reductions'.\n \"\"\"\n triv_res = _trivial_mult(A, B)\n if triv_res is not None:\n return triv_res\n bits_length = len(A) + len(B)\n bits = [[] for weight in range(bits_length)]\n for i, a in enumerate(A):\n for j, b in enumerate(B):\n bits[i + j].append(a & b)\n return reducer(bits, bits_length, adder_func)\n",
"role": "user"
},
{
"content": "tree_multiplier",
"role": "assistant"
}
] |
def x(A, B, reducer=adders.wallace_reducer, adder_func=adders.kogge_stone):
if len(A) == 1 or len(B) == 1:
raise pyrtl.PyrtlError('sign bit required, one or both wires too small'
)
aneg, bneg = A[-1], B[-1]
a = _twos_comp_conditional(A, aneg)
b = _twos_comp_conditional(B, bneg)
res = tree_multiplier(a[:-1], b[:-1]).zero_extended(len(A) + len(B))
return _twos_comp_conditional(res, aneg ^ bneg)
| signed_tree_multiplier | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(A, B, reducer=adders.wallace_reducer, adder_func=adders.kogge_stone):\n if len(A) == 1 or len(B) == 1:\n raise pyrtl.PyrtlError('sign bit required, one or both wires too small'\n )\n aneg, bneg = A[-1], B[-1]\n a = _twos_comp_conditional(A, aneg)\n b = _twos_comp_conditional(B, bneg)\n res = tree_multiplier(a[:-1], b[:-1]).zero_extended(len(A) + len(B))\n return _twos_comp_conditional(res, aneg ^ bneg)\n",
"role": "user"
},
{
"content": "signed_tree_multiplier",
"role": "assistant"
}
] |
def x(orig_wire, sign_bit, bw=None):
if bw is None:
bw = len(orig_wire)
new_wire = pyrtl.WireVector(bw)
with pyrtl.conditional_assignment:
with sign_bit:
new_wire |= ~orig_wire + 1
with pyrtl.otherwise:
new_wire |= orig_wire
return new_wire
| twos_comp_conditional | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(orig_wire, sign_bit, bw=None):\n if bw is None:\n bw = len(orig_wire)\n new_wire = pyrtl.WireVector(bw)\n with pyrtl.conditional_assignment:\n with sign_bit:\n new_wire |= ~orig_wire + 1\n with pyrtl.otherwise:\n new_wire |= orig_wire\n return new_wire\n",
"role": "user"
},
{
"content": "twos_comp_conditional",
"role": "assistant"
}
] |
def x(mult_A, mult_B, add, signed=False, reducer=adders.wallace_reducer,
adder_func=adders.kogge_stone):
return generalized_fma(((mult_A, mult_B),), (add,), signed, reducer,
adder_func)
| fused_multiply_adder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mult_A, mult_B, add, signed=False, reducer=adders.wallace_reducer,\n adder_func=adders.kogge_stone):\n return generalized_fma(((mult_A, mult_B),), (add,), signed, reducer,\n adder_func)\n",
"role": "user"
},
{
"content": "fused_multiply_adder",
"role": "assistant"
}
] |
def x(mult_pairs, add_wires, signed=False, reducer=adders.wallace_reducer,
adder_func=adders.kogge_stone):
if mult_pairs:
mult_max = max(len(m[0]) + len(m[1]) - 1 for m in mult_pairs)
else:
mult_max = 0
if add_wires:
add_max = max(len(x) for x in add_wires)
else:
add_max = 0
longest_wire_len = max(add_max, mult_max)
bits = [[] for i in range(longest_wire_len)]
for mult_a, mult_b in mult_pairs:
for i, a in enumerate(mult_a):
for j, b in enumerate(mult_b):
bits[i + j].append(a & b)
for wire in add_wires:
for bit_loc, bit in enumerate(wire):
bits[bit_loc].append(bit)
import math
result_bitwidth = longest_wire_len + int(math.ceil(math.log(len(
add_wires) + len(mult_pairs), 2)))
return reducer(bits, result_bitwidth, adder_func)
| generalized_fma | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mult_pairs, add_wires, signed=False, reducer=adders.wallace_reducer,\n adder_func=adders.kogge_stone):\n if mult_pairs:\n mult_max = max(len(m[0]) + len(m[1]) - 1 for m in mult_pairs)\n else:\n mult_max = 0\n if add_wires:\n add_max = max(len(x) for x in add_wires)\n else:\n add_max = 0\n longest_wire_len = max(add_max, mult_max)\n bits = [[] for i in range(longest_wire_len)]\n for mult_a, mult_b in mult_pairs:\n for i, a in enumerate(mult_a):\n for j, b in enumerate(mult_b):\n bits[i + j].append(a & b)\n for wire in add_wires:\n for bit_loc, bit in enumerate(wire):\n bits[bit_loc].append(bit)\n import math\n result_bitwidth = longest_wire_len + int(math.ceil(math.log(len(\n add_wires) + len(mult_pairs), 2)))\n return reducer(bits, result_bitwidth, adder_func)\n",
"role": "user"
},
{
"content": "generalized_fma",
"role": "assistant"
}
] |
def x(transform_func, block=None, **kwargs):
block = working_block(block)
with set_working_block(block, True):
for net in block.logic.copy():
keep_orig_net = transform_func(net, **kwargs)
if not keep_orig_net:
block.logic.remove(net)
| net_transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(transform_func, block=None, **kwargs):\n block = working_block(block)\n with set_working_block(block, True):\n for net in block.logic.copy():\n keep_orig_net = transform_func(net, **kwargs)\n if not keep_orig_net:\n block.logic.remove(net)\n",
"role": "user"
},
{
"content": "net_transform",
"role": "assistant"
}
] |
def x(transform_func):
@functools.wraps(transform_func)
def x(**kwargs):
net_transform(transform_func, **kwargs)
return t_res
| all_nets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(transform_func):\n\n @functools.wraps(transform_func)\n def x(**kwargs):\n net_transform(transform_func, **kwargs)\n return t_res\n",
"role": "user"
},
{
"content": "all_nets",
"role": "assistant"
}
] |
def x(transform_func, select_types=WireVector, exclude_types=(Input, Output,
Register, Const), block=None):
block = working_block(block)
for orig_wire in block.wirevector_subset(select_types, exclude_types):
new_src, new_dst = transform_func(orig_wire)
replace_wire(orig_wire, new_src, new_dst, block)
| wire_transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(transform_func, select_types=WireVector, exclude_types=(Input, Output,\n Register, Const), block=None):\n block = working_block(block)\n for orig_wire in block.wirevector_subset(select_types, exclude_types):\n new_src, new_dst = transform_func(orig_wire)\n replace_wire(orig_wire, new_src, new_dst, block)\n",
"role": "user"
},
{
"content": "wire_transform",
"role": "assistant"
}
] |
def x(transform_func):
@functools.wraps(transform_func)
def x(**kwargs):
wire_transform(transform_func, **kwargs)
return t_res
| all_wires | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(transform_func):\n\n @functools.wraps(transform_func)\n def x(**kwargs):\n wire_transform(transform_func, **kwargs)\n return t_res\n",
"role": "user"
},
{
"content": "all_wires",
"role": "assistant"
}
] |
def x(wire_map, block=None):
block = working_block(block)
src_nets, dst_nets = block.net_connections(include_virtual_nodes=False)
for old_w, new_w in wire_map.items():
replace_wire_fast(old_w, new_w, new_w, src_nets, dst_nets, block)
| replace_wires | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wire_map, block=None):\n block = working_block(block)\n src_nets, dst_nets = block.net_connections(include_virtual_nodes=False)\n for old_w, new_w in wire_map.items():\n replace_wire_fast(old_w, new_w, new_w, src_nets, dst_nets, block)\n",
"role": "user"
},
{
"content": "replace_wires",
"role": "assistant"
}
] |
def x(old_wire, name=None):
if isinstance(old_wire, Const):
return Const(old_wire.val, old_wire.bitwidth)
else:
if name is None:
return old_wire.__class__(old_wire.bitwidth, name=old_wire.name)
return old_wire.__class__(old_wire.bitwidth, name=name)
| clone_wire | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(old_wire, name=None):\n if isinstance(old_wire, Const):\n return Const(old_wire.val, old_wire.bitwidth)\n else:\n if name is None:\n return old_wire.__class__(old_wire.bitwidth, name=old_wire.name)\n return old_wire.__class__(old_wire.bitwidth, name=name)\n",
"role": "user"
},
{
"content": "clone_wire",
"role": "assistant"
}
] |
def x(block=None, update_working_block=True):
block_in = working_block(block)
block_out, temp_wv_map = _clone_block_and_wires(block_in)
mems = {}
for net in block_in.logic:
_copy_net(block_out, net, temp_wv_map, mems)
block_out.mem_map = mems
if update_working_block:
set_working_block(block_out)
return block_out
| copy_block | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block=None, update_working_block=True):\n block_in = working_block(block)\n block_out, temp_wv_map = _clone_block_and_wires(block_in)\n mems = {}\n for net in block_in.logic:\n _copy_net(block_out, net, temp_wv_map, mems)\n block_out.mem_map = mems\n if update_working_block:\n set_working_block(block_out)\n return block_out\n",
"role": "user"
},
{
"content": "copy_block",
"role": "assistant"
}
] |
def x(block_in):
block_in.sanity_check()
block_out = block_in.__class__()
temp_wv_map = {}
with set_working_block(block_out, no_sanity_check=True):
for wirevector in block_in.wirevector_subset():
new_wv = clone_wire(wirevector)
temp_wv_map[wirevector] = new_wv
return block_out, temp_wv_map
| clone_block_and_wires | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block_in):\n block_in.sanity_check()\n block_out = block_in.__class__()\n temp_wv_map = {}\n with set_working_block(block_out, no_sanity_check=True):\n for wirevector in block_in.wirevector_subset():\n new_wv = clone_wire(wirevector)\n temp_wv_map[wirevector] = new_wv\n return block_out, temp_wv_map\n",
"role": "user"
},
{
"content": "clone_block_and_wires",
"role": "assistant"
}
] |
def x(block_out, net, temp_wv_net, mem_map):
new_args = tuple(temp_wv_net[a_arg] for a_arg in net.args)
new_dests = tuple(temp_wv_net[a_dest] for a_dest in net.dests)
if net.op in 'm@':
new_param = _get_new_block_mem_instance(net.op_param, mem_map,
block_out)
else:
new_param = net.op_param
new_net = LogicNet(net.op, new_param, args=new_args, dests=new_dests)
block_out.add_net(new_net)
| copy_net | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block_out, net, temp_wv_net, mem_map):\n new_args = tuple(temp_wv_net[a_arg] for a_arg in net.args)\n new_dests = tuple(temp_wv_net[a_dest] for a_dest in net.dests)\n if net.op in 'm@':\n new_param = _get_new_block_mem_instance(net.op_param, mem_map,\n block_out)\n else:\n new_param = net.op_param\n new_net = LogicNet(net.op, new_param, args=new_args, dests=new_dests)\n block_out.add_net(new_net)\n",
"role": "user"
},
{
"content": "copy_net",
"role": "assistant"
}
] |
def x(op_param, mem_map, block_out):
memid, old_mem = op_param
if old_mem not in mem_map:
new_mem = old_mem._make_copy(block_out)
new_mem.id = old_mem.id
mem_map[old_mem] = new_mem
return memid, mem_map[old_mem]
| get_new_block_mem_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(op_param, mem_map, block_out):\n memid, old_mem = op_param\n if old_mem not in mem_map:\n new_mem = old_mem._make_copy(block_out)\n new_mem.id = old_mem.id\n mem_map[old_mem] = new_mem\n return memid, mem_map[old_mem]\n",
"role": "user"
},
{
"content": "get_new_block_mem_instance",
"role": "assistant"
}
] |
def x(w, name=None):
if not isinstance(w, WireVector):
raise PyrtlError('Only WireVectors can be probed')
if name is None:
name = '(%s: %s)' % (probeIndexer.make_valid_string(), w.name)
print('Probe: ' + name + ' ' + get_stack(w))
p = Output(name=name)
p <<= w
return w
| probe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(w, name=None):\n if not isinstance(w, WireVector):\n raise PyrtlError('Only WireVectors can be probed')\n if name is None:\n name = '(%s: %s)' % (probeIndexer.make_valid_string(), w.name)\n print('Probe: ' + name + ' ' + get_stack(w))\n p = Output(name=name)\n p <<= w\n return w\n",
"role": "user"
},
{
"content": "probe",
"role": "assistant"
}
] |
def x(w, exp, block=None):
block = working_block(block)
if not isinstance(w, WireVector):
raise PyrtlError('Only WireVectors can be asserted with rtl_assert')
if len(w) != 1:
raise PyrtlError('rtl_assert checks only a WireVector of bitwidth 1')
if not isinstance(exp, Exception):
raise PyrtlError(
'the second argument to rtl_assert must be an instance of Exception'
)
if isinstance(exp, KeyError):
raise PyrtlError(
'the second argument to rtl_assert cannot be a KeyError')
if w not in block.wirevector_set:
raise PyrtlError(
'assertion wire not part of the block to which it is being added')
if w not in block.wirevector_set:
raise PyrtlError('assertion not a known wirevector in the target block'
)
if w in block.rtl_assert_dict:
raise PyrtlInternalError(
'assertion conflicts with existing registered assertion')
assert_wire = Output(bitwidth=1, name=assertIndexer.make_valid_string(),
block=block)
assert_wire <<= w
block.rtl_assert_dict[assert_wire] = exp
return assert_wire
| rtl_assert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(w, exp, block=None):\n block = working_block(block)\n if not isinstance(w, WireVector):\n raise PyrtlError('Only WireVectors can be asserted with rtl_assert')\n if len(w) != 1:\n raise PyrtlError('rtl_assert checks only a WireVector of bitwidth 1')\n if not isinstance(exp, Exception):\n raise PyrtlError(\n 'the second argument to rtl_assert must be an instance of Exception'\n )\n if isinstance(exp, KeyError):\n raise PyrtlError(\n 'the second argument to rtl_assert cannot be a KeyError')\n if w not in block.wirevector_set:\n raise PyrtlError(\n 'assertion wire not part of the block to which it is being added')\n if w not in block.wirevector_set:\n raise PyrtlError('assertion not a known wirevector in the target block'\n )\n if w in block.rtl_assert_dict:\n raise PyrtlInternalError(\n 'assertion conflicts with existing registered assertion')\n assert_wire = Output(bitwidth=1, name=assertIndexer.make_valid_string(),\n block=block)\n assert_wire <<= w\n block.rtl_assert_dict[assert_wire] = exp\n return assert_wire\n",
"role": "user"
},
{
"content": "rtl_assert",
"role": "assistant"
}
] |
def x(sim):
for w, exp in sim.block.rtl_assert_dict.items():
try:
value = sim.inspect(w)
if not value:
raise exp
except KeyError:
pass
| check_rtl_assertions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sim):\n for w, exp in sim.block.rtl_assert_dict.items():\n try:\n value = sim.inspect(w)\n if not value:\n raise exp\n except KeyError:\n pass\n",
"role": "user"
},
{
"content": "check_rtl_assertions",
"role": "assistant"
}
] |
def x(names, bitwidth=None, wvtype=WireVector):
if isinstance(names, str):
names = names.replace(',', ' ').split()
if any('/' in name for name in names) and bitwidth is not None:
raise PyrtlError(
'only one of optional "/" or bitwidth parameter allowed')
if bitwidth is None:
bitwidth = 1
if isinstance(bitwidth, numbers.Integral):
bitwidth = [bitwidth] * len(names)
if len(bitwidth) != len(names):
raise ValueError('number of names ' + str(len(names)) +
' should match number of bitwidths ' + str(len(bitwidth)))
wirelist = []
for fullname, bw in zip(names, bitwidth):
try:
name, bw = fullname.split('/')
except ValueError:
name, bw = fullname, bw
wirelist.append(wvtype(bitwidth=int(bw), name=name))
return wirelist
| wirevector_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(names, bitwidth=None, wvtype=WireVector):\n if isinstance(names, str):\n names = names.replace(',', ' ').split()\n if any('/' in name for name in names) and bitwidth is not None:\n raise PyrtlError(\n 'only one of optional \"/\" or bitwidth parameter allowed')\n if bitwidth is None:\n bitwidth = 1\n if isinstance(bitwidth, numbers.Integral):\n bitwidth = [bitwidth] * len(names)\n if len(bitwidth) != len(names):\n raise ValueError('number of names ' + str(len(names)) +\n ' should match number of bitwidths ' + str(len(bitwidth)))\n wirelist = []\n for fullname, bw in zip(names, bitwidth):\n try:\n name, bw = fullname.split('/')\n except ValueError:\n name, bw = fullname, bw\n wirelist.append(wvtype(bitwidth=int(bw), name=name))\n return wirelist\n",
"role": "user"
},
{
"content": "wirevector_list",
"role": "assistant"
}
] |
def x(value, bitwidth):
if isinstance(value, WireVector) or isinstance(bitwidth, WireVector):
raise PyrtlError('inputs must not be wirevectors')
if bitwidth < 1:
raise PyrtlError('bitwidth must be a positive integer')
neg_mask = 1 << bitwidth - 1
neg_part = value & neg_mask
pos_mask = neg_mask - 1
pos_part = value & pos_mask
return pos_part - neg_part
| val_to_signed_integer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, bitwidth):\n if isinstance(value, WireVector) or isinstance(bitwidth, WireVector):\n raise PyrtlError('inputs must not be wirevectors')\n if bitwidth < 1:\n raise PyrtlError('bitwidth must be a positive integer')\n neg_mask = 1 << bitwidth - 1\n neg_part = value & neg_mask\n pos_mask = neg_mask - 1\n pos_part = value & pos_mask\n return pos_part - neg_part\n",
"role": "user"
},
{
"content": "val_to_signed_integer",
"role": "assistant"
}
] |
def x(data, format, enum_set=None):
type = format[0]
bitwidth = int(format[1:].split('/')[0])
bitmask = (1 << bitwidth) - 1
if type == 's':
rval = int(data) & bitmask
elif type == 'x':
rval = int(data, 16)
elif type == 'b':
rval = int(data, 2)
elif type == 'u':
rval = int(data)
if rval < 0:
raise PyrtlError(
'unsigned format requested, but negative value provided')
elif type == 'e':
enumname = format.split('/')[1]
enum_inst_list = [e for e in enum_set if e.__name__ == enumname]
if len(enum_inst_list) == 0:
raise PyrtlError('enum "{}" not found in passed enum_set "{}"'.
format(enumname, enum_set))
rval = getattr(enum_inst_list[0], data).value
else:
raise PyrtlError('unknown format type {}'.format(format))
return rval
| formatted_str_to_val | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, format, enum_set=None):\n type = format[0]\n bitwidth = int(format[1:].split('/')[0])\n bitmask = (1 << bitwidth) - 1\n if type == 's':\n rval = int(data) & bitmask\n elif type == 'x':\n rval = int(data, 16)\n elif type == 'b':\n rval = int(data, 2)\n elif type == 'u':\n rval = int(data)\n if rval < 0:\n raise PyrtlError(\n 'unsigned format requested, but negative value provided')\n elif type == 'e':\n enumname = format.split('/')[1]\n enum_inst_list = [e for e in enum_set if e.__name__ == enumname]\n if len(enum_inst_list) == 0:\n raise PyrtlError('enum \"{}\" not found in passed enum_set \"{}\"'.\n format(enumname, enum_set))\n rval = getattr(enum_inst_list[0], data).value\n else:\n raise PyrtlError('unknown format type {}'.format(format))\n return rval\n",
"role": "user"
},
{
"content": "formatted_str_to_val",
"role": "assistant"
}
] |
def x(val, format, enum_set=None):
type = format[0]
bitwidth = int(format[1:].split('/')[0])
bitmask = (1 << bitwidth) - 1
if type == 's':
rval = str(val_to_signed_integer(val, bitwidth))
elif type == 'x':
rval = hex(val)[2:]
elif type == 'b':
rval = bin(val)[2:]
elif type == 'u':
rval = str(int(val))
elif type == 'e':
enumname = format.split('/')[1]
enum_inst_list = [e for e in enum_set if e.__name__ == enumname]
if len(enum_inst_list) == 0:
raise PyrtlError('enum "{}" not found in passed enum_set "{}"'.
format(enumname, enum_set))
rval = enum_inst_list[0](val).name
else:
raise PyrtlError('unknown format type {}'.format(format))
return rval
| val_to_formatted_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val, format, enum_set=None):\n type = format[0]\n bitwidth = int(format[1:].split('/')[0])\n bitmask = (1 << bitwidth) - 1\n if type == 's':\n rval = str(val_to_signed_integer(val, bitwidth))\n elif type == 'x':\n rval = hex(val)[2:]\n elif type == 'b':\n rval = bin(val)[2:]\n elif type == 'u':\n rval = str(int(val))\n elif type == 'e':\n enumname = format.split('/')[1]\n enum_inst_list = [e for e in enum_set if e.__name__ == enumname]\n if len(enum_inst_list) == 0:\n raise PyrtlError('enum \"{}\" not found in passed enum_set \"{}\"'.\n format(enumname, enum_set))\n rval = enum_inst_list[0](val).name\n else:\n raise PyrtlError('unknown format type {}'.format(format))\n return rval\n",
"role": "user"
},
{
"content": "val_to_formatted_str",
"role": "assistant"
}
] |
def x(self, block=None, percent_diff=0, abs_diff=1):
if block is None:
block = self.block
cur_nets = len(block.logic)
net_goal = self.prev_nets * (1 - percent_diff) - abs_diff
less_nets = cur_nets <= net_goal
self.prev_nets = cur_nets
return less_nets
| shrank | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, block=None, percent_diff=0, abs_diff=1):\n if block is None:\n block = self.block\n cur_nets = len(block.logic)\n net_goal = self.prev_nets * (1 - percent_diff) - abs_diff\n less_nets = cur_nets <= net_goal\n self.prev_nets = cur_nets\n return less_nets\n",
"role": "user"
},
{
"content": "shrank",
"role": "assistant"
}
] |
def x(a, b, cin=0):
a, b = libutils.match_bitwidth(a, b)
prop_orig = a ^ b
prop_bits = [i for i in prop_orig]
gen_bits = [i for i in a & b]
prop_dist = 1
while prop_dist < len(a):
for i in reversed(range(prop_dist, len(a))):
prop_old = prop_bits[i]
gen_bits[i] = gen_bits[i] | prop_old & gen_bits[i - prop_dist]
if i >= prop_dist * 2:
prop_bits[i] = prop_old & prop_bits[i - prop_dist]
prop_dist *= 2
gen_bits.insert(0, pyrtl.as_wires(cin))
return pyrtl.concat_list(gen_bits) ^ prop_orig
| kogge_stone | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b, cin=0):\n a, b = libutils.match_bitwidth(a, b)\n prop_orig = a ^ b\n prop_bits = [i for i in prop_orig]\n gen_bits = [i for i in a & b]\n prop_dist = 1\n while prop_dist < len(a):\n for i in reversed(range(prop_dist, len(a))):\n prop_old = prop_bits[i]\n gen_bits[i] = gen_bits[i] | prop_old & gen_bits[i - prop_dist]\n if i >= prop_dist * 2:\n prop_bits[i] = prop_old & prop_bits[i - prop_dist]\n prop_dist *= 2\n gen_bits.insert(0, pyrtl.as_wires(cin))\n return pyrtl.concat_list(gen_bits) ^ prop_orig\n",
"role": "user"
},
{
"content": "kogge_stone",
"role": "assistant"
}
] |
def x(a, b, c, final_adder=ripple_add):
a, b, c = libutils.match_bitwidth(a, b, c)
partial_sum = a ^ b ^ c
shift_carry = (a | b) & (a | c) & (b | c)
return pyrtl.concat(final_adder(partial_sum[1:], shift_carry),
partial_sum[0])
| carrysave_adder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b, c, final_adder=ripple_add):\n a, b, c = libutils.match_bitwidth(a, b, c)\n partial_sum = a ^ b ^ c\n shift_carry = (a | b) & (a | c) & (b | c)\n return pyrtl.concat(final_adder(partial_sum[1:], shift_carry),\n partial_sum[0])\n",
"role": "user"
},
{
"content": "carrysave_adder",
"role": "assistant"
}
] |
def x(a, b, cin=0, la_unit_len=4):
a, b = pyrtl.match_bitwidth(a, b)
if len(a) <= la_unit_len:
sum, cout = _cla_adder_unit(a, b, cin)
return pyrtl.concat(cout, sum)
else:
sum, cout = _cla_adder_unit(a[0:la_unit_len], b[0:la_unit_len], cin)
msbits = cla_adder(a[la_unit_len:], b[la_unit_len:], cout, la_unit_len)
return pyrtl.concat(msbits, sum)
| cla_adder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b, cin=0, la_unit_len=4):\n a, b = pyrtl.match_bitwidth(a, b)\n if len(a) <= la_unit_len:\n sum, cout = _cla_adder_unit(a, b, cin)\n return pyrtl.concat(cout, sum)\n else:\n sum, cout = _cla_adder_unit(a[0:la_unit_len], b[0:la_unit_len], cin)\n msbits = cla_adder(a[la_unit_len:], b[la_unit_len:], cout, la_unit_len)\n return pyrtl.concat(msbits, sum)\n",
"role": "user"
},
{
"content": "cla_adder",
"role": "assistant"
}
] |
def x(a, b, cin):
gen = a & b
prop = a ^ b
assert len(prop) == len(gen)
carry = [gen[0] | prop[0] & cin]
sum_bit = prop[0] ^ cin
cur_gen = gen[0]
cur_prop = prop[0]
for i in range(1, len(prop)):
cur_gen = gen[i] | prop[i] & cur_gen
cur_prop = cur_prop & prop[i]
sum_bit = pyrtl.concat(prop[i] ^ carry[i - 1], sum_bit)
carry.append(gen[i] | prop[i] & carry[i - 1])
cout = cur_gen | cur_prop & cin
return sum_bit, cout
| cla_adder_unit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b, cin):\n gen = a & b\n prop = a ^ b\n assert len(prop) == len(gen)\n carry = [gen[0] | prop[0] & cin]\n sum_bit = prop[0] ^ cin\n cur_gen = gen[0]\n cur_prop = prop[0]\n for i in range(1, len(prop)):\n cur_gen = gen[i] | prop[i] & cur_gen\n cur_prop = cur_prop & prop[i]\n sum_bit = pyrtl.concat(prop[i] ^ carry[i - 1], sum_bit)\n carry.append(gen[i] | prop[i] & carry[i - 1])\n cout = cur_gen | cur_prop & cin\n return sum_bit, cout\n",
"role": "user"
},
{
"content": "cla_adder_unit",
"role": "assistant"
}
] |
def x(wire_array_2, result_bitwidth, final_adder=kogge_stone):
for wire_set in wire_array_2:
for a_wire in wire_set:
if not isinstance(a_wire, pyrtl.WireVector) or len(a_wire) != 1:
raise pyrtl.PyrtlError(
'The item {} is not a valid element for the wire_array_2. It must be a WireVector of bitwidth 1'
.format(a_wire))
while not all(len(i) <= 2 for i in wire_array_2):
deferred = [[] for weight in range(result_bitwidth + 1)]
for i, w_array in enumerate(wire_array_2):
while len(w_array) >= 3:
cout, sum = _one_bit_add_no_concat(*(w_array.pop(0) for j in
range(3)))
deferred[i].append(sum)
deferred[i + 1].append(cout)
if len(w_array) == 2:
cout, sum = half_adder(*w_array)
deferred[i].append(sum)
deferred[i + 1].append(cout)
else:
deferred[i].extend(w_array)
wire_array_2 = deferred[:result_bitwidth]
result = _sparse_adder(wire_array_2, final_adder)
if len(result) > result_bitwidth:
return result[:result_bitwidth]
else:
return result
| wallace_reducer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wire_array_2, result_bitwidth, final_adder=kogge_stone):\n for wire_set in wire_array_2:\n for a_wire in wire_set:\n if not isinstance(a_wire, pyrtl.WireVector) or len(a_wire) != 1:\n raise pyrtl.PyrtlError(\n 'The item {} is not a valid element for the wire_array_2. It must be a WireVector of bitwidth 1'\n .format(a_wire))\n while not all(len(i) <= 2 for i in wire_array_2):\n deferred = [[] for weight in range(result_bitwidth + 1)]\n for i, w_array in enumerate(wire_array_2):\n while len(w_array) >= 3:\n cout, sum = _one_bit_add_no_concat(*(w_array.pop(0) for j in\n range(3)))\n deferred[i].append(sum)\n deferred[i + 1].append(cout)\n if len(w_array) == 2:\n cout, sum = half_adder(*w_array)\n deferred[i].append(sum)\n deferred[i + 1].append(cout)\n else:\n deferred[i].extend(w_array)\n wire_array_2 = deferred[:result_bitwidth]\n result = _sparse_adder(wire_array_2, final_adder)\n if len(result) > result_bitwidth:\n return result[:result_bitwidth]\n else:\n return result\n",
"role": "user"
},
{
"content": "wallace_reducer",
"role": "assistant"
}
] |
def x(wire_array_2, result_bitwidth, final_adder=kogge_stone):
import math
for wire_set in wire_array_2:
for a_wire in wire_set:
if not isinstance(a_wire, pyrtl.WireVector) or len(a_wire) != 1:
raise pyrtl.PyrtlError(
'The item {} is not a valid element for the wire_array_2. It must be a WireVector of bitwidth 1'
.format(a_wire))
max_width = max(len(i) for i in wire_array_2)
reduction_schedule = [2]
while reduction_schedule[-1] <= max_width:
reduction_schedule.append(int(reduction_schedule[-1] * 3 / 2))
for reduction_target in reversed(reduction_schedule[:-1]):
deferred = [[] for weight in range(result_bitwidth + 1)]
last_round = max(len(i) for i in wire_array_2) == 3
for i, w_array in enumerate(wire_array_2):
while len(w_array) + len(deferred[i]) > reduction_target:
if len(w_array) + len(deferred[i]) - reduction_target >= 2:
cout, sum = _one_bit_add_no_concat(*(w_array.pop(0) for
j in range(3)))
deferred[i].append(sum)
deferred[i + 1].append(cout)
else:
cout, sum = half_adder(*(w_array.pop(0) for j in range(2)))
deferred[i].append(sum)
deferred[i + 1].append(cout)
deferred[i].extend(w_array)
if len(deferred[i]) > reduction_target:
raise pyrtl.PyrtlError(
'Expected that the code would be able to reduce more wires'
)
wire_array_2 = deferred[:result_bitwidth]
result = _sparse_adder(wire_array_2, final_adder)
if len(result) > result_bitwidth:
return result[:result_bitwidth]
else:
return result
| dada_reducer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wire_array_2, result_bitwidth, final_adder=kogge_stone):\n import math\n for wire_set in wire_array_2:\n for a_wire in wire_set:\n if not isinstance(a_wire, pyrtl.WireVector) or len(a_wire) != 1:\n raise pyrtl.PyrtlError(\n 'The item {} is not a valid element for the wire_array_2. It must be a WireVector of bitwidth 1'\n .format(a_wire))\n max_width = max(len(i) for i in wire_array_2)\n reduction_schedule = [2]\n while reduction_schedule[-1] <= max_width:\n reduction_schedule.append(int(reduction_schedule[-1] * 3 / 2))\n for reduction_target in reversed(reduction_schedule[:-1]):\n deferred = [[] for weight in range(result_bitwidth + 1)]\n last_round = max(len(i) for i in wire_array_2) == 3\n for i, w_array in enumerate(wire_array_2):\n while len(w_array) + len(deferred[i]) > reduction_target:\n if len(w_array) + len(deferred[i]) - reduction_target >= 2:\n cout, sum = _one_bit_add_no_concat(*(w_array.pop(0) for\n j in range(3)))\n deferred[i].append(sum)\n deferred[i + 1].append(cout)\n else:\n cout, sum = half_adder(*(w_array.pop(0) for j in range(2)))\n deferred[i].append(sum)\n deferred[i + 1].append(cout)\n deferred[i].extend(w_array)\n if len(deferred[i]) > reduction_target:\n raise pyrtl.PyrtlError(\n 'Expected that the code would be able to reduce more wires'\n )\n wire_array_2 = deferred[:result_bitwidth]\n result = _sparse_adder(wire_array_2, final_adder)\n if len(result) > result_bitwidth:\n return result[:result_bitwidth]\n else:\n return result\n",
"role": "user"
},
{
"content": "dada_reducer",
"role": "assistant"
}
] |
def x(wires_to_add, reducer=wallace_reducer, final_adder=kogge_stone):
import math
longest_wire_len = max(len(w) for w in wires_to_add)
result_bitwidth = longest_wire_len + int(math.ceil(math.log(len(
wires_to_add), 2)))
bits = [[] for i in range(longest_wire_len)]
for wire in wires_to_add:
for bit_loc, bit in enumerate(wire):
bits[bit_loc].append(bit)
return reducer(bits, result_bitwidth, final_adder)
| fast_group_adder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wires_to_add, reducer=wallace_reducer, final_adder=kogge_stone):\n import math\n longest_wire_len = max(len(w) for w in wires_to_add)\n result_bitwidth = longest_wire_len + int(math.ceil(math.log(len(\n wires_to_add), 2)))\n bits = [[] for i in range(longest_wire_len)]\n for wire in wires_to_add:\n for bit_loc, bit in enumerate(wire):\n bits[bit_loc].append(bit)\n return reducer(bits, result_bitwidth, final_adder)\n",
"role": "user"
},
{
"content": "fast_group_adder",
"role": "assistant"
}
] |
def x(self, addr, data, enable):
if self.max_write_ports is not None:
self.write_ports += 1
if self.write_ports > self.max_write_ports:
raise PyrtlError('maximum number of write ports (%d) exceeded' %
self.max_write_ports)
writeport_net = LogicNet(op='@', op_param=(self.id, self), args=(addr,
data, enable), dests=tuple())
working_block().add_net(writeport_net)
self.writeport_nets.append(writeport_net)
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, addr, data, enable):\n if self.max_write_ports is not None:\n self.write_ports += 1\n if self.write_ports > self.max_write_ports:\n raise PyrtlError('maximum number of write ports (%d) exceeded' %\n self.max_write_ports)\n writeport_net = LogicNet(op='@', op_param=(self.id, self), args=(addr,\n data, enable), dests=tuple())\n working_block().add_net(writeport_net)\n self.writeport_nets.append(writeport_net)\n",
"role": "user"
},
{
"content": "build",
"role": "assistant"
}
] |
def x(self, plaintext, key):
if len(plaintext) != self._key_len:
raise pyrtl.PyrtlError('Ciphertext length is invalid')
if len(key) != self._key_len:
raise pyrtl.PyrtlError('key length is invalid')
key_list = self._key_gen(key)
t = self._add_round_key(plaintext, key_list[0])
for round in range(1, 11):
t = self._sub_bytes(t)
t = self._shift_rows(t)
if round != 10:
t = self._mix_columns(t)
t = self._add_round_key(t, key_list[round])
return t
| encryption | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, plaintext, key):\n if len(plaintext) != self._key_len:\n raise pyrtl.PyrtlError('Ciphertext length is invalid')\n if len(key) != self._key_len:\n raise pyrtl.PyrtlError('key length is invalid')\n key_list = self._key_gen(key)\n t = self._add_round_key(plaintext, key_list[0])\n for round in range(1, 11):\n t = self._sub_bytes(t)\n t = self._shift_rows(t)\n if round != 10:\n t = self._mix_columns(t)\n t = self._add_round_key(t, key_list[round])\n return t\n",
"role": "user"
},
{
"content": "encryption",
"role": "assistant"
}
] |
def x(self, plaintext_in, key_in, reset):
if len(key_in) != len(plaintext_in):
raise pyrtl.PyrtlError(
'AES key and plaintext should be the same length')
plain_text, key = (pyrtl.Register(len(plaintext_in)) for i in range(2))
key_exp_in, add_round_in = (pyrtl.WireVector(len(plaintext_in)) for i in
range(2))
counter = pyrtl.Register(4, 'counter')
round = pyrtl.WireVector(4, 'round')
counter.next <<= round
sub_out = self._sub_bytes(plain_text)
shift_out = self._shift_rows(sub_out)
mix_out = self._mix_columns(shift_out)
key_out = self._key_expansion(key, counter)
add_round_out = self._add_round_key(add_round_in, key_exp_in)
with pyrtl.conditional_assignment:
with (reset == 1):
round |= 0
key_exp_in |= key_in
plain_text.next |= add_round_out
key.next |= key_in
add_round_in |= plaintext_in
with (counter == 10):
round |= counter
plain_text.next |= plain_text
with pyrtl.otherwise:
round |= counter + 1
key_exp_in |= key_out
plain_text.next |= add_round_out
key.next |= key_out
with (counter == 9):
add_round_in |= shift_out
with pyrtl.otherwise:
add_round_in |= mix_out
ready = counter == 10
return ready, plain_text
| encrypt_state_m | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, plaintext_in, key_in, reset):\n if len(key_in) != len(plaintext_in):\n raise pyrtl.PyrtlError(\n 'AES key and plaintext should be the same length')\n plain_text, key = (pyrtl.Register(len(plaintext_in)) for i in range(2))\n key_exp_in, add_round_in = (pyrtl.WireVector(len(plaintext_in)) for i in\n range(2))\n counter = pyrtl.Register(4, 'counter')\n round = pyrtl.WireVector(4, 'round')\n counter.next <<= round\n sub_out = self._sub_bytes(plain_text)\n shift_out = self._shift_rows(sub_out)\n mix_out = self._mix_columns(shift_out)\n key_out = self._key_expansion(key, counter)\n add_round_out = self._add_round_key(add_round_in, key_exp_in)\n with pyrtl.conditional_assignment:\n with (reset == 1):\n round |= 0\n key_exp_in |= key_in\n plain_text.next |= add_round_out\n key.next |= key_in\n add_round_in |= plaintext_in\n with (counter == 10):\n round |= counter\n plain_text.next |= plain_text\n with pyrtl.otherwise:\n round |= counter + 1\n key_exp_in |= key_out\n plain_text.next |= add_round_out\n key.next |= key_out\n with (counter == 9):\n add_round_in |= shift_out\n with pyrtl.otherwise:\n add_round_in |= mix_out\n ready = counter == 10\n return ready, plain_text\n",
"role": "user"
},
{
"content": "encrypt_state_m",
"role": "assistant"
}
] |
def x(self, ciphertext, key):
if len(ciphertext) != self._key_len:
raise pyrtl.PyrtlError('Ciphertext length is invalid')
if len(key) != self._key_len:
raise pyrtl.PyrtlError('key length is invalid')
key_list = self._key_gen(key)
t = self._add_round_key(ciphertext, key_list[10])
for round in range(1, 11):
t = self._inv_shift_rows(t)
t = self._sub_bytes(t, True)
t = self._add_round_key(t, key_list[10 - round])
if round != 10:
t = self._mix_columns(t, True)
return t
| decryption | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ciphertext, key):\n if len(ciphertext) != self._key_len:\n raise pyrtl.PyrtlError('Ciphertext length is invalid')\n if len(key) != self._key_len:\n raise pyrtl.PyrtlError('key length is invalid')\n key_list = self._key_gen(key)\n t = self._add_round_key(ciphertext, key_list[10])\n for round in range(1, 11):\n t = self._inv_shift_rows(t)\n t = self._sub_bytes(t, True)\n t = self._add_round_key(t, key_list[10 - round])\n if round != 10:\n t = self._mix_columns(t, True)\n return t\n",
"role": "user"
},
{
"content": "decryption",
"role": "assistant"
}
] |
def x(self, ciphertext_in, key_in, reset):
if len(key_in) != len(ciphertext_in):
raise pyrtl.PyrtlError(
'AES key and ciphertext should be the same length')
cipher_text, key = (pyrtl.Register(len(ciphertext_in)) for i in range(2))
key_exp_in, add_round_in = (pyrtl.WireVector(len(ciphertext_in)) for i in
range(2))
reversed_key_list = reversed(self._key_gen(key_exp_in))
counter = pyrtl.Register(4, 'counter')
round = pyrtl.WireVector(4)
counter.next <<= round
inv_shift = self._inv_shift_rows(cipher_text)
inv_sub = self._sub_bytes(inv_shift, True)
key_out = pyrtl.mux(round, *reversed_key_list, default=0)
add_round_out = self._add_round_key(add_round_in, key_out)
inv_mix_out = self._mix_columns(add_round_out, True)
with pyrtl.conditional_assignment:
with (reset == 1):
round |= 0
key.next |= key_in
key_exp_in |= key_in
cipher_text.next |= add_round_out
add_round_in |= ciphertext_in
with (counter == 10):
round |= counter
cipher_text.next |= cipher_text
with pyrtl.otherwise:
round |= counter + 1
key.next |= key
key_exp_in |= key
add_round_in |= inv_sub
with (counter == 9):
cipher_text.next |= add_round_out
with pyrtl.otherwise:
cipher_text.next |= inv_mix_out
ready = counter == 10
return ready, cipher_text
| decryption_statem | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ciphertext_in, key_in, reset):\n if len(key_in) != len(ciphertext_in):\n raise pyrtl.PyrtlError(\n 'AES key and ciphertext should be the same length')\n cipher_text, key = (pyrtl.Register(len(ciphertext_in)) for i in range(2))\n key_exp_in, add_round_in = (pyrtl.WireVector(len(ciphertext_in)) for i in\n range(2))\n reversed_key_list = reversed(self._key_gen(key_exp_in))\n counter = pyrtl.Register(4, 'counter')\n round = pyrtl.WireVector(4)\n counter.next <<= round\n inv_shift = self._inv_shift_rows(cipher_text)\n inv_sub = self._sub_bytes(inv_shift, True)\n key_out = pyrtl.mux(round, *reversed_key_list, default=0)\n add_round_out = self._add_round_key(add_round_in, key_out)\n inv_mix_out = self._mix_columns(add_round_out, True)\n with pyrtl.conditional_assignment:\n with (reset == 1):\n round |= 0\n key.next |= key_in\n key_exp_in |= key_in\n cipher_text.next |= add_round_out\n add_round_in |= ciphertext_in\n with (counter == 10):\n round |= counter\n cipher_text.next |= cipher_text\n with pyrtl.otherwise:\n round |= counter + 1\n key.next |= key\n key_exp_in |= key\n add_round_in |= inv_sub\n with (counter == 9):\n cipher_text.next |= add_round_out\n with pyrtl.otherwise:\n cipher_text.next |= inv_mix_out\n ready = counter == 10\n return ready, cipher_text\n",
"role": "user"
},
{
"content": "decryption_statem",
"role": "assistant"
}
] |
def x(self, word, key_expand_round):
import numbers
self._build_memories_if_not_exists()
a = libutils.partition_wire(word, 8)
sub = [self.sbox[a[index]] for index in (3, 0, 1, 2)]
if isinstance(key_expand_round, numbers.Number):
rcon_data = self._rcon_data[key_expand_round + 1]
else:
rcon_data = self.rcon[key_expand_round + 1]
sub[3] = sub[3] ^ rcon_data
return pyrtl.concat_list(sub)
| g | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, word, key_expand_round):\n import numbers\n self._build_memories_if_not_exists()\n a = libutils.partition_wire(word, 8)\n sub = [self.sbox[a[index]] for index in (3, 0, 1, 2)]\n if isinstance(key_expand_round, numbers.Number):\n rcon_data = self._rcon_data[key_expand_round + 1]\n else:\n rcon_data = self.rcon[key_expand_round + 1]\n sub[3] = sub[3] ^ rcon_data\n return pyrtl.concat_list(sub)\n",
"role": "user"
},
{
"content": "g",
"role": "assistant"
}
] |
def x(*args):
if not args:
return {}
first = args[0]
rest = args[1:]
out = type(first)(first)
for each in rest:
out.update(each)
return out
| extend | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n if not args:\n return {}\n first = args[0]\n rest = args[1:]\n out = type(first)(first)\n for each in rest:\n out.update(each)\n return out\n",
"role": "user"
},
{
"content": "extend",
"role": "assistant"
}
] |
def x(thing, is_edge=True):
if is_edge:
if thing.name is None or thing.name.startswith('tmp'):
return ''
else:
return '/'.join([thing.name, str(len(thing))])
elif isinstance(thing, Const):
return str(thing.val)
elif isinstance(thing, WireVector):
return thing.name or '??'
else:
try:
return thing.op + str(thing.op_param or '')
except AttributeError:
raise PyrtlError('no naming rule for "%s"' % str(thing))
| trivialgraph_default_namer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(thing, is_edge=True):\n if is_edge:\n if thing.name is None or thing.name.startswith('tmp'):\n return ''\n else:\n return '/'.join([thing.name, str(len(thing))])\n elif isinstance(thing, Const):\n return str(thing.val)\n elif isinstance(thing, WireVector):\n return thing.name or '??'\n else:\n try:\n return thing.op + str(thing.op_param or '')\n except AttributeError:\n raise PyrtlError('no naming rule for \"%s\"' % str(thing))\n",
"role": "user"
},
{
"content": "trivialgraph_default_namer",
"role": "assistant"
}
] |
def x(block=None, split_state=False):
block = working_block(block)
from .wire import Register
graph = {}
for net in block.logic:
graph[net] = {}
wire_src_dict, wire_dst_dict = block.net_connections()
dest_set = set(wire_src_dict.keys())
arg_set = set(wire_dst_dict.keys())
dangle_set = dest_set.symmetric_difference(arg_set)
for w in dangle_set:
graph[w] = {}
if split_state:
for w in block.wirevector_subset(Register):
graph[w] = {}
for w in (dest_set & arg_set):
try:
_from = wire_src_dict[w]
except Exception:
_from = w
if split_state and isinstance(w, Register):
_from = w
try:
_to_list = wire_dst_dict[w]
except Exception:
_to_list = [w]
for _to in _to_list:
graph[_from][_to] = w
return graph
| net_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block=None, split_state=False):\n block = working_block(block)\n from .wire import Register\n graph = {}\n for net in block.logic:\n graph[net] = {}\n wire_src_dict, wire_dst_dict = block.net_connections()\n dest_set = set(wire_src_dict.keys())\n arg_set = set(wire_dst_dict.keys())\n dangle_set = dest_set.symmetric_difference(arg_set)\n for w in dangle_set:\n graph[w] = {}\n if split_state:\n for w in block.wirevector_subset(Register):\n graph[w] = {}\n for w in (dest_set & arg_set):\n try:\n _from = wire_src_dict[w]\n except Exception:\n _from = w\n if split_state and isinstance(w, Register):\n _from = w\n try:\n _to_list = wire_dst_dict[w]\n except Exception:\n _to_list = [w]\n for _to in _to_list:\n graph[_from][_to] = w\n return graph\n",
"role": "user"
},
{
"content": "net_graph",
"role": "assistant"
}
] |
def x(file, namer=_trivialgraph_default_namer, block=None):
graph = net_graph(block)
node_index_map = {}
for index, node in enumerate(graph):
print('%d %s' % (index, namer(node, is_edge=False)), file=file)
node_index_map[node] = index
print('#', file=file)
for _from in graph:
for _to in graph[_from]:
from_index = node_index_map[_from]
to_index = node_index_map[_to]
edge = graph[_from][_to]
print('%d %d %s' % (from_index, to_index, namer(edge)), file=file)
| output_to_trivialgraph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, namer=_trivialgraph_default_namer, block=None):\n graph = net_graph(block)\n node_index_map = {}\n for index, node in enumerate(graph):\n print('%d %s' % (index, namer(node, is_edge=False)), file=file)\n node_index_map[node] = index\n print('#', file=file)\n for _from in graph:\n for _to in graph[_from]:\n from_index = node_index_map[_from]\n to_index = node_index_map[_to]\n edge = graph[_from][_to]\n print('%d %d %s' % (from_index, to_index, namer(edge)), file=file)\n",
"role": "user"
},
{
"content": "output_to_trivialgraph",
"role": "assistant"
}
] |
def x(thing, is_edge=True, is_to_splitmerge=False):
if is_edge:
if thing.name is None or thing.name.startswith('tmp') or isinstance(
thing, (Input, Output, Const, Register)):
name = ''
else:
name = '/'.join([thing.name, str(len(thing))])
penwidth = 2 if len(thing) == 1 else 6
arrowhead = 'none' if is_to_splitmerge else 'normal'
return '[label="%s", penwidth="%d", arrowhead="%s"]' % (name,
penwidth, arrowhead)
elif isinstance(thing, Const):
return '[label="%d", shape=circle, fillcolor=lightgrey]' % thing.val
elif isinstance(thing, (Input, Output)):
return '[label="%s", shape=circle, fillcolor=none]' % thing.name
elif isinstance(thing, Register):
return '[label="%s", shape=square, fillcolor=gold]' % thing.name
elif isinstance(thing, WireVector):
return '[label="", shape=circle, fillcolor=none]'
else:
try:
if thing.op == '&':
return '[label="and"]'
elif thing.op == '|':
return '[label="or"]'
elif thing.op == '^':
return '[label="xor"]'
elif thing.op == '~':
return '[label="not"]'
elif thing.op == 'x':
return '[label="mux"]'
elif thing.op in 'sc':
return '[label="", height=.1, width=.1]'
elif thing.op == 'r':
name = thing.dests[0].name or ''
return '[label="%s.next", shape=square, fillcolor=gold]' % name
elif thing.op == 'w':
return '[label="buf"]'
else:
return '[label="%s"]' % (thing.op + str(thing.op_param or ''))
except AttributeError:
raise PyrtlError('no naming rule for "%s"' % str(thing))
| graphviz_default_namer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(thing, is_edge=True, is_to_splitmerge=False):\n if is_edge:\n if thing.name is None or thing.name.startswith('tmp') or isinstance(\n thing, (Input, Output, Const, Register)):\n name = ''\n else:\n name = '/'.join([thing.name, str(len(thing))])\n penwidth = 2 if len(thing) == 1 else 6\n arrowhead = 'none' if is_to_splitmerge else 'normal'\n return '[label=\"%s\", penwidth=\"%d\", arrowhead=\"%s\"]' % (name,\n penwidth, arrowhead)\n elif isinstance(thing, Const):\n return '[label=\"%d\", shape=circle, fillcolor=lightgrey]' % thing.val\n elif isinstance(thing, (Input, Output)):\n return '[label=\"%s\", shape=circle, fillcolor=none]' % thing.name\n elif isinstance(thing, Register):\n return '[label=\"%s\", shape=square, fillcolor=gold]' % thing.name\n elif isinstance(thing, WireVector):\n return '[label=\"\", shape=circle, fillcolor=none]'\n else:\n try:\n if thing.op == '&':\n return '[label=\"and\"]'\n elif thing.op == '|':\n return '[label=\"or\"]'\n elif thing.op == '^':\n return '[label=\"xor\"]'\n elif thing.op == '~':\n return '[label=\"not\"]'\n elif thing.op == 'x':\n return '[label=\"mux\"]'\n elif thing.op in 'sc':\n return '[label=\"\", height=.1, width=.1]'\n elif thing.op == 'r':\n name = thing.dests[0].name or ''\n return '[label=\"%s.next\", shape=square, fillcolor=gold]' % name\n elif thing.op == 'w':\n return '[label=\"buf\"]'\n else:\n return '[label=\"%s\"]' % (thing.op + str(thing.op_param or ''))\n except AttributeError:\n raise PyrtlError('no naming rule for \"%s\"' % str(thing))\n",
"role": "user"
},
{
"content": "graphviz_default_namer",
"role": "assistant"
}
] |
def x(file, namer=_graphviz_default_namer, block=None):
print(block_to_graphviz_string(block, namer), file=file)
| output_to_graphviz | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, namer=_graphviz_default_namer, block=None):\n print(block_to_graphviz_string(block, namer), file=file)\n",
"role": "user"
},
{
"content": "output_to_graphviz",
"role": "assistant"
}
] |
def x(block=None, namer=_graphviz_default_namer):
graph = net_graph(block, split_state=True)
node_index_map = {}
rstring = """ digraph g {
graph [splines="spline"];
node [shape=circle, style=filled, fillcolor=lightblue1,
fontcolor=grey, fontname=helvetica, penwidth=0,
fixedsize=true];
edge [labelfloat=false, penwidth=2, color=deepskyblue, arrowsize=.5];
"""
for index, node in enumerate(graph):
label = namer(node, is_edge=False)
rstring += ' n%s %s;\n' % (index, label)
node_index_map[node] = index
for _from in graph:
for _to in graph[_from]:
from_index = node_index_map[_from]
to_index = node_index_map[_to]
edge = graph[_from][_to]
is_to_splitmerge = True if hasattr(_to, 'op'
) and _to.op in 'cs' else False
label = namer(edge, is_to_splitmerge=is_to_splitmerge)
rstring += ' n%d -> n%d %s;\n' % (from_index, to_index, label)
rstring += '}\n'
return rstring
| block_to_graphviz_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block=None, namer=_graphviz_default_namer):\n graph = net_graph(block, split_state=True)\n node_index_map = {}\n rstring = \"\"\" digraph g {\n\n graph [splines=\"spline\"];\n node [shape=circle, style=filled, fillcolor=lightblue1,\n fontcolor=grey, fontname=helvetica, penwidth=0,\n fixedsize=true];\n edge [labelfloat=false, penwidth=2, color=deepskyblue, arrowsize=.5];\n \"\"\"\n for index, node in enumerate(graph):\n label = namer(node, is_edge=False)\n rstring += ' n%s %s;\\n' % (index, label)\n node_index_map[node] = index\n for _from in graph:\n for _to in graph[_from]:\n from_index = node_index_map[_from]\n to_index = node_index_map[_to]\n edge = graph[_from][_to]\n is_to_splitmerge = True if hasattr(_to, 'op'\n ) and _to.op in 'cs' else False\n label = namer(edge, is_to_splitmerge=is_to_splitmerge)\n rstring += ' n%d -> n%d %s;\\n' % (from_index, to_index, label)\n rstring += '}\\n'\n return rstring\n",
"role": "user"
},
{
"content": "block_to_graphviz_string",
"role": "assistant"
}
] |
def x(block=None):
block = working_block(block)
try:
from graphviz import Source
return Source(block_to_graphviz_string())._repr_svg_()
except ImportError:
raise PyrtlError('need graphviz installed (try "pip install graphviz")'
)
| block_to_svg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block=None):\n block = working_block(block)\n try:\n from graphviz import Source\n return Source(block_to_graphviz_string())._repr_svg_()\n except ImportError:\n raise PyrtlError('need graphviz installed (try \"pip install graphviz\")'\n )\n",
"role": "user"
},
{
"content": "block_to_svg",
"role": "assistant"
}
] |
def x(simtrace, trace_list=None, sortkey=None):
from .simulation import SimulationTrace, _trace_sort_key
if not isinstance(simtrace, SimulationTrace):
raise PyrtlError('first arguement must be of type SimulationTrace')
trace = simtrace.trace
if sortkey is None:
sortkey = _trace_sort_key
if trace_list is None:
trace_list = sorted(trace, key=sortkey)
wave_template = """ <script type="WaveDrom">
{ signal : [
%s
]}
</script>
"""
def x(w):
wavelist = []
datalist = []
last = None
for i, value in enumerate(trace[w]):
if last == value:
wavelist.append('.')
else:
if len(w) == 1:
wavelist.append(str(value))
else:
wavelist.append('=')
datalist.append(value)
last = value
wavestring = ''.join(wavelist)
datastring = ', '.join([('"%d"' % data) for data in datalist])
if len(w) == 1:
return bool_signal_template % (w, wavestring)
else:
return int_signal_template % (w, wavestring, datastring)
bool_signal_template = '{ name: "%s", wave: "%s" },'
int_signal_template = '{ name: "%s", wave: "%s", data: [%s] },'
signals = [extract(w) for w in trace_list]
all_signals = '\n'.join(signals)
wave = wave_template % all_signals
return wave
| trace_to_html | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simtrace, trace_list=None, sortkey=None):\n from .simulation import SimulationTrace, _trace_sort_key\n if not isinstance(simtrace, SimulationTrace):\n raise PyrtlError('first arguement must be of type SimulationTrace')\n trace = simtrace.trace\n if sortkey is None:\n sortkey = _trace_sort_key\n if trace_list is None:\n trace_list = sorted(trace, key=sortkey)\n wave_template = \"\"\" <script type=\"WaveDrom\">\n { signal : [\n %s\n ]}\n </script>\n\n \"\"\"\n\n def x(w):\n wavelist = []\n datalist = []\n last = None\n for i, value in enumerate(trace[w]):\n if last == value:\n wavelist.append('.')\n else:\n if len(w) == 1:\n wavelist.append(str(value))\n else:\n wavelist.append('=')\n datalist.append(value)\n last = value\n wavestring = ''.join(wavelist)\n datastring = ', '.join([('\"%d\"' % data) for data in datalist])\n if len(w) == 1:\n return bool_signal_template % (w, wavestring)\n else:\n return int_signal_template % (w, wavestring, datastring)\n bool_signal_template = '{ name: \"%s\", wave: \"%s\" },'\n int_signal_template = '{ name: \"%s\", wave: \"%s\", data: [%s] },'\n signals = [extract(w) for w in trace_list]\n all_signals = '\\n'.join(signals)\n wave = wave_template % all_signals\n return wave\n",
"role": "user"
},
{
"content": "trace_to_html",
"role": "assistant"
}
] |
def x(reducer, initial_state=None, enhancer=None):
if enhancer is not None:
if not hasattr(enhancer, '__call__'):
raise TypeError('Expected the enhancer to be a function.')
return enhancer(create_store)(reducer, initial_state)
if not hasattr(reducer, '__call__'):
raise TypeError('Expected the reducer to be a function.')
current_reducer = [reducer]
current_state = [initial_state]
current_listeners = [[]]
next_listeners = [current_listeners[0]]
is_dispatching = [False]
def x():
if next_listeners[0] == current_listeners[0]:
next_listeners[0] = current_listeners[0][:]
def x():
return current_state[0]
def x(listener):
if not hasattr(listener, '__call__'):
raise TypeError('Expected listener to be a function.')
is_subscribed = [True]
ensure_can_mutate_next_listeners()
next_listeners[0].append(listener)
def x():
if not is_subscribed[0]:
return
is_subscribed[0] = False
ensure_can_mutate_next_listeners()
index = next_listeners[0].index(listener)
next_listeners[0].pop(index)
return unsubcribe
def x(action):
if not isinstance(action, dict):
raise TypeError(
'Actions must be a dict. Use custom middleware for async actions.'
)
if action.get('type') is None:
raise ValueError(
'Actions must have a non-None "type" property. Have you misspelled a constant?'
)
if is_dispatching[0]:
raise Exception('Reducers may not dispatch actions.')
try:
is_dispatching[0] = True
current_state[0] = current_reducer[0](current_state[0], action)
finally:
is_dispatching[0] = False
listeners = current_listeners[0] = next_listeners[0]
for listener in listeners:
listener()
return action
def x(next_reducer):
if not hasattr(next_reducer, '__call__'):
raise TypeError('Expected next_reducer to be a function')
current_reducer[0] = next_reducer
dispatch({'type': ActionTypes.INIT})
dispatch({'type': ActionTypes.INIT})
return StoreDict(dispatch=dispatch, subscribe=subscribe, get_state=
get_state, replace_reducer=replace_reducer)
| create_store | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reducer, initial_state=None, enhancer=None):\n if enhancer is not None:\n if not hasattr(enhancer, '__call__'):\n raise TypeError('Expected the enhancer to be a function.')\n return enhancer(create_store)(reducer, initial_state)\n if not hasattr(reducer, '__call__'):\n raise TypeError('Expected the reducer to be a function.')\n current_reducer = [reducer]\n current_state = [initial_state]\n current_listeners = [[]]\n next_listeners = [current_listeners[0]]\n is_dispatching = [False]\n\n def x():\n if next_listeners[0] == current_listeners[0]:\n next_listeners[0] = current_listeners[0][:]\n\n def x():\n return current_state[0]\n\n def x(listener):\n if not hasattr(listener, '__call__'):\n raise TypeError('Expected listener to be a function.')\n is_subscribed = [True]\n ensure_can_mutate_next_listeners()\n next_listeners[0].append(listener)\n\n def x():\n if not is_subscribed[0]:\n return\n is_subscribed[0] = False\n ensure_can_mutate_next_listeners()\n index = next_listeners[0].index(listener)\n next_listeners[0].pop(index)\n return unsubcribe\n\n def x(action):\n if not isinstance(action, dict):\n raise TypeError(\n 'Actions must be a dict. Use custom middleware for async actions.'\n )\n if action.get('type') is None:\n raise ValueError(\n 'Actions must have a non-None \"type\" property. Have you misspelled a constant?'\n )\n if is_dispatching[0]:\n raise Exception('Reducers may not dispatch actions.')\n try:\n is_dispatching[0] = True\n current_state[0] = current_reducer[0](current_state[0], action)\n finally:\n is_dispatching[0] = False\n listeners = current_listeners[0] = next_listeners[0]\n for listener in listeners:\n listener()\n return action\n\n def x(next_reducer):\n if not hasattr(next_reducer, '__call__'):\n raise TypeError('Expected next_reducer to be a function')\n current_reducer[0] = next_reducer\n dispatch({'type': ActionTypes.INIT})\n dispatch({'type': ActionTypes.INIT})\n return StoreDict(dispatch=dispatch, subscribe=subscribe, get_state=\n get_state, replace_reducer=replace_reducer)\n",
"role": "user"
},
{
"content": "create_store",
"role": "assistant"
}
] |
def x():
if not _setting_slower_but_more_descriptive_tmps:
return None
import inspect
loc = None
frame_stack = inspect.stack()
try:
for frame in frame_stack:
modname = inspect.getmodule(frame[0]).__name__
if not modname.startswith('pyrtl.'):
full_filename = frame[0].f_code.co_filename
filename = full_filename.split('/')[-1].rstrip('.py')
lineno = frame[0].f_lineno
loc = filename, lineno
break
except:
loc = None
finally:
del frame_stack
return loc
| get_useful_callpoint_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if not _setting_slower_but_more_descriptive_tmps:\n return None\n import inspect\n loc = None\n frame_stack = inspect.stack()\n try:\n for frame in frame_stack:\n modname = inspect.getmodule(frame[0]).__name__\n if not modname.startswith('pyrtl.'):\n full_filename = frame[0].f_code.co_filename\n filename = full_filename.split('/')[-1].rstrip('.py')\n lineno = frame[0].f_lineno\n loc = filename, lineno\n break\n except:\n loc = None\n finally:\n del frame_stack\n return loc\n",
"role": "user"
},
{
"content": "get_useful_callpoint_name",
"role": "assistant"
}
] |
def x(debug=True):
global debug_mode
global _setting_keep_wirevector_call_stack
global _setting_slower_but_more_descriptive_tmps
debug_mode = debug
_setting_keep_wirevector_call_stack = debug
_setting_slower_but_more_descriptive_tmps = debug
| set_debug_mode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(debug=True):\n global debug_mode\n global _setting_keep_wirevector_call_stack\n global _setting_slower_but_more_descriptive_tmps\n debug_mode = debug\n _setting_keep_wirevector_call_stack = debug\n _setting_slower_but_more_descriptive_tmps = debug\n",
"role": "user"
},
{
"content": "set_debug_mode",
"role": "assistant"
}
] |
def x(self, wirevector):
self.sanity_check_wirevector(wirevector)
self.wirevector_set.add(wirevector)
self.wirevector_by_name[wirevector.name] = wirevector
| add_wirevector | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wirevector):\n self.sanity_check_wirevector(wirevector)\n self.wirevector_set.add(wirevector)\n self.wirevector_by_name[wirevector.name] = wirevector\n",
"role": "user"
},
{
"content": "add_wirevector",
"role": "assistant"
}
] |
def x(self, wirevector):
self.wirevector_set.remove(wirevector)
del self.wirevector_by_name[wirevector.name]
| remove_wirevector | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wirevector):\n self.wirevector_set.remove(wirevector)\n del self.wirevector_by_name[wirevector.name]\n",
"role": "user"
},
{
"content": "remove_wirevector",
"role": "assistant"
}
] |
def x(self, net):
self.sanity_check_net(net)
self.logic.add(net)
| add_net | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, net):\n self.sanity_check_net(net)\n self.logic.add(net)\n",
"role": "user"
},
{
"content": "add_net",
"role": "assistant"
}
] |
def x(self, cls=None, exclude=tuple()):
if cls is None:
initial_set = self.wirevector_set
else:
initial_set = (x for x in self.wirevector_set if isinstance(x, cls))
if exclude == tuple():
return set(initial_set)
else:
return set(x for x in initial_set if not isinstance(x, exclude))
| wirevector_subset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls=None, exclude=tuple()):\n if cls is None:\n initial_set = self.wirevector_set\n else:\n initial_set = (x for x in self.wirevector_set if isinstance(x, cls))\n if exclude == tuple():\n return set(initial_set)\n else:\n return set(x for x in initial_set if not isinstance(x, exclude))\n",
"role": "user"
},
{
"content": "wirevector_subset",
"role": "assistant"
}
] |
def x(self, op=None):
if op is None:
return self.logic
else:
return set(x for x in self.logic if x.op in op)
| logic_subset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, op=None):\n if op is None:\n return self.logic\n else:\n return set(x for x in self.logic if x.op in op)\n",
"role": "user"
},
{
"content": "logic_subset",
"role": "assistant"
}
] |
def x(self, name, strict=False):
if name in self.wirevector_by_name:
return self.wirevector_by_name[name]
elif strict:
raise PyrtlError('error, block does not have a wirevector named %s' %
name)
else:
return None
| get_wirevector_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, strict=False):\n if name in self.wirevector_by_name:\n return self.wirevector_by_name[name]\n elif strict:\n raise PyrtlError('error, block does not have a wirevector named %s' %\n name)\n else:\n return None\n",
"role": "user"
},
{
"content": "get_wirevector_by_name",
"role": "assistant"
}
] |
def x(self, include_virtual_nodes=False):
src_list = {}
dst_list = {}
def x(edge, node):
if edge in src_list:
raise PyrtlError(
'Wire "{}" has multiple drivers (check for multiple assignments with "<<=" or accidental mixing of "|=" and "<<=")'
.format(edge))
src_list[edge] = node
def x(edge, node):
if edge in dst_list:
dst_list[edge].append(node)
else:
dst_list[edge] = [node]
if include_virtual_nodes:
from .wire import Input, Output, Const
for wire in self.wirevector_subset((Input, Const)):
add_wire_src(wire, wire)
for wire in self.wirevector_subset(Output):
add_wire_dst(wire, wire)
for net in self.logic:
for arg in set(net.args):
add_wire_dst(arg, net)
for dest in net.dests:
add_wire_src(dest, net)
return src_list, dst_list
| net_connections | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, include_virtual_nodes=False):\n src_list = {}\n dst_list = {}\n\n def x(edge, node):\n if edge in src_list:\n raise PyrtlError(\n 'Wire \"{}\" has multiple drivers (check for multiple assignments with \"<<=\" or accidental mixing of \"|=\" and \"<<=\")'\n .format(edge))\n src_list[edge] = node\n\n def x(edge, node):\n if edge in dst_list:\n dst_list[edge].append(node)\n else:\n dst_list[edge] = [node]\n if include_virtual_nodes:\n from .wire import Input, Output, Const\n for wire in self.wirevector_subset((Input, Const)):\n add_wire_src(wire, wire)\n for wire in self.wirevector_subset(Output):\n add_wire_dst(wire, wire)\n for net in self.logic:\n for arg in set(net.args):\n add_wire_dst(arg, net)\n for dest in net.dests:\n add_wire_src(dest, net)\n return src_list, dst_list\n",
"role": "user"
},
{
"content": "net_connections",
"role": "assistant"
}
] |
def x(self):
from .wire import Input, Const, Output
from .helperfuncs import get_stack, get_stacks
for net in self.logic:
self.sanity_check_net(net)
for w in self.wirevector_subset():
if w.bitwidth is None:
raise PyrtlError(
'error, missing bitwidth for WireVector "%s" \n\n %s' % (w.
name, get_stack(w)))
wirevector_names_set = set(x.name for x in self.wirevector_set)
if len(self.wirevector_set) != len(wirevector_names_set):
wirevector_names_list = [x.name for x in self.wirevector_set]
for w in wirevector_names_set:
wirevector_names_list.remove(w)
raise PyrtlError(
'Duplicate wire names found for the following different signals: %s'
% repr(wirevector_names_list))
all_input_and_consts = self.wirevector_subset((Input, Const))
wire_src_dict, wire_dst_dict = self.net_connections()
dest_set = set(wire_src_dict.keys())
arg_set = set(wire_dst_dict.keys())
full_set = dest_set | arg_set
connected_minus_allwires = full_set.difference(self.wirevector_set)
if len(connected_minus_allwires) > 0:
bad_wire_names = '\n '.join(str(x) for x in connected_minus_allwires
)
raise PyrtlError('Unknown wires found in net:\n %s \n\n %s' % (
bad_wire_names, get_stacks(*connected_minus_allwires)))
allwires_minus_connected = self.wirevector_set.difference(full_set)
allwires_minus_connected = allwires_minus_connected.difference(
all_input_and_consts)
if len(allwires_minus_connected) > 0:
bad_wire_names = '\n '.join(str(x) for x in allwires_minus_connected
)
raise PyrtlError('Wires declared but not connected:\n %s \n\n %s' %
(bad_wire_names, get_stacks(*allwires_minus_connected)))
ins = arg_set.difference(dest_set)
undriven = ins.difference(all_input_and_consts)
if len(undriven) > 0:
raise PyrtlError('Wires used but never driven: %s \n\n %s' % ([w.
name for w in undriven], get_stacks(*undriven)))
self.sanity_check_memory_sync(wire_src_dict)
if debug_mode:
outs = dest_set.difference(arg_set)
unused = outs.difference(self.wirevector_subset(Output))
if len(unused) > 0:
names = [w.name for w in unused]
print('Warning: Wires driven but never used { %s } ' % names)
print(get_stacks(*unused))
| sanity_check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from .wire import Input, Const, Output\n from .helperfuncs import get_stack, get_stacks\n for net in self.logic:\n self.sanity_check_net(net)\n for w in self.wirevector_subset():\n if w.bitwidth is None:\n raise PyrtlError(\n 'error, missing bitwidth for WireVector \"%s\" \\n\\n %s' % (w.\n name, get_stack(w)))\n wirevector_names_set = set(x.name for x in self.wirevector_set)\n if len(self.wirevector_set) != len(wirevector_names_set):\n wirevector_names_list = [x.name for x in self.wirevector_set]\n for w in wirevector_names_set:\n wirevector_names_list.remove(w)\n raise PyrtlError(\n 'Duplicate wire names found for the following different signals: %s'\n % repr(wirevector_names_list))\n all_input_and_consts = self.wirevector_subset((Input, Const))\n wire_src_dict, wire_dst_dict = self.net_connections()\n dest_set = set(wire_src_dict.keys())\n arg_set = set(wire_dst_dict.keys())\n full_set = dest_set | arg_set\n connected_minus_allwires = full_set.difference(self.wirevector_set)\n if len(connected_minus_allwires) > 0:\n bad_wire_names = '\\n '.join(str(x) for x in connected_minus_allwires\n )\n raise PyrtlError('Unknown wires found in net:\\n %s \\n\\n %s' % (\n bad_wire_names, get_stacks(*connected_minus_allwires)))\n allwires_minus_connected = self.wirevector_set.difference(full_set)\n allwires_minus_connected = allwires_minus_connected.difference(\n all_input_and_consts)\n if len(allwires_minus_connected) > 0:\n bad_wire_names = '\\n '.join(str(x) for x in allwires_minus_connected\n )\n raise PyrtlError('Wires declared but not connected:\\n %s \\n\\n %s' %\n (bad_wire_names, get_stacks(*allwires_minus_connected)))\n ins = arg_set.difference(dest_set)\n undriven = ins.difference(all_input_and_consts)\n if len(undriven) > 0:\n raise PyrtlError('Wires used but never driven: %s \\n\\n %s' % ([w.\n name for w in undriven], get_stacks(*undriven)))\n self.sanity_check_memory_sync(wire_src_dict)\n if debug_mode:\n outs = dest_set.difference(arg_set)\n unused = outs.difference(self.wirevector_subset(Output))\n if len(unused) > 0:\n names = [w.name for w in unused]\n print('Warning: Wires driven but never used { %s } ' % names)\n print(get_stacks(*unused))\n",
"role": "user"
},
{
"content": "sanity_check",
"role": "assistant"
}
] |
def x(self, wire_src_dict=None):
sync_mems = set(m for m in self.logic_subset('m') if not m.op_param[1].
asynchronous)
if not len(sync_mems):
return
if wire_src_dict is None:
wire_src_dict, wdd = self.net_connections()
from .wire import Input, Const
sync_src = 'r'
sync_prop = 'wcs'
for net in sync_mems:
wires_to_check = list(net.args)
while len(wires_to_check):
wire = wires_to_check.pop()
if isinstance(wire, (Input, Const)):
continue
src_net = wire_src_dict[wire]
if src_net.op == sync_src:
continue
elif src_net.op in sync_prop:
wires_to_check.extend(src_net.args)
else:
raise PyrtlError(
'memory "%s" is not specified as asynchronous but has an index "%s" that is not ready at the start of the cycle due to net "%s"'
% (net.op_param[1].name, net.args[0].name, str(src_net)))
| sanity_check_memory_sync | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wire_src_dict=None):\n sync_mems = set(m for m in self.logic_subset('m') if not m.op_param[1].\n asynchronous)\n if not len(sync_mems):\n return\n if wire_src_dict is None:\n wire_src_dict, wdd = self.net_connections()\n from .wire import Input, Const\n sync_src = 'r'\n sync_prop = 'wcs'\n for net in sync_mems:\n wires_to_check = list(net.args)\n while len(wires_to_check):\n wire = wires_to_check.pop()\n if isinstance(wire, (Input, Const)):\n continue\n src_net = wire_src_dict[wire]\n if src_net.op == sync_src:\n continue\n elif src_net.op in sync_prop:\n wires_to_check.extend(src_net.args)\n else:\n raise PyrtlError(\n 'memory \"%s\" is not specified as asynchronous but has an index \"%s\" that is not ready at the start of the cycle due to net \"%s\"'\n % (net.op_param[1].name, net.args[0].name, str(src_net)))\n",
"role": "user"
},
{
"content": "sanity_check_memory_sync",
"role": "assistant"
}
] |
def x(self, w):
from .wire import WireVector
if not isinstance(w, WireVector):
raise PyrtlError(
'error attempting to pass an input of type "%s" instead of WireVector'
% type(w))
| sanity_check_wirevector | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, w):\n from .wire import WireVector\n if not isinstance(w, WireVector):\n raise PyrtlError(\n 'error attempting to pass an input of type \"%s\" instead of WireVector'\n % type(w))\n",
"role": "user"
},
{
"content": "sanity_check_wirevector",
"role": "assistant"
}
] |
def x(self, net):
from .wire import Input, Output, Const
from .memory import _MemReadBase
if not isinstance(net, LogicNet):
raise PyrtlInternalError('error, net must be of type LogicNet')
if not isinstance(net.args, tuple):
raise PyrtlInternalError('error, LogicNet args must be tuple')
if not isinstance(net.dests, tuple):
raise PyrtlInternalError('error, LogicNet dests must be tuple')
for w in (net.args + net.dests):
self.sanity_check_wirevector(w)
if w._block is not self:
raise PyrtlInternalError('error, net references different block')
if w not in self.wirevector_set:
raise PyrtlInternalError('error, net with unknown source "%s"' %
w.name)
for w in net.dests:
if isinstance(w, (Input, Const)):
raise PyrtlInternalError(
'error, Inputs, Consts cannot be destinations to a net')
for w in net.args:
if isinstance(w, Output):
raise PyrtlInternalError(
'error, Outputs cannot be arguments for a net')
if net.op not in self.legal_ops:
raise PyrtlInternalError(
'error, net op "%s" not from acceptable set %s' % (net.op, self
.legal_ops))
if net.op in 'w~rsm' and len(net.args) != 1:
raise PyrtlInternalError('error, op only allowed 1 argument')
if net.op in '&|^n+-*<>=' and len(net.args) != 2:
raise PyrtlInternalError('error, op only allowed 2 arguments')
if net.op == 'x':
if len(net.args) != 3:
raise PyrtlInternalError('error, op only allowed 3 arguments')
if net.args[1].bitwidth != net.args[2].bitwidth:
raise PyrtlInternalError('error, args have mismatched bitwidths')
if net.args[0].bitwidth != 1:
raise PyrtlInternalError('error, mux select must be a single bit')
if net.op == '@' and len(net.args) != 3:
raise PyrtlInternalError('error, op only allowed 3 arguments')
if net.op in '&|^n+-*<>=' and net.args[0].bitwidth != net.args[1].bitwidth:
raise PyrtlInternalError('error, args have mismatched bitwidths')
if net.op in 'm@' and net.args[0].bitwidth != net.op_param[1].addrwidth:
raise PyrtlInternalError('error, mem addrwidth mismatch')
if net.op == '@' and net.args[1].bitwidth != net.op_param[1].bitwidth:
raise PyrtlInternalError('error, mem bitwidth mismatch')
if net.op == '@' and net.args[2].bitwidth != 1:
raise PyrtlInternalError('error, mem write enable must be 1 bit')
if net.op in 'w~&|^n+-*<>=xcr' and net.op_param is not None:
raise PyrtlInternalError('error, op_param should be None')
if net.op == 's':
if not isinstance(net.op_param, tuple):
raise PyrtlInternalError('error, select op requires tuple op_param'
)
for p in net.op_param:
if not isinstance(p, int):
raise PyrtlInternalError('error, select op_param requires ints'
)
if p < 0 or p >= net.args[0].bitwidth:
raise PyrtlInternalError('error, op_param out of bounds')
if net.op in 'm@':
if not isinstance(net.op_param, tuple):
raise PyrtlInternalError('error, mem op requires tuple op_param')
if len(net.op_param) != 2:
raise PyrtlInternalError(
'error, mem op requires 2 op_params in tuple')
if not isinstance(net.op_param[0], int):
raise PyrtlInternalError(
'error, mem op requires first operand as int')
if not isinstance(net.op_param[1], _MemReadBase):
raise PyrtlInternalError(
'error, mem op requires second operand of a memory type')
if net.op in 'w~&|^nr' and net.dests[0].bitwidth > net.args[0].bitwidth:
raise PyrtlInternalError('error, upper bits of destination unassigned')
if net.op in '<>=' and net.dests[0].bitwidth != 1:
raise PyrtlInternalError('error, destination should be of bitwidth=1')
if net.op in '+-' and net.dests[0].bitwidth > net.args[0].bitwidth + 1:
raise PyrtlInternalError('error, upper bits of destination unassigned')
if net.op == '*' and net.dests[0].bitwidth > 2 * net.args[0].bitwidth:
raise PyrtlInternalError('error, upper bits of destination unassigned')
if net.op == 'x' and net.dests[0].bitwidth > net.args[1].bitwidth:
raise PyrtlInternalError('error, upper bits of mux output undefined')
if net.op == 'c' and net.dests[0].bitwidth > sum(x.bitwidth for x in
net.args):
raise PyrtlInternalError('error, upper bits of concat output undefined'
)
if net.op == 's' and net.dests[0].bitwidth > len(net.op_param):
raise PyrtlInternalError('error, upper bits of select output undefined'
)
if net.op == 'm' and net.dests[0].bitwidth != net.op_param[1].bitwidth:
raise PyrtlInternalError('error, mem read dest bitwidth mismatch')
if net.op == '@' and net.dests != ():
raise PyrtlInternalError('error, mem write dest should be empty tuple')
| sanity_check_net | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, net):\n from .wire import Input, Output, Const\n from .memory import _MemReadBase\n if not isinstance(net, LogicNet):\n raise PyrtlInternalError('error, net must be of type LogicNet')\n if not isinstance(net.args, tuple):\n raise PyrtlInternalError('error, LogicNet args must be tuple')\n if not isinstance(net.dests, tuple):\n raise PyrtlInternalError('error, LogicNet dests must be tuple')\n for w in (net.args + net.dests):\n self.sanity_check_wirevector(w)\n if w._block is not self:\n raise PyrtlInternalError('error, net references different block')\n if w not in self.wirevector_set:\n raise PyrtlInternalError('error, net with unknown source \"%s\"' %\n w.name)\n for w in net.dests:\n if isinstance(w, (Input, Const)):\n raise PyrtlInternalError(\n 'error, Inputs, Consts cannot be destinations to a net')\n for w in net.args:\n if isinstance(w, Output):\n raise PyrtlInternalError(\n 'error, Outputs cannot be arguments for a net')\n if net.op not in self.legal_ops:\n raise PyrtlInternalError(\n 'error, net op \"%s\" not from acceptable set %s' % (net.op, self\n .legal_ops))\n if net.op in 'w~rsm' and len(net.args) != 1:\n raise PyrtlInternalError('error, op only allowed 1 argument')\n if net.op in '&|^n+-*<>=' and len(net.args) != 2:\n raise PyrtlInternalError('error, op only allowed 2 arguments')\n if net.op == 'x':\n if len(net.args) != 3:\n raise PyrtlInternalError('error, op only allowed 3 arguments')\n if net.args[1].bitwidth != net.args[2].bitwidth:\n raise PyrtlInternalError('error, args have mismatched bitwidths')\n if net.args[0].bitwidth != 1:\n raise PyrtlInternalError('error, mux select must be a single bit')\n if net.op == '@' and len(net.args) != 3:\n raise PyrtlInternalError('error, op only allowed 3 arguments')\n if net.op in '&|^n+-*<>=' and net.args[0].bitwidth != net.args[1].bitwidth:\n raise PyrtlInternalError('error, args have mismatched bitwidths')\n if net.op in 'm@' and net.args[0].bitwidth != net.op_param[1].addrwidth:\n raise PyrtlInternalError('error, mem addrwidth mismatch')\n if net.op == '@' and net.args[1].bitwidth != net.op_param[1].bitwidth:\n raise PyrtlInternalError('error, mem bitwidth mismatch')\n if net.op == '@' and net.args[2].bitwidth != 1:\n raise PyrtlInternalError('error, mem write enable must be 1 bit')\n if net.op in 'w~&|^n+-*<>=xcr' and net.op_param is not None:\n raise PyrtlInternalError('error, op_param should be None')\n if net.op == 's':\n if not isinstance(net.op_param, tuple):\n raise PyrtlInternalError('error, select op requires tuple op_param'\n )\n for p in net.op_param:\n if not isinstance(p, int):\n raise PyrtlInternalError('error, select op_param requires ints'\n )\n if p < 0 or p >= net.args[0].bitwidth:\n raise PyrtlInternalError('error, op_param out of bounds')\n if net.op in 'm@':\n if not isinstance(net.op_param, tuple):\n raise PyrtlInternalError('error, mem op requires tuple op_param')\n if len(net.op_param) != 2:\n raise PyrtlInternalError(\n 'error, mem op requires 2 op_params in tuple')\n if not isinstance(net.op_param[0], int):\n raise PyrtlInternalError(\n 'error, mem op requires first operand as int')\n if not isinstance(net.op_param[1], _MemReadBase):\n raise PyrtlInternalError(\n 'error, mem op requires second operand of a memory type')\n if net.op in 'w~&|^nr' and net.dests[0].bitwidth > net.args[0].bitwidth:\n raise PyrtlInternalError('error, upper bits of destination unassigned')\n if net.op in '<>=' and net.dests[0].bitwidth != 1:\n raise PyrtlInternalError('error, destination should be of bitwidth=1')\n if net.op in '+-' and net.dests[0].bitwidth > net.args[0].bitwidth + 1:\n raise PyrtlInternalError('error, upper bits of destination unassigned')\n if net.op == '*' and net.dests[0].bitwidth > 2 * net.args[0].bitwidth:\n raise PyrtlInternalError('error, upper bits of destination unassigned')\n if net.op == 'x' and net.dests[0].bitwidth > net.args[1].bitwidth:\n raise PyrtlInternalError('error, upper bits of mux output undefined')\n if net.op == 'c' and net.dests[0].bitwidth > sum(x.bitwidth for x in\n net.args):\n raise PyrtlInternalError('error, upper bits of concat output undefined'\n )\n if net.op == 's' and net.dests[0].bitwidth > len(net.op_param):\n raise PyrtlInternalError('error, upper bits of select output undefined'\n )\n if net.op == 'm' and net.dests[0].bitwidth != net.op_param[1].bitwidth:\n raise PyrtlInternalError('error, mem read dest bitwidth mismatch')\n if net.op == '@' and net.dests != ():\n raise PyrtlInternalError('error, mem write dest should be empty tuple')\n",
"role": "user"
},
{
"content": "sanity_check_net",
"role": "assistant"
}
] |
def x(self, string=''):
if not self.is_valid_str(string):
if string in self.val_map and not self.allow_dups:
raise IndexError('Value {} has already been given to the sanitizer'
.format(string))
internal_name = super(_NameSanitizer, self).make_valid_string()
self.val_map[string] = internal_name
return internal_name
else:
if self.map_valid:
self.val_map[string] = string
return string
| make_valid_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string=''):\n if not self.is_valid_str(string):\n if string in self.val_map and not self.allow_dups:\n raise IndexError('Value {} has already been given to the sanitizer'\n .format(string))\n internal_name = super(_NameSanitizer, self).make_valid_string()\n self.val_map[string] = internal_name\n return internal_name\n else:\n if self.map_valid:\n self.val_map[string] = string\n return string\n",
"role": "user"
},
{
"content": "make_valid_string",
"role": "assistant"
}
] |
def x(string, base=16):
int_strings = string.split()
return [int(int_str, base) for int_str in int_strings]
| str_to_int_array | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, base=16):\n int_strings = string.split()\n return [int(int_str, base) for int_str in int_strings]\n",
"role": "user"
},
{
"content": "str_to_int_array",
"role": "assistant"
}
] |
def x(val, bitwidth):
correctbw = abs(val).bit_length() + 1
if bitwidth < correctbw:
raise pyrtl.PyrtlError('please choose a larger target bitwidth')
if val >= 0:
return val
else:
return (~abs(val) & 2 ** bitwidth - 1) + 1
| twos_comp_repr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val, bitwidth):\n correctbw = abs(val).bit_length() + 1\n if bitwidth < correctbw:\n raise pyrtl.PyrtlError('please choose a larger target bitwidth')\n if val >= 0:\n return val\n else:\n return (~abs(val) & 2 ** bitwidth - 1) + 1\n",
"role": "user"
},
{
"content": "twos_comp_repr",
"role": "assistant"
}
] |
def x(val, bitwidth):
valbl = val.bit_length()
if bitwidth < val.bit_length() or val == 2 ** (bitwidth - 1):
raise pyrtl.PyrtlError('please choose a larger target bitwidth')
if bitwidth == valbl:
return -((~val & 2 ** bitwidth - 1) + 1)
else:
return val
| rev_twos_comp_repr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val, bitwidth):\n valbl = val.bit_length()\n if bitwidth < val.bit_length() or val == 2 ** (bitwidth - 1):\n raise pyrtl.PyrtlError('please choose a larger target bitwidth')\n if bitwidth == valbl:\n return -((~val & 2 ** bitwidth - 1) + 1)\n else:\n return val\n",
"role": "user"
},
{
"content": "rev_twos_comp_repr",
"role": "assistant"
}
] |
def x(reg, direct, num=1):
if direct == 'l':
if num >= len(reg):
return 0
else:
return pyrtl.concat(reg, pyrtl.Const(0, num))
elif direct == 'r':
if num >= len(reg):
return 0
else:
return reg[num:]
else:
raise pyrtl.PyrtlError(
"direction must be specified with 'direct'parameter as either 'l' or 'r'"
)
| shifted_reg_next | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reg, direct, num=1):\n if direct == 'l':\n if num >= len(reg):\n return 0\n else:\n return pyrtl.concat(reg, pyrtl.Const(0, num))\n elif direct == 'r':\n if num >= len(reg):\n return 0\n else:\n return reg[num:]\n else:\n raise pyrtl.PyrtlError(\n \"direction must be specified with 'direct'parameter as either 'l' or 'r'\"\n )\n",
"role": "user"
},
{
"content": "shifted_reg_next",
"role": "assistant"
}
] |
def x(update_working_block=True, block=None, skip_sanity_check=False):
block = working_block(block)
if not update_working_block:
block = copy_block(block)
with set_working_block(block, no_sanity_check=True):
if not skip_sanity_check or debug_mode:
block.sanity_check()
_remove_wire_nets(block)
constant_propagation(block, True)
_remove_unlistened_nets(block)
common_subexp_elimination(block)
if not skip_sanity_check or debug_mode:
block.sanity_check()
return block
| optimize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(update_working_block=True, block=None, skip_sanity_check=False):\n block = working_block(block)\n if not update_working_block:\n block = copy_block(block)\n with set_working_block(block, no_sanity_check=True):\n if not skip_sanity_check or debug_mode:\n block.sanity_check()\n _remove_wire_nets(block)\n constant_propagation(block, True)\n _remove_unlistened_nets(block)\n common_subexp_elimination(block)\n if not skip_sanity_check or debug_mode:\n block.sanity_check()\n return block\n",
"role": "user"
},
{
"content": "optimize",
"role": "assistant"
}
] |
def x(block):
wire_src_dict = _ProducerList()
wire_removal_set = set()
for net in block.logic:
if net.op == 'w':
wire_src_dict[net.dests[0]] = net.args[0]
if not isinstance(net.dests[0], Output):
wire_removal_set.add(net.dests[0])
new_logic = set()
for net in block.logic:
if net.op != 'w' or isinstance(net.dests[0], Output):
new_args = tuple(wire_src_dict.find_producer(x) for x in net.args)
new_net = LogicNet(net.op, net.op_param, new_args, net.dests)
new_logic.add(new_net)
block.logic = new_logic
for dead_wirevector in wire_removal_set:
del block.wirevector_by_name[dead_wirevector.name]
block.wirevector_set.remove(dead_wirevector)
block.sanity_check()
| remove_wire_nets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block):\n wire_src_dict = _ProducerList()\n wire_removal_set = set()\n for net in block.logic:\n if net.op == 'w':\n wire_src_dict[net.dests[0]] = net.args[0]\n if not isinstance(net.dests[0], Output):\n wire_removal_set.add(net.dests[0])\n new_logic = set()\n for net in block.logic:\n if net.op != 'w' or isinstance(net.dests[0], Output):\n new_args = tuple(wire_src_dict.find_producer(x) for x in net.args)\n new_net = LogicNet(net.op, net.op_param, new_args, net.dests)\n new_logic.add(new_net)\n block.logic = new_logic\n for dead_wirevector in wire_removal_set:\n del block.wirevector_by_name[dead_wirevector.name]\n block.wirevector_set.remove(dead_wirevector)\n block.sanity_check()\n",
"role": "user"
},
{
"content": "remove_wire_nets",
"role": "assistant"
}
] |
def x(block, silence_unexpected_net_warnings=False):
net_count = _NetCount(block)
while net_count.shrinking():
_constant_prop_pass(block, silence_unexpected_net_warnings)
| constant_propagation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block, silence_unexpected_net_warnings=False):\n net_count = _NetCount(block)\n while net_count.shrinking():\n _constant_prop_pass(block, silence_unexpected_net_warnings)\n",
"role": "user"
},
{
"content": "constant_propagation",
"role": "assistant"
}
] |
def x(block, silence_unexpected_net_warnings=False):
valid_net_ops = '~&|^nrwcsm@'
no_optimization_ops = 'wcsm@'
one_var_ops = {'~': lambda x: 1 - x, 'r': lambda x: x}
two_var_ops = {'&': lambda l, r: l & r, '|': lambda l, r: l | r, '^':
lambda l, r: l ^ r, 'n': lambda l, r: 1 - (l & r)}
def x(net, error_str):
if not silence_unexpected_net_warnings:
raise PyrtlError('Unexpected net, {}, has {}'.format(net,
error_str))
def x(net_checking):
def x(new_net):
nets_to_remove.add(net_checking)
nets_to_add.add(new_net)
def x(const_val):
new_const_wire = Const(bitwidth=1, val=const_val, block=block)
wire_add_set.add(new_const_wire)
replace_net_with_wire(new_const_wire)
def x(new_wire):
if isinstance(net_checking.dests[0], Output):
replace_net(LogicNet('w', None, args=(new_wire,), dests=
net_checking.dests))
else:
nets_to_remove.add(net_checking)
new_wire_src[net_checking.dests[0]] = new_wire
if net_checking.op not in valid_net_ops:
_constant_prop_error(net_checking,
'has a net not handled by constant_propagation')
return
num_constants = sum(isinstance(arg, Const) for arg in net_checking.args
)
if num_constants is 0 or net_checking.op in no_optimization_ops:
return
if net_checking.op in two_var_ops and num_constants == 1:
long_wires = [w for w in net_checking.args + net_checking.dests if
len(w) != 1]
if len(long_wires):
_constant_prop_error(net_checking,
'has wire(s) {} with bitwidths that are not 1'.format(
long_wires))
return
const_wire, other_wire = net_checking.args
if isinstance(other_wire, Const):
const_wire, other_wire = other_wire, const_wire
outputs = [two_var_ops[net_checking.op](const_wire.val,
other_val) for other_val in (0, 1)]
if outputs[0] == outputs[1]:
replace_net_with_const(outputs[0])
elif outputs[0] == 0:
replace_net_with_wire(other_wire)
else:
replace_net(LogicNet('~', None, args=(other_wire,), dests=
net_checking.dests))
else:
if net_checking.op in two_var_ops:
output = two_var_ops[net_checking.op](net_checking.args[0].
val, net_checking.args[1].val)
else:
output = one_var_ops[net_checking.op](net_checking.args[0].val)
replace_net_with_const(output)
new_wire_src = _ProducerList()
wire_add_set = set()
nets_to_add = set()
nets_to_remove = set()
for a_net in block.logic:
constant_prop_check(a_net)
new_logic = set()
for net in (block.logic.union(nets_to_add) - nets_to_remove):
new_args = tuple(new_wire_src.find_producer(x) for x in net.args)
new_net = LogicNet(net.op, net.op_param, new_args, net.dests)
new_logic.add(new_net)
block.logic = new_logic
for new_wirevector in wire_add_set:
block.add_wirevector(new_wirevector)
_remove_unused_wires(block)
| constant_prop_pass | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block, silence_unexpected_net_warnings=False):\n valid_net_ops = '~&|^nrwcsm@'\n no_optimization_ops = 'wcsm@'\n one_var_ops = {'~': lambda x: 1 - x, 'r': lambda x: x}\n two_var_ops = {'&': lambda l, r: l & r, '|': lambda l, r: l | r, '^': \n lambda l, r: l ^ r, 'n': lambda l, r: 1 - (l & r)}\n\n def x(net, error_str):\n if not silence_unexpected_net_warnings:\n raise PyrtlError('Unexpected net, {}, has {}'.format(net,\n error_str))\n\n def x(net_checking):\n\n def x(new_net):\n nets_to_remove.add(net_checking)\n nets_to_add.add(new_net)\n\n def x(const_val):\n new_const_wire = Const(bitwidth=1, val=const_val, block=block)\n wire_add_set.add(new_const_wire)\n replace_net_with_wire(new_const_wire)\n\n def x(new_wire):\n if isinstance(net_checking.dests[0], Output):\n replace_net(LogicNet('w', None, args=(new_wire,), dests=\n net_checking.dests))\n else:\n nets_to_remove.add(net_checking)\n new_wire_src[net_checking.dests[0]] = new_wire\n if net_checking.op not in valid_net_ops:\n _constant_prop_error(net_checking,\n 'has a net not handled by constant_propagation')\n return\n num_constants = sum(isinstance(arg, Const) for arg in net_checking.args\n )\n if num_constants is 0 or net_checking.op in no_optimization_ops:\n return\n if net_checking.op in two_var_ops and num_constants == 1:\n long_wires = [w for w in net_checking.args + net_checking.dests if\n len(w) != 1]\n if len(long_wires):\n _constant_prop_error(net_checking,\n 'has wire(s) {} with bitwidths that are not 1'.format(\n long_wires))\n return\n const_wire, other_wire = net_checking.args\n if isinstance(other_wire, Const):\n const_wire, other_wire = other_wire, const_wire\n outputs = [two_var_ops[net_checking.op](const_wire.val,\n other_val) for other_val in (0, 1)]\n if outputs[0] == outputs[1]:\n replace_net_with_const(outputs[0])\n elif outputs[0] == 0:\n replace_net_with_wire(other_wire)\n else:\n replace_net(LogicNet('~', None, args=(other_wire,), dests=\n net_checking.dests))\n else:\n if net_checking.op in two_var_ops:\n output = two_var_ops[net_checking.op](net_checking.args[0].\n val, net_checking.args[1].val)\n else:\n output = one_var_ops[net_checking.op](net_checking.args[0].val)\n replace_net_with_const(output)\n new_wire_src = _ProducerList()\n wire_add_set = set()\n nets_to_add = set()\n nets_to_remove = set()\n for a_net in block.logic:\n constant_prop_check(a_net)\n new_logic = set()\n for net in (block.logic.union(nets_to_add) - nets_to_remove):\n new_args = tuple(new_wire_src.find_producer(x) for x in net.args)\n new_net = LogicNet(net.op, net.op_param, new_args, net.dests)\n new_logic.add(new_net)\n block.logic = new_logic\n for new_wirevector in wire_add_set:\n block.add_wirevector(new_wirevector)\n _remove_unused_wires(block)\n",
"role": "user"
},
{
"content": "constant_prop_pass",
"role": "assistant"
}
] |
def x(block=None, abs_thresh=1, percent_thresh=0):
block = working_block(block)
net_count = _NetCount(block)
while net_count.shrinking(block, percent_thresh, abs_thresh):
net_table = _find_common_subexps(block)
_replace_subexps(block, net_table)
| common_subexp_elimination | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block=None, abs_thresh=1, percent_thresh=0):\n block = working_block(block)\n net_count = _NetCount(block)\n while net_count.shrinking(block, percent_thresh, abs_thresh):\n net_table = _find_common_subexps(block)\n _replace_subexps(block, net_table)\n",
"role": "user"
},
{
"content": "common_subexp_elimination",
"role": "assistant"
}
] |
def x(block):
listened_nets = set()
listened_wires = set()
prev_listened_net_count = 0
def x(net):
listened_nets.add(net)
listened_wires.update(net.args)
for a_net in block.logic:
if a_net.op == '@':
add_to_listened(a_net)
elif any(isinstance(destW, Output) for destW in a_net.dests):
add_to_listened(a_net)
while len(listened_nets) > prev_listened_net_count:
prev_listened_net_count = len(listened_nets)
for net in (block.logic - listened_nets):
if any(destWire in listened_wires for destWire in net.dests):
add_to_listened(net)
block.logic = listened_nets
_remove_unused_wires(block)
| remove_unlistened_nets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block):\n listened_nets = set()\n listened_wires = set()\n prev_listened_net_count = 0\n\n def x(net):\n listened_nets.add(net)\n listened_wires.update(net.args)\n for a_net in block.logic:\n if a_net.op == '@':\n add_to_listened(a_net)\n elif any(isinstance(destW, Output) for destW in a_net.dests):\n add_to_listened(a_net)\n while len(listened_nets) > prev_listened_net_count:\n prev_listened_net_count = len(listened_nets)\n for net in (block.logic - listened_nets):\n if any(destWire in listened_wires for destWire in net.dests):\n add_to_listened(net)\n block.logic = listened_nets\n _remove_unused_wires(block)\n",
"role": "user"
},
{
"content": "remove_unlistened_nets",
"role": "assistant"
}
] |
def x(block, keep_inputs=True):
valid_wires = set()
for logic_net in block.logic:
valid_wires.update(logic_net.args, logic_net.dests)
wire_removal_set = block.wirevector_set.difference(valid_wires)
for removed_wire in wire_removal_set:
if isinstance(removed_wire, Input):
term = ' optimized away'
if keep_inputs:
valid_wires.add(removed_wire)
term = ' deemed useless by optimization'
print('Input Wire, ' + removed_wire.name + ' has been' + term)
if isinstance(removed_wire, Output):
PyrtlInternalError('Output wire, ' + removed_wire.name +
' not driven')
block.wirevector_set = valid_wires
| remove_unused_wires | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block, keep_inputs=True):\n valid_wires = set()\n for logic_net in block.logic:\n valid_wires.update(logic_net.args, logic_net.dests)\n wire_removal_set = block.wirevector_set.difference(valid_wires)\n for removed_wire in wire_removal_set:\n if isinstance(removed_wire, Input):\n term = ' optimized away'\n if keep_inputs:\n valid_wires.add(removed_wire)\n term = ' deemed useless by optimization'\n print('Input Wire, ' + removed_wire.name + ' has been' + term)\n if isinstance(removed_wire, Output):\n PyrtlInternalError('Output wire, ' + removed_wire.name +\n ' not driven')\n block.wirevector_set = valid_wires\n",
"role": "user"
},
{
"content": "remove_unused_wires",
"role": "assistant"
}
] |
def x(update_working_block=True, block=None):
block_pre = working_block(block)
block_pre.sanity_check()
block_in = copy_block(block_pre, update_working_block=False)
block_out = PostSynthBlock()
block_out.legal_ops = set('~&|^nrwcsm@')
wirevector_map = {}
with set_working_block(block_out, no_sanity_check=True):
for op, fun in [('*', _basic_mult), ('+', _basic_add), ('-',
_basic_sub), ('x', _basic_select), ('=', _basic_eq), ('<',
_basic_lt), ('>', _basic_gt)]:
net_transform(_replace_op(op, fun), block_in)
for wirevector in block_in.wirevector_subset():
for i in range(len(wirevector)):
new_name = '_'.join((wirevector.name, 'synth', str(i)))
if isinstance(wirevector, Const):
new_val = wirevector.val >> i & 1
new_wirevector = Const(bitwidth=1, val=new_val)
elif isinstance(wirevector, (Input, Output)):
new_wirevector = WireVector(name='tmp_' + new_name,
bitwidth=1)
else:
new_wirevector = wirevector.__class__(name=new_name,
bitwidth=1)
wirevector_map[wirevector, i] = new_wirevector
for wirevector in block_in.wirevector_subset(Input):
input_vector = Input(name=wirevector.name, bitwidth=len(wirevector)
)
for i in range(len(wirevector)):
wirevector_map[wirevector, i] <<= input_vector[i]
for wirevector in block_in.wirevector_subset(Output):
output_vector = Output(name=wirevector.name, bitwidth=len(
wirevector))
output_bits = [wirevector_map[wirevector, i] for i in range(len
(output_vector))]
output_vector <<= concat_list(output_bits)
out_mems = block_out.mem_map
for net in block_in.logic:
_decompose(net, wirevector_map, out_mems, block_out)
if update_working_block:
set_working_block(block_out, no_sanity_check=True)
return block_out
| synthesize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(update_working_block=True, block=None):\n block_pre = working_block(block)\n block_pre.sanity_check()\n block_in = copy_block(block_pre, update_working_block=False)\n block_out = PostSynthBlock()\n block_out.legal_ops = set('~&|^nrwcsm@')\n wirevector_map = {}\n with set_working_block(block_out, no_sanity_check=True):\n for op, fun in [('*', _basic_mult), ('+', _basic_add), ('-',\n _basic_sub), ('x', _basic_select), ('=', _basic_eq), ('<',\n _basic_lt), ('>', _basic_gt)]:\n net_transform(_replace_op(op, fun), block_in)\n for wirevector in block_in.wirevector_subset():\n for i in range(len(wirevector)):\n new_name = '_'.join((wirevector.name, 'synth', str(i)))\n if isinstance(wirevector, Const):\n new_val = wirevector.val >> i & 1\n new_wirevector = Const(bitwidth=1, val=new_val)\n elif isinstance(wirevector, (Input, Output)):\n new_wirevector = WireVector(name='tmp_' + new_name,\n bitwidth=1)\n else:\n new_wirevector = wirevector.__class__(name=new_name,\n bitwidth=1)\n wirevector_map[wirevector, i] = new_wirevector\n for wirevector in block_in.wirevector_subset(Input):\n input_vector = Input(name=wirevector.name, bitwidth=len(wirevector)\n )\n for i in range(len(wirevector)):\n wirevector_map[wirevector, i] <<= input_vector[i]\n for wirevector in block_in.wirevector_subset(Output):\n output_vector = Output(name=wirevector.name, bitwidth=len(\n wirevector))\n output_bits = [wirevector_map[wirevector, i] for i in range(len\n (output_vector))]\n output_vector <<= concat_list(output_bits)\n out_mems = block_out.mem_map\n for net in block_in.logic:\n _decompose(net, wirevector_map, out_mems, block_out)\n if update_working_block:\n set_working_block(block_out, no_sanity_check=True)\n return block_out\n",
"role": "user"
},
{
"content": "synthesize",
"role": "assistant"
}
] |
def x(net, wv_map, mems, block_out):
def x(x, i):
return wv_map[net.args[x], i]
def x():
return range(len(net.dests[0]))
def x(i, v):
wv_map[net.dests[0], i] <<= v
one_var_ops = {'w': lambda w: w, '~': lambda w: ~w}
c_two_var_ops = {'&': lambda l, r: l & r, '|': lambda l, r: l | r, '^':
lambda l, r: l ^ r, 'n': lambda l, r: l.nand(r)}
if net.op in one_var_ops:
for i in destlen():
assign_dest(i, one_var_ops[net.op](arg(0, i)))
elif net.op in c_two_var_ops:
for i in destlen():
assign_dest(i, c_two_var_ops[net.op](arg(0, i), arg(1, i)))
elif net.op == 's':
for i in destlen():
selected_bit = arg(0, net.op_param[i])
assign_dest(i, selected_bit)
elif net.op == 'c':
arg_wirelist = []
for arg_vector in net.args:
arg_vector_as_list = [wv_map[arg_vector, i] for i in range(len(
arg_vector))]
arg_wirelist = arg_vector_as_list + arg_wirelist
for i in destlen():
assign_dest(i, arg_wirelist[i])
elif net.op == 'r':
for i in destlen():
args = arg(0, i),
dests = wv_map[net.dests[0], i],
new_net = LogicNet('r', None, args=args, dests=dests)
block_out.add_net(new_net)
elif net.op == 'm':
arg0list = [arg(0, i) for i in range(len(net.args[0]))]
addr = concat_list(arg0list)
new_mem = _get_new_block_mem_instance(net.op_param, mems, block_out)[1]
data = as_wires(new_mem[addr])
for i in destlen():
assign_dest(i, data[i])
elif net.op == '@':
addrlist = [arg(0, i) for i in range(len(net.args[0]))]
addr = concat_list(addrlist)
datalist = [arg(1, i) for i in range(len(net.args[1]))]
data = concat_list(datalist)
enable = arg(2, 0)
new_mem = _get_new_block_mem_instance(net.op_param, mems, block_out)[1]
new_mem[addr] <<= MemBlock.EnabledWrite(data=data, enable=enable)
else:
raise PyrtlInternalError(
"""Unable to synthesize the following net due to unimplemented op :
%s"""
% str(net))
return
| decompose | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(net, wv_map, mems, block_out):\n\n def x(x, i):\n return wv_map[net.args[x], i]\n\n def x():\n return range(len(net.dests[0]))\n\n def x(i, v):\n wv_map[net.dests[0], i] <<= v\n one_var_ops = {'w': lambda w: w, '~': lambda w: ~w}\n c_two_var_ops = {'&': lambda l, r: l & r, '|': lambda l, r: l | r, '^':\n lambda l, r: l ^ r, 'n': lambda l, r: l.nand(r)}\n if net.op in one_var_ops:\n for i in destlen():\n assign_dest(i, one_var_ops[net.op](arg(0, i)))\n elif net.op in c_two_var_ops:\n for i in destlen():\n assign_dest(i, c_two_var_ops[net.op](arg(0, i), arg(1, i)))\n elif net.op == 's':\n for i in destlen():\n selected_bit = arg(0, net.op_param[i])\n assign_dest(i, selected_bit)\n elif net.op == 'c':\n arg_wirelist = []\n for arg_vector in net.args:\n arg_vector_as_list = [wv_map[arg_vector, i] for i in range(len(\n arg_vector))]\n arg_wirelist = arg_vector_as_list + arg_wirelist\n for i in destlen():\n assign_dest(i, arg_wirelist[i])\n elif net.op == 'r':\n for i in destlen():\n args = arg(0, i),\n dests = wv_map[net.dests[0], i],\n new_net = LogicNet('r', None, args=args, dests=dests)\n block_out.add_net(new_net)\n elif net.op == 'm':\n arg0list = [arg(0, i) for i in range(len(net.args[0]))]\n addr = concat_list(arg0list)\n new_mem = _get_new_block_mem_instance(net.op_param, mems, block_out)[1]\n data = as_wires(new_mem[addr])\n for i in destlen():\n assign_dest(i, data[i])\n elif net.op == '@':\n addrlist = [arg(0, i) for i in range(len(net.args[0]))]\n addr = concat_list(addrlist)\n datalist = [arg(1, i) for i in range(len(net.args[1]))]\n data = concat_list(datalist)\n enable = arg(2, 0)\n new_mem = _get_new_block_mem_instance(net.op_param, mems, block_out)[1]\n new_mem[addr] <<= MemBlock.EnabledWrite(data=data, enable=enable)\n else:\n raise PyrtlInternalError(\n \"\"\"Unable to synthesize the following net due to unimplemented op :\n%s\"\"\"\n % str(net))\n return\n",
"role": "user"
},
{
"content": "decompose",
"role": "assistant"
}
] |
def x(net):
if net.op in '~nrwcsm@':
return True
def x(num):
return net.args[num]
dest = net.dests[0]
if net.op == '&':
dest <<= ~arg(0).nand(arg(1))
elif net.op == '|':
dest <<= (~arg(0)).nand(~arg(1))
elif net.op == '^':
temp_0 = arg(0).nand(arg(1))
dest <<= temp_0.nand(arg(0)).nand(temp_0.nand(arg(1)))
else:
raise PyrtlError("Op, '{}' is not supported in nand_synth".format(
net.op))
| nand_synth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(net):\n if net.op in '~nrwcsm@':\n return True\n\n def x(num):\n return net.args[num]\n dest = net.dests[0]\n if net.op == '&':\n dest <<= ~arg(0).nand(arg(1))\n elif net.op == '|':\n dest <<= (~arg(0)).nand(~arg(1))\n elif net.op == '^':\n temp_0 = arg(0).nand(arg(1))\n dest <<= temp_0.nand(arg(0)).nand(temp_0.nand(arg(1)))\n else:\n raise PyrtlError(\"Op, '{}' is not supported in nand_synth\".format(\n net.op))\n",
"role": "user"
},
{
"content": "nand_synth",
"role": "assistant"
}
] |
def x(net):
if net.op in '~&rwcsm@':
return True
def x(num):
return net.args[num]
dest = net.dests[0]
if net.op == '|':
dest <<= ~(~arg(0) & ~arg(1))
elif net.op == '^':
all_1 = arg(0) & arg(1)
all_0 = ~arg(0) & ~arg(1)
dest <<= all_0 & ~all_1
elif net.op == 'n':
dest <<= ~(arg(0) & arg(1))
else:
raise PyrtlError("Op, '{}' is not supported in and_inv_synth".
format(net.op))
| and_inverter_synth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(net):\n if net.op in '~&rwcsm@':\n return True\n\n def x(num):\n return net.args[num]\n dest = net.dests[0]\n if net.op == '|':\n dest <<= ~(~arg(0) & ~arg(1))\n elif net.op == '^':\n all_1 = arg(0) & arg(1)\n all_0 = ~arg(0) & ~arg(1)\n dest <<= all_0 & ~all_1\n elif net.op == 'n':\n dest <<= ~(arg(0) & arg(1))\n else:\n raise PyrtlError(\"Op, '{}' is not supported in and_inv_synth\".\n format(net.op))\n",
"role": "user"
},
{
"content": "and_inverter_synth",
"role": "assistant"
}
] |
def x(bits_to_shift, bit_in, direction, shift_dist, wrap_around=0):
from pyrtl import concat, select
if wrap_around != 0:
raise NotImplementedError
final_width = len(bits_to_shift)
val = bits_to_shift
append_val = bit_in
for i in range(len(shift_dist)):
shift_amt = pow(2, i)
if shift_amt < final_width:
newval = select(direction, concat(val[:-shift_amt], append_val),
concat(append_val, val[shift_amt:]))
val = select(shift_dist[i], truecase=newval, falsecase=val)
append_val = concat(append_val, append_val)[:final_width]
else:
val = select(shift_dist[i], truecase=append_val, falsecase=val)
return val
| barrel_shifter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bits_to_shift, bit_in, direction, shift_dist, wrap_around=0):\n from pyrtl import concat, select\n if wrap_around != 0:\n raise NotImplementedError\n final_width = len(bits_to_shift)\n val = bits_to_shift\n append_val = bit_in\n for i in range(len(shift_dist)):\n shift_amt = pow(2, i)\n if shift_amt < final_width:\n newval = select(direction, concat(val[:-shift_amt], append_val),\n concat(append_val, val[shift_amt:]))\n val = select(shift_dist[i], truecase=newval, falsecase=val)\n append_val = concat(append_val, append_val)[:final_width]\n else:\n val = select(shift_dist[i], truecase=append_val, falsecase=val)\n return val\n",
"role": "user"
},
{
"content": "barrel_shifter",
"role": "assistant"
}
] |
def x(*funcs):
if not funcs:
return lambda *args: args[0] if args else None
if len(funcs) == 1:
return funcs[0]
last = funcs[-1]
rest = funcs[0:-1]
return lambda *args: reduce(lambda ax, func: func(ax), reversed(rest),
last(*args))
| compose | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*funcs):\n if not funcs:\n return lambda *args: args[0] if args else None\n if len(funcs) == 1:\n return funcs[0]\n last = funcs[-1]\n rest = funcs[0:-1]\n return lambda *args: reduce(lambda ax, func: func(ax), reversed(rest),\n last(*args))\n",
"role": "user"
},
{
"content": "compose",
"role": "assistant"
}
] |
def x(reducers):
final_reducers = {key: reducer for key, reducer in reducers.items() if
hasattr(reducer, '__call__')}
sanity_error = None
try:
assert_reducer_sanity(final_reducers)
except Exception as e:
sanity_error = e
def x(state=None, action=None):
if state is None:
state = {}
if sanity_error:
raise sanity_error
has_changed = False
next_state = {}
for key, reducer in final_reducers.items():
previous_state_for_key = state.get(key)
next_state_for_key = reducer(previous_state_for_key, action)
if next_state_for_key is None:
msg = get_undefined_state_error_message(key, action)
raise Exception(msg)
next_state[key] = next_state_for_key
has_changed = (has_changed or next_state_for_key !=
previous_state_for_key)
return next_state if has_changed else state
return combination
| combine_reducers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reducers):\n final_reducers = {key: reducer for key, reducer in reducers.items() if\n hasattr(reducer, '__call__')}\n sanity_error = None\n try:\n assert_reducer_sanity(final_reducers)\n except Exception as e:\n sanity_error = e\n\n def x(state=None, action=None):\n if state is None:\n state = {}\n if sanity_error:\n raise sanity_error\n has_changed = False\n next_state = {}\n for key, reducer in final_reducers.items():\n previous_state_for_key = state.get(key)\n next_state_for_key = reducer(previous_state_for_key, action)\n if next_state_for_key is None:\n msg = get_undefined_state_error_message(key, action)\n raise Exception(msg)\n next_state[key] = next_state_for_key\n has_changed = (has_changed or next_state_for_key !=\n previous_state_for_key)\n return next_state if has_changed else state\n return combination\n",
"role": "user"
},
{
"content": "combine_reducers",
"role": "assistant"
}
] |
def x(n):
a, b = 0, 1
for i in range(n):
a, b = b, a + b
return a
| software_fibonacci | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n):\n a, b = 0, 1\n for i in range(n):\n a, b = b, a + b\n return a\n",
"role": "user"
},
{
"content": "software_fibonacci",
"role": "assistant"
}
] |
def x(*middlewares):
def x(create_store_):
def x(reducer, enhancer=None):
store = create_store_(reducer, enhancer)
dispatch = store['dispatch']
middleware_api = {'get_state': store['get_state'], 'dispatch':
lambda action: dispatch(action)}
chain = [mw(middleware_api) for mw in middlewares]
dispatch = compose(*chain)(store['dispatch'])
return extend(store, {'dispatch': dispatch})
return create_wrapper
return inner
| apply_middleware | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*middlewares):\n\n def x(create_store_):\n\n def x(reducer, enhancer=None):\n store = create_store_(reducer, enhancer)\n dispatch = store['dispatch']\n middleware_api = {'get_state': store['get_state'], 'dispatch': \n lambda action: dispatch(action)}\n chain = [mw(middleware_api) for mw in middlewares]\n dispatch = compose(*chain)(store['dispatch'])\n return extend(store, {'dispatch': dispatch})\n return create_wrapper\n return inner\n",
"role": "user"
},
{
"content": "apply_middleware",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.