id
int32
0
252k
repo
stringlengths
7
55
path
stringlengths
4
127
func_name
stringlengths
1
88
original_string
stringlengths
75
19.8k
language
stringclasses
1 value
code
stringlengths
51
19.8k
code_tokens
list
docstring
stringlengths
3
17.3k
docstring_tokens
list
sha
stringlengths
40
40
url
stringlengths
87
242
3,000
UCSBarchlab/PyRTL
pyrtl/helperfuncs.py
formatted_str_to_val
def formatted_str_to_val(data, format, enum_set=None): """ Return an unsigned integer representation of the data given format specified. :param data: a string holding the value to convert :param format: a string holding a format which will be used to convert the data string :param enum_set: an iterable of enums which are used as part of the converstion process Given a string (not a wirevector!) covert that to an unsigned integer ready for input to the simulation enviornment. This helps deal with signed/unsigned numbers (simulation assumes the values have been converted via two's complement already), but it also takes hex, binary, and enum types as inputs. It is easiest to see how it works with some examples. :: formatted_str_to_val('2', 's3') == 2 # 0b010 formatted_str_to_val('-1', 's3') == 7 # 0b111 formatted_str_to_val('101', 'b3') == 5 formatted_str_to_val('5', 'u3') == 5 formatted_str_to_val('-3', 's3') == 5 formatted_str_to_val('a', 'x3') == 10 class Ctl(Enum): ADD = 5 SUB = 12 formatted_str_to_val('ADD', 'e3/Ctl', [Ctl]) == 5 formatted_str_to_val('SUB', 'e3/Ctl', [Ctl]) == 12 """ 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
python
def formatted_str_to_val(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
[ "def", "formatted_str_to_val", "(", "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" ]
Return an unsigned integer representation of the data given format specified. :param data: a string holding the value to convert :param format: a string holding a format which will be used to convert the data string :param enum_set: an iterable of enums which are used as part of the converstion process Given a string (not a wirevector!) covert that to an unsigned integer ready for input to the simulation enviornment. This helps deal with signed/unsigned numbers (simulation assumes the values have been converted via two's complement already), but it also takes hex, binary, and enum types as inputs. It is easiest to see how it works with some examples. :: formatted_str_to_val('2', 's3') == 2 # 0b010 formatted_str_to_val('-1', 's3') == 7 # 0b111 formatted_str_to_val('101', 'b3') == 5 formatted_str_to_val('5', 'u3') == 5 formatted_str_to_val('-3', 's3') == 5 formatted_str_to_val('a', 'x3') == 10 class Ctl(Enum): ADD = 5 SUB = 12 formatted_str_to_val('ADD', 'e3/Ctl', [Ctl]) == 5 formatted_str_to_val('SUB', 'e3/Ctl', [Ctl]) == 12
[ "Return", "an", "unsigned", "integer", "representation", "of", "the", "data", "given", "format", "specified", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/helperfuncs.py#L226-L274
3,001
UCSBarchlab/PyRTL
pyrtl/helperfuncs.py
val_to_formatted_str
def val_to_formatted_str(val, format, enum_set=None): """ Return a string representation of the value given format specified. :param val: a string holding an unsigned integer to convert :param format: a string holding a format which will be used to convert the data string :param enum_set: an iterable of enums which are used as part of the converstion process Given an unsigned integer (not a wirevector!) covert that to a strong ready for output to a human to interpret. This helps deal with signed/unsigned numbers (simulation operates on values that have been converted via two's complement), but it also generates hex, binary, and enum types as outputs. It is easiest to see how it works with some examples. :: formatted_str_to_val(2, 's3') == '2' formatted_str_to_val(7, 's3') == '-1' formatted_str_to_val(5, 'b3') == '101' formatted_str_to_val(5, 'u3') == '5' formatted_str_to_val(5, 's3') == '-3' formatted_str_to_val(10, 'x3') == 'a' class Ctl(Enum): ADD = 5 SUB = 12 formatted_str_to_val('ADD', 'e3/Ctl', [Ctl]) == 5 formatted_str_to_val('SUB', 'e3/Ctl', [Ctl]) == 12 """ 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:] # cuts off '0x' at the start elif type == 'b': rval = bin(val)[2:] # cuts off '0b' at the start elif type == 'u': rval = str(int(val)) # nothing fancy 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
python
def val_to_formatted_str(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:] # cuts off '0x' at the start elif type == 'b': rval = bin(val)[2:] # cuts off '0b' at the start elif type == 'u': rval = str(int(val)) # nothing fancy 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
[ "def", "val_to_formatted_str", "(", "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", ":", "]", "# cuts off '0x' at the start", "elif", "type", "==", "'b'", ":", "rval", "=", "bin", "(", "val", ")", "[", "2", ":", "]", "# cuts off '0b' at the start", "elif", "type", "==", "'u'", ":", "rval", "=", "str", "(", "int", "(", "val", ")", ")", "# nothing fancy", "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" ]
Return a string representation of the value given format specified. :param val: a string holding an unsigned integer to convert :param format: a string holding a format which will be used to convert the data string :param enum_set: an iterable of enums which are used as part of the converstion process Given an unsigned integer (not a wirevector!) covert that to a strong ready for output to a human to interpret. This helps deal with signed/unsigned numbers (simulation operates on values that have been converted via two's complement), but it also generates hex, binary, and enum types as outputs. It is easiest to see how it works with some examples. :: formatted_str_to_val(2, 's3') == '2' formatted_str_to_val(7, 's3') == '-1' formatted_str_to_val(5, 'b3') == '101' formatted_str_to_val(5, 'u3') == '5' formatted_str_to_val(5, 's3') == '-3' formatted_str_to_val(10, 'x3') == 'a' class Ctl(Enum): ADD = 5 SUB = 12 formatted_str_to_val('ADD', 'e3/Ctl', [Ctl]) == 5 formatted_str_to_val('SUB', 'e3/Ctl', [Ctl]) == 12
[ "Return", "a", "string", "representation", "of", "the", "value", "given", "format", "specified", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/helperfuncs.py#L277-L323
3,002
UCSBarchlab/PyRTL
pyrtl/helperfuncs.py
_NetCount.shrank
def shrank(self, block=None, percent_diff=0, abs_diff=1): """ Returns whether a block has less nets than before :param Block block: block to check (if changed) :param Number percent_diff: percentage difference threshold :param int abs_diff: absolute difference threshold :return: boolean This function checks whether the change in the number of nets is greater than the percentage and absolute difference thresholds. """ 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
python
def shrank(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
[ "def", "shrank", "(", "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" ]
Returns whether a block has less nets than before :param Block block: block to check (if changed) :param Number percent_diff: percentage difference threshold :param int abs_diff: absolute difference threshold :return: boolean This function checks whether the change in the number of nets is greater than the percentage and absolute difference thresholds.
[ "Returns", "whether", "a", "block", "has", "less", "nets", "than", "before" ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/helperfuncs.py#L463-L482
3,003
UCSBarchlab/PyRTL
pyrtl/rtllib/adders.py
kogge_stone
def kogge_stone(a, b, cin=0): """ Creates a Kogge-Stone adder given two inputs :param WireVector a, b: The two WireVectors to add up (bitwidths don't need to match) :param cin: An optimal carry in WireVector or value :return: a Wirevector representing the output of the adder The Kogge-Stone adder is a fast tree-based adder with O(log(n)) propagation delay, useful for performance critical designs. However, it has O(n log(n)) area usage, and large fan out. """ 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 # creation of the carry calculation 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: # to prevent creating unnecessary nets and wires prop_bits[i] = prop_old & prop_bits[i - prop_dist] prop_dist *= 2 # assembling the result of the addition # preparing the cin (and conveniently shifting the gen bits) gen_bits.insert(0, pyrtl.as_wires(cin)) return pyrtl.concat_list(gen_bits) ^ prop_orig
python
def kogge_stone(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 # creation of the carry calculation 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: # to prevent creating unnecessary nets and wires prop_bits[i] = prop_old & prop_bits[i - prop_dist] prop_dist *= 2 # assembling the result of the addition # preparing the cin (and conveniently shifting the gen bits) gen_bits.insert(0, pyrtl.as_wires(cin)) return pyrtl.concat_list(gen_bits) ^ prop_orig
[ "def", "kogge_stone", "(", "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", "# creation of the carry calculation", "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", ":", "# to prevent creating unnecessary nets and wires", "prop_bits", "[", "i", "]", "=", "prop_old", "&", "prop_bits", "[", "i", "-", "prop_dist", "]", "prop_dist", "*=", "2", "# assembling the result of the addition", "# preparing the cin (and conveniently shifting the gen bits)", "gen_bits", ".", "insert", "(", "0", ",", "pyrtl", ".", "as_wires", "(", "cin", ")", ")", "return", "pyrtl", ".", "concat_list", "(", "gen_bits", ")", "^", "prop_orig" ]
Creates a Kogge-Stone adder given two inputs :param WireVector a, b: The two WireVectors to add up (bitwidths don't need to match) :param cin: An optimal carry in WireVector or value :return: a Wirevector representing the output of the adder The Kogge-Stone adder is a fast tree-based adder with O(log(n)) propagation delay, useful for performance critical designs. However, it has O(n log(n)) area usage, and large fan out.
[ "Creates", "a", "Kogge", "-", "Stone", "adder", "given", "two", "inputs" ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/rtllib/adders.py#L6-L37
3,004
UCSBarchlab/PyRTL
pyrtl/rtllib/adders.py
_cla_adder_unit
def _cla_adder_unit(a, b, cin): """ Carry generation and propogation signals will be calculated only using the inputs; their values don't rely on the sum. Every unit generates a cout signal which is used as cin for the next unit. """ 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
python
def _cla_adder_unit(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
[ "def", "_cla_adder_unit", "(", "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" ]
Carry generation and propogation signals will be calculated only using the inputs; their values don't rely on the sum. Every unit generates a cout signal which is used as cin for the next unit.
[ "Carry", "generation", "and", "propogation", "signals", "will", "be", "calculated", "only", "using", "the", "inputs", ";", "their", "values", "don", "t", "rely", "on", "the", "sum", ".", "Every", "unit", "generates", "a", "cout", "signal", "which", "is", "used", "as", "cin", "for", "the", "next", "unit", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/rtllib/adders.py#L116-L137
3,005
UCSBarchlab/PyRTL
pyrtl/rtllib/adders.py
fast_group_adder
def fast_group_adder(wires_to_add, reducer=wallace_reducer, final_adder=kogge_stone): """ A generalization of the carry save adder, this is designed to add many numbers together in a both area and time efficient manner. Uses a tree reducer to achieve this performance :param [WireVector] wires_to_add: an array of wirevectors to add :param reducer: the tree reducer to use :param final_adder: The two value adder to use at the end :return: a wirevector with the result of the addition The length of the result is: max(len(w) for w in wires_to_add) + ceil(len(wires_to_add)) """ 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)
python
def fast_group_adder(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)
[ "def", "fast_group_adder", "(", "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", ")" ]
A generalization of the carry save adder, this is designed to add many numbers together in a both area and time efficient manner. Uses a tree reducer to achieve this performance :param [WireVector] wires_to_add: an array of wirevectors to add :param reducer: the tree reducer to use :param final_adder: The two value adder to use at the end :return: a wirevector with the result of the addition The length of the result is: max(len(w) for w in wires_to_add) + ceil(len(wires_to_add))
[ "A", "generalization", "of", "the", "carry", "save", "adder", "this", "is", "designed", "to", "add", "many", "numbers", "together", "in", "a", "both", "area", "and", "time", "efficient", "manner", ".", "Uses", "a", "tree", "reducer", "to", "achieve", "this", "performance" ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/rtllib/adders.py#L258-L282
3,006
UCSBarchlab/PyRTL
pyrtl/memory.py
MemBlock._build
def _build(self, addr, data, enable): """ Builds a write port. """ 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)
python
def _build(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)
[ "def", "_build", "(", "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", ")" ]
Builds a write port.
[ "Builds", "a", "write", "port", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/memory.py#L236-L249
3,007
UCSBarchlab/PyRTL
pyrtl/rtllib/aes.py
AES.encryption
def encryption(self, plaintext, key): """ Builds a single cycle AES Encryption circuit :param WireVector plaintext: text to encrypt :param WireVector key: AES key to use to encrypt :return: a WireVector containing the ciphertext """ 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
python
def encryption(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
[ "def", "encryption", "(", "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" ]
Builds a single cycle AES Encryption circuit :param WireVector plaintext: text to encrypt :param WireVector key: AES key to use to encrypt :return: a WireVector containing the ciphertext
[ "Builds", "a", "single", "cycle", "AES", "Encryption", "circuit" ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/rtllib/aes.py#L53-L76
3,008
UCSBarchlab/PyRTL
pyrtl/rtllib/aes.py
AES.encrypt_state_m
def encrypt_state_m(self, plaintext_in, key_in, reset): """ Builds a multiple cycle AES Encryption state machine circuit :param reset: a one bit signal telling the state machine to reset and accept the current plaintext and key :return ready, cipher_text: ready is a one bit signal showing that the encryption result (cipher_text) has been calculated. """ 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 # to lower the number of cycles plain_text.next |= add_round_out key.next |= key_in add_round_in |= plaintext_in with counter == 10: # keep everything the same round |= counter plain_text.next |= plain_text with pyrtl.otherwise: # running through AES 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
python
def encrypt_state_m(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 # to lower the number of cycles plain_text.next |= add_round_out key.next |= key_in add_round_in |= plaintext_in with counter == 10: # keep everything the same round |= counter plain_text.next |= plain_text with pyrtl.otherwise: # running through AES 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
[ "def", "encrypt_state_m", "(", "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", "# to lower the number of cycles", "plain_text", ".", "next", "|=", "add_round_out", "key", ".", "next", "|=", "key_in", "add_round_in", "|=", "plaintext_in", "with", "counter", "==", "10", ":", "# keep everything the same", "round", "|=", "counter", "plain_text", ".", "next", "|=", "plain_text", "with", "pyrtl", ".", "otherwise", ":", "# running through AES", "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" ]
Builds a multiple cycle AES Encryption state machine circuit :param reset: a one bit signal telling the state machine to reset and accept the current plaintext and key :return ready, cipher_text: ready is a one bit signal showing that the encryption result (cipher_text) has been calculated.
[ "Builds", "a", "multiple", "cycle", "AES", "Encryption", "state", "machine", "circuit" ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/rtllib/aes.py#L78-L125
3,009
UCSBarchlab/PyRTL
pyrtl/rtllib/aes.py
AES.decryption
def decryption(self, ciphertext, key): """ Builds a single cycle AES Decryption circuit :param WireVector ciphertext: data to decrypt :param WireVector key: AES key to use to encrypt (AES is symmetric) :return: a WireVector containing the plaintext """ 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
python
def decryption(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
[ "def", "decryption", "(", "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" ]
Builds a single cycle AES Decryption circuit :param WireVector ciphertext: data to decrypt :param WireVector key: AES key to use to encrypt (AES is symmetric) :return: a WireVector containing the plaintext
[ "Builds", "a", "single", "cycle", "AES", "Decryption", "circuit" ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/rtllib/aes.py#L127-L149
3,010
UCSBarchlab/PyRTL
pyrtl/rtllib/aes.py
AES.decryption_statem
def decryption_statem(self, ciphertext_in, key_in, reset): """ Builds a multiple cycle AES Decryption state machine circuit :param reset: a one bit signal telling the state machine to reset and accept the current plaintext and key :return ready, plain_text: ready is a one bit signal showing that the decryption result (plain_text) has been calculated. """ 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)) # this is not part of the state machine as we need the keys in # reverse order... 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 # to lower the number of cycles needed cipher_text.next |= add_round_out add_round_in |= ciphertext_in with counter == 10: # keep everything the same round |= counter cipher_text.next |= cipher_text with pyrtl.otherwise: # running through AES 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
python
def decryption_statem(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)) # this is not part of the state machine as we need the keys in # reverse order... 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 # to lower the number of cycles needed cipher_text.next |= add_round_out add_round_in |= ciphertext_in with counter == 10: # keep everything the same round |= counter cipher_text.next |= cipher_text with pyrtl.otherwise: # running through AES 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
[ "def", "decryption_statem", "(", "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", ")", ")", "# this is not part of the state machine as we need the keys in", "# reverse order...", "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", "# to lower the number of cycles needed", "cipher_text", ".", "next", "|=", "add_round_out", "add_round_in", "|=", "ciphertext_in", "with", "counter", "==", "10", ":", "# keep everything the same", "round", "|=", "counter", "cipher_text", ".", "next", "|=", "cipher_text", "with", "pyrtl", ".", "otherwise", ":", "# running through AES", "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" ]
Builds a multiple cycle AES Decryption state machine circuit :param reset: a one bit signal telling the state machine to reset and accept the current plaintext and key :return ready, plain_text: ready is a one bit signal showing that the decryption result (plain_text) has been calculated.
[ "Builds", "a", "multiple", "cycle", "AES", "Decryption", "state", "machine", "circuit" ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/rtllib/aes.py#L151-L205
3,011
UCSBarchlab/PyRTL
pyrtl/rtllib/aes.py
AES._g
def _g(self, word, key_expand_round): """ One-byte left circular rotation, substitution of each byte """ 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] # int value else: rcon_data = self.rcon[key_expand_round + 1] sub[3] = sub[3] ^ rcon_data return pyrtl.concat_list(sub)
python
def _g(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] # int value else: rcon_data = self.rcon[key_expand_round + 1] sub[3] = sub[3] ^ rcon_data return pyrtl.concat_list(sub)
[ "def", "_g", "(", "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", "]", "# int value", "else", ":", "rcon_data", "=", "self", ".", "rcon", "[", "key_expand_round", "+", "1", "]", "sub", "[", "3", "]", "=", "sub", "[", "3", "]", "^", "rcon_data", "return", "pyrtl", ".", "concat_list", "(", "sub", ")" ]
One-byte left circular rotation, substitution of each byte
[ "One", "-", "byte", "left", "circular", "rotation", "substitution", "of", "each", "byte" ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/rtllib/aes.py#L223-L236
3,012
usrlocalben/pydux
pydux/extend.py
extend
def extend(*args): """shallow dictionary merge Args: a: dict to extend b: dict to apply to a Returns: new instance of the same type as _a_, with _a_ and _b_ merged. """ if not args: return {} first = args[0] rest = args[1:] out = type(first)(first) for each in rest: out.update(each) return out
python
def extend(*args): if not args: return {} first = args[0] rest = args[1:] out = type(first)(first) for each in rest: out.update(each) return out
[ "def", "extend", "(", "*", "args", ")", ":", "if", "not", "args", ":", "return", "{", "}", "first", "=", "args", "[", "0", "]", "rest", "=", "args", "[", "1", ":", "]", "out", "=", "type", "(", "first", ")", "(", "first", ")", "for", "each", "in", "rest", ":", "out", ".", "update", "(", "each", ")", "return", "out" ]
shallow dictionary merge Args: a: dict to extend b: dict to apply to a Returns: new instance of the same type as _a_, with _a_ and _b_ merged.
[ "shallow", "dictionary", "merge" ]
943ca1c75357b9289f55f17ff2d997a66a3313a4
https://github.com/usrlocalben/pydux/blob/943ca1c75357b9289f55f17ff2d997a66a3313a4/pydux/extend.py#L1-L19
3,013
UCSBarchlab/PyRTL
pyrtl/inputoutput.py
_trivialgraph_default_namer
def _trivialgraph_default_namer(thing, is_edge=True): """ Returns a "good" string for thing in printed graphs. """ 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))
python
def _trivialgraph_default_namer(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))
[ "def", "_trivialgraph_default_namer", "(", "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", ")", ")" ]
Returns a "good" string for thing in printed graphs.
[ "Returns", "a", "good", "string", "for", "thing", "in", "printed", "graphs", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/inputoutput.py#L362-L377
3,014
UCSBarchlab/PyRTL
pyrtl/inputoutput.py
net_graph
def net_graph(block=None, split_state=False): """ Return a graph representation of the current block. Graph has the following form: { node1: { nodeA: edge1A, nodeB: edge1B}, node2: { nodeB: edge2B, nodeC: edge2C}, ... } aka: edge = graph[source][dest] Each node can be either a logic net or a WireVector (e.g. an Input, and Output, a Const or even an undriven WireVector (which acts as a source or sink in the network) Each edge is a WireVector or derived type (Input, Output, Register, etc.) Note that inputs, consts, and outputs will be both "node" and "edge". WireVectors that are not connected to any nets are not returned as part of the graph. """ # FIXME: make it not try to add unused wires (issue #204) block = working_block(block) from .wire import Register # self.sanity_check() graph = {} # add all of the nodes 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] = {} # add all of the edges 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
python
def net_graph(block=None, split_state=False): # FIXME: make it not try to add unused wires (issue #204) block = working_block(block) from .wire import Register # self.sanity_check() graph = {} # add all of the nodes 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] = {} # add all of the edges 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
[ "def", "net_graph", "(", "block", "=", "None", ",", "split_state", "=", "False", ")", ":", "# FIXME: make it not try to add unused wires (issue #204)", "block", "=", "working_block", "(", "block", ")", "from", ".", "wire", "import", "Register", "# self.sanity_check()", "graph", "=", "{", "}", "# add all of the nodes", "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", "]", "=", "{", "}", "# add all of the edges", "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" ]
Return a graph representation of the current block. Graph has the following form: { node1: { nodeA: edge1A, nodeB: edge1B}, node2: { nodeB: edge2B, nodeC: edge2C}, ... } aka: edge = graph[source][dest] Each node can be either a logic net or a WireVector (e.g. an Input, and Output, a Const or even an undriven WireVector (which acts as a source or sink in the network) Each edge is a WireVector or derived type (Input, Output, Register, etc.) Note that inputs, consts, and outputs will be both "node" and "edge". WireVectors that are not connected to any nets are not returned as part of the graph.
[ "Return", "a", "graph", "representation", "of", "the", "current", "block", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/inputoutput.py#L380-L435
3,015
UCSBarchlab/PyRTL
pyrtl/inputoutput.py
output_to_trivialgraph
def output_to_trivialgraph(file, namer=_trivialgraph_default_namer, block=None): """ Walk the block and output it in trivial graph format to the open file. """ graph = net_graph(block) node_index_map = {} # map node -> index # print the list of nodes 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) # print the list of edges 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)
python
def output_to_trivialgraph(file, namer=_trivialgraph_default_namer, block=None): graph = net_graph(block) node_index_map = {} # map node -> index # print the list of nodes 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) # print the list of edges 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)
[ "def", "output_to_trivialgraph", "(", "file", ",", "namer", "=", "_trivialgraph_default_namer", ",", "block", "=", "None", ")", ":", "graph", "=", "net_graph", "(", "block", ")", "node_index_map", "=", "{", "}", "# map node -> index", "# print the list of nodes", "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", ")", "# print the list of edges", "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", ")" ]
Walk the block and output it in trivial graph format to the open file.
[ "Walk", "the", "block", "and", "output", "it", "in", "trivial", "graph", "format", "to", "the", "open", "file", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/inputoutput.py#L438-L456
3,016
UCSBarchlab/PyRTL
pyrtl/inputoutput.py
_graphviz_default_namer
def _graphviz_default_namer(thing, is_edge=True, is_to_splitmerge=False): """ Returns a "good" graphviz label for thing. """ 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))
python
def _graphviz_default_namer(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))
[ "def", "_graphviz_default_namer", "(", "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", ")", ")" ]
Returns a "good" graphviz label for thing.
[ "Returns", "a", "good", "graphviz", "label", "for", "thing", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/inputoutput.py#L459-L502
3,017
UCSBarchlab/PyRTL
pyrtl/inputoutput.py
output_to_graphviz
def output_to_graphviz(file, namer=_graphviz_default_namer, block=None): """ Walk the block and output it in graphviz format to the open file. """ print(block_to_graphviz_string(block, namer), file=file)
python
def output_to_graphviz(file, namer=_graphviz_default_namer, block=None): print(block_to_graphviz_string(block, namer), file=file)
[ "def", "output_to_graphviz", "(", "file", ",", "namer", "=", "_graphviz_default_namer", ",", "block", "=", "None", ")", ":", "print", "(", "block_to_graphviz_string", "(", "block", ",", "namer", ")", ",", "file", "=", "file", ")" ]
Walk the block and output it in graphviz format to the open file.
[ "Walk", "the", "block", "and", "output", "it", "in", "graphviz", "format", "to", "the", "open", "file", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/inputoutput.py#L505-L507
3,018
UCSBarchlab/PyRTL
pyrtl/inputoutput.py
block_to_svg
def block_to_svg(block=None): """ Return an SVG for the block. """ 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")')
python
def block_to_svg(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")')
[ "def", "block_to_svg", "(", "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\")'", ")" ]
Return an SVG for the block.
[ "Return", "an", "SVG", "for", "the", "block", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/inputoutput.py#L544-L551
3,019
UCSBarchlab/PyRTL
pyrtl/inputoutput.py
trace_to_html
def trace_to_html(simtrace, trace_list=None, sortkey=None): """ Return a HTML block showing the trace. """ 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 extract(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 # print(wave) return wave
python
def trace_to_html(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 extract(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 # print(wave) return wave
[ "def", "trace_to_html", "(", "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", "=", "(", "\"\"\"\\\n <script type=\"WaveDrom\">\n { signal : [\n %s\n ]}\n </script>\n\n \"\"\"", ")", "def", "extract", "(", "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", "# print(wave)", "return", "wave" ]
Return a HTML block showing the trace.
[ "Return", "a", "HTML", "block", "showing", "the", "trace", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/inputoutput.py#L554-L607
3,020
usrlocalben/pydux
pydux/create_store.py
create_store
def create_store(reducer, initial_state=None, enhancer=None): """ redux in a nutshell. observable has been omitted. Args: reducer: root reducer function for the state tree initial_state: optional initial state data enhancer: optional enhancer function for middleware etc. Returns: a Pydux store """ 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.') # single-element arrays for r/w closure current_reducer = [reducer] current_state = [initial_state] current_listeners = [[]] next_listeners = [current_listeners[0]] is_dispatching = [False] def ensure_can_mutate_next_listeners(): if next_listeners[0] == current_listeners[0]: next_listeners[0] = current_listeners[0][:] def get_state(): return current_state[0] def subscribe(listener): if not hasattr(listener, '__call__'): raise TypeError('Expected listener to be a function.') is_subscribed = [True] # r/w closure ensure_can_mutate_next_listeners() next_listeners[0].append(listener) def unsubcribe(): 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 dispatch(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 replace_reducer(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, )
python
def create_store(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.') # single-element arrays for r/w closure current_reducer = [reducer] current_state = [initial_state] current_listeners = [[]] next_listeners = [current_listeners[0]] is_dispatching = [False] def ensure_can_mutate_next_listeners(): if next_listeners[0] == current_listeners[0]: next_listeners[0] = current_listeners[0][:] def get_state(): return current_state[0] def subscribe(listener): if not hasattr(listener, '__call__'): raise TypeError('Expected listener to be a function.') is_subscribed = [True] # r/w closure ensure_can_mutate_next_listeners() next_listeners[0].append(listener) def unsubcribe(): 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 dispatch(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 replace_reducer(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, )
[ "def", "create_store", "(", "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.'", ")", "# single-element arrays for r/w closure", "current_reducer", "=", "[", "reducer", "]", "current_state", "=", "[", "initial_state", "]", "current_listeners", "=", "[", "[", "]", "]", "next_listeners", "=", "[", "current_listeners", "[", "0", "]", "]", "is_dispatching", "=", "[", "False", "]", "def", "ensure_can_mutate_next_listeners", "(", ")", ":", "if", "next_listeners", "[", "0", "]", "==", "current_listeners", "[", "0", "]", ":", "next_listeners", "[", "0", "]", "=", "current_listeners", "[", "0", "]", "[", ":", "]", "def", "get_state", "(", ")", ":", "return", "current_state", "[", "0", "]", "def", "subscribe", "(", "listener", ")", ":", "if", "not", "hasattr", "(", "listener", ",", "'__call__'", ")", ":", "raise", "TypeError", "(", "'Expected listener to be a function.'", ")", "is_subscribed", "=", "[", "True", "]", "# r/w closure", "ensure_can_mutate_next_listeners", "(", ")", "next_listeners", "[", "0", "]", ".", "append", "(", "listener", ")", "def", "unsubcribe", "(", ")", ":", "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", "dispatch", "(", "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", "replace_reducer", "(", "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", ",", ")" ]
redux in a nutshell. observable has been omitted. Args: reducer: root reducer function for the state tree initial_state: optional initial state data enhancer: optional enhancer function for middleware etc. Returns: a Pydux store
[ "redux", "in", "a", "nutshell", "." ]
943ca1c75357b9289f55f17ff2d997a66a3313a4
https://github.com/usrlocalben/pydux/blob/943ca1c75357b9289f55f17ff2d997a66a3313a4/pydux/create_store.py#L30-L124
3,021
UCSBarchlab/PyRTL
pyrtl/core.py
set_debug_mode
def set_debug_mode(debug=True): """ Set the global debug mode. """ 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
python
def set_debug_mode(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
[ "def", "set_debug_mode", "(", "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 the global debug mode.
[ "Set", "the", "global", "debug", "mode", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/core.py#L699-L706
3,022
UCSBarchlab/PyRTL
pyrtl/core.py
Block.add_wirevector
def add_wirevector(self, wirevector): """ Add a wirevector object to the block.""" self.sanity_check_wirevector(wirevector) self.wirevector_set.add(wirevector) self.wirevector_by_name[wirevector.name] = wirevector
python
def add_wirevector(self, wirevector): self.sanity_check_wirevector(wirevector) self.wirevector_set.add(wirevector) self.wirevector_by_name[wirevector.name] = wirevector
[ "def", "add_wirevector", "(", "self", ",", "wirevector", ")", ":", "self", ".", "sanity_check_wirevector", "(", "wirevector", ")", "self", ".", "wirevector_set", ".", "add", "(", "wirevector", ")", "self", ".", "wirevector_by_name", "[", "wirevector", ".", "name", "]", "=", "wirevector" ]
Add a wirevector object to the block.
[ "Add", "a", "wirevector", "object", "to", "the", "block", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/core.py#L224-L228
3,023
UCSBarchlab/PyRTL
pyrtl/core.py
Block.remove_wirevector
def remove_wirevector(self, wirevector): """ Remove a wirevector object to the block.""" self.wirevector_set.remove(wirevector) del self.wirevector_by_name[wirevector.name]
python
def remove_wirevector(self, wirevector): self.wirevector_set.remove(wirevector) del self.wirevector_by_name[wirevector.name]
[ "def", "remove_wirevector", "(", "self", ",", "wirevector", ")", ":", "self", ".", "wirevector_set", ".", "remove", "(", "wirevector", ")", "del", "self", ".", "wirevector_by_name", "[", "wirevector", ".", "name", "]" ]
Remove a wirevector object to the block.
[ "Remove", "a", "wirevector", "object", "to", "the", "block", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/core.py#L230-L233
3,024
UCSBarchlab/PyRTL
pyrtl/core.py
Block.add_net
def add_net(self, net): """ Add a net to the logic of the block. The passed net, which must be of type LogicNet, is checked and then added to the block. No wires are added by this member, they must be added seperately with add_wirevector.""" self.sanity_check_net(net) self.logic.add(net)
python
def add_net(self, net): self.sanity_check_net(net) self.logic.add(net)
[ "def", "add_net", "(", "self", ",", "net", ")", ":", "self", ".", "sanity_check_net", "(", "net", ")", "self", ".", "logic", ".", "add", "(", "net", ")" ]
Add a net to the logic of the block. The passed net, which must be of type LogicNet, is checked and then added to the block. No wires are added by this member, they must be added seperately with add_wirevector.
[ "Add", "a", "net", "to", "the", "logic", "of", "the", "block", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/core.py#L235-L243
3,025
UCSBarchlab/PyRTL
pyrtl/core.py
Block.wirevector_subset
def wirevector_subset(self, cls=None, exclude=tuple()): """Return set of wirevectors, filtered by the type or tuple of types provided as cls. If no cls is specified, the full set of wirevectors associated with the Block are returned. If cls is a single type, or a tuple of types, only those wirevectors of the matching types will be returned. This is helpful for getting all inputs, outputs, or registers of a block for example.""" 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))
python
def wirevector_subset(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))
[ "def", "wirevector_subset", "(", "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", ")", ")" ]
Return set of wirevectors, filtered by the type or tuple of types provided as cls. If no cls is specified, the full set of wirevectors associated with the Block are returned. If cls is a single type, or a tuple of types, only those wirevectors of the matching types will be returned. This is helpful for getting all inputs, outputs, or registers of a block for example.
[ "Return", "set", "of", "wirevectors", "filtered", "by", "the", "type", "or", "tuple", "of", "types", "provided", "as", "cls", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/core.py#L245-L259
3,026
UCSBarchlab/PyRTL
pyrtl/core.py
Block.get_wirevector_by_name
def get_wirevector_by_name(self, name, strict=False): """Return the wirevector matching name. By fallthrough, if a matching wirevector cannot be found the value None is returned. However, if the argument strict is set to True, then this will instead throw a PyrtlError when no match is found.""" 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
python
def get_wirevector_by_name(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
[ "def", "get_wirevector_by_name", "(", "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" ]
Return the wirevector matching name. By fallthrough, if a matching wirevector cannot be found the value None is returned. However, if the argument strict is set to True, then this will instead throw a PyrtlError when no match is found.
[ "Return", "the", "wirevector", "matching", "name", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/core.py#L271-L282
3,027
UCSBarchlab/PyRTL
pyrtl/core.py
Block.net_connections
def net_connections(self, include_virtual_nodes=False): """ Returns a representation of the current block useful for creating a graph. :param include_virtual_nodes: if enabled, the wire itself will be used to signal an external source or sink (such as the source for an Input net). If disabled, these nodes will be excluded from the adjacency dictionaries :return wire_src_dict, wire_sink_dict Returns two dictionaries: one that map WireVectors to the logic nets that creates their signal and one that maps WireVectors to a list of logic nets that use the signal These dictionaries make the creation of a graph much easier, as well as facilitate other places in which one would need wire source and wire sink information Look at input_output.net_graph for one such graph that uses the information from this function """ src_list = {} dst_list = {} def add_wire_src(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 add_wire_dst(edge, node): if edge in dst_list: # if node in dst_list[edge]: # raise PyrtlError("The net already exists in the graph") 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): # prevents unexpected duplicates when doing b <<= a & a add_wire_dst(arg, net) for dest in net.dests: add_wire_src(dest, net) return src_list, dst_list
python
def net_connections(self, include_virtual_nodes=False): src_list = {} dst_list = {} def add_wire_src(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 add_wire_dst(edge, node): if edge in dst_list: # if node in dst_list[edge]: # raise PyrtlError("The net already exists in the graph") 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): # prevents unexpected duplicates when doing b <<= a & a add_wire_dst(arg, net) for dest in net.dests: add_wire_src(dest, net) return src_list, dst_list
[ "def", "net_connections", "(", "self", ",", "include_virtual_nodes", "=", "False", ")", ":", "src_list", "=", "{", "}", "dst_list", "=", "{", "}", "def", "add_wire_src", "(", "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", "add_wire_dst", "(", "edge", ",", "node", ")", ":", "if", "edge", "in", "dst_list", ":", "# if node in dst_list[edge]:", "# raise PyrtlError(\"The net already exists in the graph\")", "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", ")", ":", "# prevents unexpected duplicates when doing b <<= a & a", "add_wire_dst", "(", "arg", ",", "net", ")", "for", "dest", "in", "net", ".", "dests", ":", "add_wire_src", "(", "dest", ",", "net", ")", "return", "src_list", ",", "dst_list" ]
Returns a representation of the current block useful for creating a graph. :param include_virtual_nodes: if enabled, the wire itself will be used to signal an external source or sink (such as the source for an Input net). If disabled, these nodes will be excluded from the adjacency dictionaries :return wire_src_dict, wire_sink_dict Returns two dictionaries: one that map WireVectors to the logic nets that creates their signal and one that maps WireVectors to a list of logic nets that use the signal These dictionaries make the creation of a graph much easier, as well as facilitate other places in which one would need wire source and wire sink information Look at input_output.net_graph for one such graph that uses the information from this function
[ "Returns", "a", "representation", "of", "the", "current", "block", "useful", "for", "creating", "a", "graph", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/core.py#L284-L332
3,028
UCSBarchlab/PyRTL
pyrtl/core.py
Block.sanity_check
def sanity_check(self): """ Check block and throw PyrtlError or PyrtlInternalError if there is an issue. Should not modify anything, only check data structures to make sure they have been built according to the assumptions stated in the Block comments.""" # TODO: check that the wirevector_by_name is sane from .wire import Input, Const, Output from .helperfuncs import get_stack, get_stacks # check for valid LogicNets (and wires) 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))) # check for unique names 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)) # check for dead input wires (not connected to anything) all_input_and_consts = self.wirevector_subset((Input, Const)) # The following line also checks for duplicate wire drivers 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) # ^ allow inputs and consts to be unconnected 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))) # Check for wires that are inputs to a logicNet, but are not block inputs and are never # driven. 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))) # Check for async memories not specified as such self.sanity_check_memory_sync(wire_src_dict) if debug_mode: # Check for wires that are destinations of a logicNet, but are not outputs and are never # used as args. 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))
python
def sanity_check(self): # TODO: check that the wirevector_by_name is sane from .wire import Input, Const, Output from .helperfuncs import get_stack, get_stacks # check for valid LogicNets (and wires) 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))) # check for unique names 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)) # check for dead input wires (not connected to anything) all_input_and_consts = self.wirevector_subset((Input, Const)) # The following line also checks for duplicate wire drivers 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) # ^ allow inputs and consts to be unconnected 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))) # Check for wires that are inputs to a logicNet, but are not block inputs and are never # driven. 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))) # Check for async memories not specified as such self.sanity_check_memory_sync(wire_src_dict) if debug_mode: # Check for wires that are destinations of a logicNet, but are not outputs and are never # used as args. 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))
[ "def", "sanity_check", "(", "self", ")", ":", "# TODO: check that the wirevector_by_name is sane", "from", ".", "wire", "import", "Input", ",", "Const", ",", "Output", "from", ".", "helperfuncs", "import", "get_stack", ",", "get_stacks", "# check for valid LogicNets (and wires)", "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", ")", ")", ")", "# check for unique names", "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", ")", ")", "# check for dead input wires (not connected to anything)", "all_input_and_consts", "=", "self", ".", "wirevector_subset", "(", "(", "Input", ",", "Const", ")", ")", "# The following line also checks for duplicate wire drivers", "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", ")", "# ^ allow inputs and consts to be unconnected", "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", ")", ")", ")", "# Check for wires that are inputs to a logicNet, but are not block inputs and are never", "# driven.", "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", ")", ")", ")", "# Check for async memories not specified as such", "self", ".", "sanity_check_memory_sync", "(", "wire_src_dict", ")", "if", "debug_mode", ":", "# Check for wires that are destinations of a logicNet, but are not outputs and are never", "# used as args.", "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", ")", ")" ]
Check block and throw PyrtlError or PyrtlInternalError if there is an issue. Should not modify anything, only check data structures to make sure they have been built according to the assumptions stated in the Block comments.
[ "Check", "block", "and", "throw", "PyrtlError", "or", "PyrtlInternalError", "if", "there", "is", "an", "issue", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/core.py#L373-L441
3,029
UCSBarchlab/PyRTL
pyrtl/core.py
Block.sanity_check_memory_sync
def sanity_check_memory_sync(self, wire_src_dict=None): """ Check that all memories are synchronous unless explicitly specified as async. While the semantics of 'm' memories reads is asynchronous, if you want your design to use a block ram (on an FPGA or otherwise) you want to make sure the index is available at the beginning of the clock edge. This check will walk the logic structure and throw an error on any memory if finds that has an index that is not ready at the beginning of the cycle. """ sync_mems = set(m for m in self.logic_subset('m') if not m.op_param[1].asynchronous) if not len(sync_mems): return # nothing to check here 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)))
python
def sanity_check_memory_sync(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 # nothing to check here 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)))
[ "def", "sanity_check_memory_sync", "(", "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", "# nothing to check here", "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", ")", ")", ")" ]
Check that all memories are synchronous unless explicitly specified as async. While the semantics of 'm' memories reads is asynchronous, if you want your design to use a block ram (on an FPGA or otherwise) you want to make sure the index is available at the beginning of the clock edge. This check will walk the logic structure and throw an error on any memory if finds that has an index that is not ready at the beginning of the cycle.
[ "Check", "that", "all", "memories", "are", "synchronous", "unless", "explicitly", "specified", "as", "async", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/core.py#L443-L477
3,030
UCSBarchlab/PyRTL
pyrtl/core.py
Block.sanity_check_wirevector
def sanity_check_wirevector(self, w): """ Check that w is a valid wirevector type. """ 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))
python
def sanity_check_wirevector(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))
[ "def", "sanity_check_wirevector", "(", "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", ")", ")" ]
Check that w is a valid wirevector type.
[ "Check", "that", "w", "is", "a", "valid", "wirevector", "type", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/core.py#L479-L485
3,031
UCSBarchlab/PyRTL
pyrtl/core.py
_NameSanitizer.make_valid_string
def make_valid_string(self, string=''): """ Inputting a value for the first time """ 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
python
def make_valid_string(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
[ "def", "make_valid_string", "(", "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" ]
Inputting a value for the first time
[ "Inputting", "a", "value", "for", "the", "first", "time" ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/core.py#L759-L770
3,032
UCSBarchlab/PyRTL
pyrtl/passes.py
optimize
def optimize(update_working_block=True, block=None, skip_sanity_check=False): """ Return an optimized version of a synthesized hardware block. :param Boolean update_working_block: Don't copy the block and optimize the new block :param Block block: the block to optimize (defaults to working block) Note: optimize works on all hardware designs, both synthesized and non synthesized """ 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
python
def optimize(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
[ "def", "optimize", "(", "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" ]
Return an optimized version of a synthesized hardware block. :param Boolean update_working_block: Don't copy the block and optimize the new block :param Block block: the block to optimize (defaults to working block) Note: optimize works on all hardware designs, both synthesized and non synthesized
[ "Return", "an", "optimized", "version", "of", "a", "synthesized", "hardware", "block", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/passes.py#L28-L52
3,033
UCSBarchlab/PyRTL
pyrtl/passes.py
_remove_wire_nets
def _remove_wire_nets(block): """ Remove all wire nodes from the block. """ wire_src_dict = _ProducerList() wire_removal_set = set() # set of all wirevectors to be removed # one pass to build the map of value producers and # all of the nets and wires to be removed 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]) # second full pass to create the new logic without the wire nets 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) # now update the block with the new logic and remove wirevectors 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()
python
def _remove_wire_nets(block): wire_src_dict = _ProducerList() wire_removal_set = set() # set of all wirevectors to be removed # one pass to build the map of value producers and # all of the nets and wires to be removed 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]) # second full pass to create the new logic without the wire nets 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) # now update the block with the new logic and remove wirevectors 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()
[ "def", "_remove_wire_nets", "(", "block", ")", ":", "wire_src_dict", "=", "_ProducerList", "(", ")", "wire_removal_set", "=", "set", "(", ")", "# set of all wirevectors to be removed", "# one pass to build the map of value producers and", "# all of the nets and wires to be removed", "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", "]", ")", "# second full pass to create the new logic without the wire nets", "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", ")", "# now update the block with the new logic and remove wirevectors", "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 all wire nodes from the block.
[ "Remove", "all", "wire", "nodes", "from", "the", "block", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/passes.py#L74-L102
3,034
UCSBarchlab/PyRTL
pyrtl/passes.py
constant_propagation
def constant_propagation(block, silence_unexpected_net_warnings=False): """ Removes excess constants in the block. Note on resulting block: The output of the block can have wirevectors that are driven but not listened to. This is to be expected. These are to be removed by the _remove_unlistened_nets function """ net_count = _NetCount(block) while net_count.shrinking(): _constant_prop_pass(block, silence_unexpected_net_warnings)
python
def constant_propagation(block, silence_unexpected_net_warnings=False): net_count = _NetCount(block) while net_count.shrinking(): _constant_prop_pass(block, silence_unexpected_net_warnings)
[ "def", "constant_propagation", "(", "block", ",", "silence_unexpected_net_warnings", "=", "False", ")", ":", "net_count", "=", "_NetCount", "(", "block", ")", "while", "net_count", ".", "shrinking", "(", ")", ":", "_constant_prop_pass", "(", "block", ",", "silence_unexpected_net_warnings", ")" ]
Removes excess constants in the block. Note on resulting block: The output of the block can have wirevectors that are driven but not listened to. This is to be expected. These are to be removed by the _remove_unlistened_nets function
[ "Removes", "excess", "constants", "in", "the", "block", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/passes.py#L105-L115
3,035
UCSBarchlab/PyRTL
pyrtl/passes.py
common_subexp_elimination
def common_subexp_elimination(block=None, abs_thresh=1, percent_thresh=0): """ Common Subexpression Elimination for PyRTL blocks :param block: the block to run the subexpression elimination on :param abs_thresh: absolute threshold for stopping optimization :param percent_thresh: percent threshold for stopping optimization """ 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)
python
def common_subexp_elimination(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)
[ "def", "common_subexp_elimination", "(", "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 Subexpression Elimination for PyRTL blocks :param block: the block to run the subexpression elimination on :param abs_thresh: absolute threshold for stopping optimization :param percent_thresh: percent threshold for stopping optimization
[ "Common", "Subexpression", "Elimination", "for", "PyRTL", "blocks" ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/passes.py#L218-L231
3,036
UCSBarchlab/PyRTL
pyrtl/passes.py
_remove_unlistened_nets
def _remove_unlistened_nets(block): """ Removes all nets that are not connected to an output wirevector """ listened_nets = set() listened_wires = set() prev_listened_net_count = 0 def add_to_listened(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)
python
def _remove_unlistened_nets(block): listened_nets = set() listened_wires = set() prev_listened_net_count = 0 def add_to_listened(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)
[ "def", "_remove_unlistened_nets", "(", "block", ")", ":", "listened_nets", "=", "set", "(", ")", "listened_wires", "=", "set", "(", ")", "prev_listened_net_count", "=", "0", "def", "add_to_listened", "(", "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", ")" ]
Removes all nets that are not connected to an output wirevector
[ "Removes", "all", "nets", "that", "are", "not", "connected", "to", "an", "output", "wirevector" ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/passes.py#L299-L325
3,037
UCSBarchlab/PyRTL
pyrtl/passes.py
_remove_unused_wires
def _remove_unused_wires(block, keep_inputs=True): """ Removes all unconnected wires from a block""" 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
python
def _remove_unused_wires(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
[ "def", "_remove_unused_wires", "(", "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" ]
Removes all unconnected wires from a block
[ "Removes", "all", "unconnected", "wires", "from", "a", "block" ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/passes.py#L328-L346
3,038
UCSBarchlab/PyRTL
pyrtl/passes.py
synthesize
def synthesize(update_working_block=True, block=None): """ Lower the design to just single-bit "and", "or", and "not" gates. :param update_working_block: Boolean specifying if working block update :param block: The block you want to synthesize :return: The newly synthesized block (of type PostSynthesisBlock). Takes as input a block (default to working block) and creates a new block which is identical in function but uses only single bit gates and excludes many of the more complicated primitives. The new block should consist *almost* exclusively of the combination elements of w, &, |, ^, and ~ and sequential elements of registers (which are one bit as well). The two exceptions are for inputs/outputs (so that we can keep the same interface) which are immediately broken down into the individual bits and memories. Memories (read and write ports) which require the reassembly and disassembly of the wirevectors immediately before and after. There arethe only two places where 'c' and 's' ops should exist. The block that results from synthesis is actually of type "PostSynthesisBlock" which contains a mapping from the original inputs and outputs to the inputs and outputs of this block. This is used during simulation to map the input/outputs so that the same testbench can be used both pre and post synthesis (see documentation for Simulation for more details). """ block_pre = working_block(block) block_pre.sanity_check() # before going further, make sure that pressynth is valid block_in = copy_block(block_pre, update_working_block=False) block_out = PostSynthBlock() # resulting block should only have one of a restricted set of net ops block_out.legal_ops = set('~&|^nrwcsm@') wirevector_map = {} # map from (vector,index) -> new_wire with set_working_block(block_out, no_sanity_check=True): # First, replace advanced operators with simpler ones 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) # Next, create all of the new wires for the new block # from the original wires and store them in the wirevector_map # for reference. 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) & 0x1 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 # Now connect up the inputs and outputs to maintain the interface 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)) # the "reversed" is needed because most significant bit comes first in concat output_bits = [wirevector_map[(wirevector, i)] for i in range(len(output_vector))] output_vector <<= concat_list(output_bits) # Now that we have all the wires built and mapped, walk all the blocks # and map the logic to the equivalent set of primitives in the system out_mems = block_out.mem_map # dictionary: PreSynth Map -> PostSynth 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
python
def synthesize(update_working_block=True, block=None): block_pre = working_block(block) block_pre.sanity_check() # before going further, make sure that pressynth is valid block_in = copy_block(block_pre, update_working_block=False) block_out = PostSynthBlock() # resulting block should only have one of a restricted set of net ops block_out.legal_ops = set('~&|^nrwcsm@') wirevector_map = {} # map from (vector,index) -> new_wire with set_working_block(block_out, no_sanity_check=True): # First, replace advanced operators with simpler ones 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) # Next, create all of the new wires for the new block # from the original wires and store them in the wirevector_map # for reference. 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) & 0x1 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 # Now connect up the inputs and outputs to maintain the interface 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)) # the "reversed" is needed because most significant bit comes first in concat output_bits = [wirevector_map[(wirevector, i)] for i in range(len(output_vector))] output_vector <<= concat_list(output_bits) # Now that we have all the wires built and mapped, walk all the blocks # and map the logic to the equivalent set of primitives in the system out_mems = block_out.mem_map # dictionary: PreSynth Map -> PostSynth 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
[ "def", "synthesize", "(", "update_working_block", "=", "True", ",", "block", "=", "None", ")", ":", "block_pre", "=", "working_block", "(", "block", ")", "block_pre", ".", "sanity_check", "(", ")", "# before going further, make sure that pressynth is valid", "block_in", "=", "copy_block", "(", "block_pre", ",", "update_working_block", "=", "False", ")", "block_out", "=", "PostSynthBlock", "(", ")", "# resulting block should only have one of a restricted set of net ops", "block_out", ".", "legal_ops", "=", "set", "(", "'~&|^nrwcsm@'", ")", "wirevector_map", "=", "{", "}", "# map from (vector,index) -> new_wire", "with", "set_working_block", "(", "block_out", ",", "no_sanity_check", "=", "True", ")", ":", "# First, replace advanced operators with simpler ones", "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", ")", "# Next, create all of the new wires for the new block", "# from the original wires and store them in the wirevector_map", "# for reference.", "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", ")", "&", "0x1", "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", "# Now connect up the inputs and outputs to maintain the interface", "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", ")", ")", "# the \"reversed\" is needed because most significant bit comes first in concat", "output_bits", "=", "[", "wirevector_map", "[", "(", "wirevector", ",", "i", ")", "]", "for", "i", "in", "range", "(", "len", "(", "output_vector", ")", ")", "]", "output_vector", "<<=", "concat_list", "(", "output_bits", ")", "# Now that we have all the wires built and mapped, walk all the blocks", "# and map the logic to the equivalent set of primitives in the system", "out_mems", "=", "block_out", ".", "mem_map", "# dictionary: PreSynth Map -> PostSynth 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" ]
Lower the design to just single-bit "and", "or", and "not" gates. :param update_working_block: Boolean specifying if working block update :param block: The block you want to synthesize :return: The newly synthesized block (of type PostSynthesisBlock). Takes as input a block (default to working block) and creates a new block which is identical in function but uses only single bit gates and excludes many of the more complicated primitives. The new block should consist *almost* exclusively of the combination elements of w, &, |, ^, and ~ and sequential elements of registers (which are one bit as well). The two exceptions are for inputs/outputs (so that we can keep the same interface) which are immediately broken down into the individual bits and memories. Memories (read and write ports) which require the reassembly and disassembly of the wirevectors immediately before and after. There arethe only two places where 'c' and 's' ops should exist. The block that results from synthesis is actually of type "PostSynthesisBlock" which contains a mapping from the original inputs and outputs to the inputs and outputs of this block. This is used during simulation to map the input/outputs so that the same testbench can be used both pre and post synthesis (see documentation for Simulation for more details).
[ "Lower", "the", "design", "to", "just", "single", "-", "bit", "and", "or", "and", "not", "gates", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/passes.py#L355-L438
3,039
UCSBarchlab/PyRTL
pyrtl/rtllib/barrel.py
barrel_shifter
def barrel_shifter(bits_to_shift, bit_in, direction, shift_dist, wrap_around=0): """ Create a barrel shifter that operates on data based on the wire width. :param bits_to_shift: the input wire :param bit_in: the 1-bit wire giving the value to shift in :param direction: a one bit WireVector representing shift direction (0 = shift down, 1 = shift up) :param shift_dist: WireVector representing offset to shift :param wrap_around: ****currently not implemented**** :return: shifted WireVector """ from pyrtl import concat, select # just for readability if wrap_around != 0: raise NotImplementedError # Implement with logN stages pyrtl.muxing between shifted and un-shifted values 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) # stages shift 1,2,4,8,... if shift_amt < final_width: newval = select(direction, concat(val[:-shift_amt], append_val), # shift up concat(append_val, val[shift_amt:])) # shift down val = select(shift_dist[i], truecase=newval, # if bit of shift is 1, do the shift falsecase=val) # otherwise, don't # the value to append grows exponentially, but is capped at full width append_val = concat(append_val, append_val)[:final_width] else: # if we are shifting this much, all the data is gone val = select(shift_dist[i], truecase=append_val, # if bit of shift is 1, do the shift falsecase=val) # otherwise, don't return val
python
def barrel_shifter(bits_to_shift, bit_in, direction, shift_dist, wrap_around=0): from pyrtl import concat, select # just for readability if wrap_around != 0: raise NotImplementedError # Implement with logN stages pyrtl.muxing between shifted and un-shifted values 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) # stages shift 1,2,4,8,... if shift_amt < final_width: newval = select(direction, concat(val[:-shift_amt], append_val), # shift up concat(append_val, val[shift_amt:])) # shift down val = select(shift_dist[i], truecase=newval, # if bit of shift is 1, do the shift falsecase=val) # otherwise, don't # the value to append grows exponentially, but is capped at full width append_val = concat(append_val, append_val)[:final_width] else: # if we are shifting this much, all the data is gone val = select(shift_dist[i], truecase=append_val, # if bit of shift is 1, do the shift falsecase=val) # otherwise, don't return val
[ "def", "barrel_shifter", "(", "bits_to_shift", ",", "bit_in", ",", "direction", ",", "shift_dist", ",", "wrap_around", "=", "0", ")", ":", "from", "pyrtl", "import", "concat", ",", "select", "# just for readability", "if", "wrap_around", "!=", "0", ":", "raise", "NotImplementedError", "# Implement with logN stages pyrtl.muxing between shifted and un-shifted values", "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", ")", "# stages shift 1,2,4,8,...", "if", "shift_amt", "<", "final_width", ":", "newval", "=", "select", "(", "direction", ",", "concat", "(", "val", "[", ":", "-", "shift_amt", "]", ",", "append_val", ")", ",", "# shift up", "concat", "(", "append_val", ",", "val", "[", "shift_amt", ":", "]", ")", ")", "# shift down", "val", "=", "select", "(", "shift_dist", "[", "i", "]", ",", "truecase", "=", "newval", ",", "# if bit of shift is 1, do the shift", "falsecase", "=", "val", ")", "# otherwise, don't", "# the value to append grows exponentially, but is capped at full width", "append_val", "=", "concat", "(", "append_val", ",", "append_val", ")", "[", ":", "final_width", "]", "else", ":", "# if we are shifting this much, all the data is gone", "val", "=", "select", "(", "shift_dist", "[", "i", "]", ",", "truecase", "=", "append_val", ",", "# if bit of shift is 1, do the shift", "falsecase", "=", "val", ")", "# otherwise, don't", "return", "val" ]
Create a barrel shifter that operates on data based on the wire width. :param bits_to_shift: the input wire :param bit_in: the 1-bit wire giving the value to shift in :param direction: a one bit WireVector representing shift direction (0 = shift down, 1 = shift up) :param shift_dist: WireVector representing offset to shift :param wrap_around: ****currently not implemented**** :return: shifted WireVector
[ "Create", "a", "barrel", "shifter", "that", "operates", "on", "data", "based", "on", "the", "wire", "width", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/rtllib/barrel.py#L6-L44
3,040
usrlocalben/pydux
pydux/compose.py
compose
def compose(*funcs): """ chained function composition wrapper creates function f, where f(x) = arg0(arg1(arg2(...argN(x)))) if *funcs is empty, an identity function is returned. Args: *funcs: list of functions to chain Returns: a new function composed of chained calls to *args """ 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))
python
def compose(*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))
[ "def", "compose", "(", "*", "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", ")", ")" ]
chained function composition wrapper creates function f, where f(x) = arg0(arg1(arg2(...argN(x)))) if *funcs is empty, an identity function is returned. Args: *funcs: list of functions to chain Returns: a new function composed of chained calls to *args
[ "chained", "function", "composition", "wrapper" ]
943ca1c75357b9289f55f17ff2d997a66a3313a4
https://github.com/usrlocalben/pydux/blob/943ca1c75357b9289f55f17ff2d997a66a3313a4/pydux/compose.py#L3-L26
3,041
UCSBarchlab/PyRTL
examples/introduction-to-hardware.py
software_fibonacci
def software_fibonacci(n): """ a normal old python function to return the Nth fibonacci number. """ a, b = 0, 1 for i in range(n): a, b = b, a + b return a
python
def software_fibonacci(n): a, b = 0, 1 for i in range(n): a, b = b, a + b return a
[ "def", "software_fibonacci", "(", "n", ")", ":", "a", ",", "b", "=", "0", ",", "1", "for", "i", "in", "range", "(", "n", ")", ":", "a", ",", "b", "=", "b", ",", "a", "+", "b", "return", "a" ]
a normal old python function to return the Nth fibonacci number.
[ "a", "normal", "old", "python", "function", "to", "return", "the", "Nth", "fibonacci", "number", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/examples/introduction-to-hardware.py#L12-L17
3,042
usrlocalben/pydux
pydux/apply_middleware.py
apply_middleware
def apply_middleware(*middlewares): """ creates an enhancer function composed of middleware Args: *middlewares: list of middleware functions to apply Returns: an enhancer for subsequent calls to create_store() """ def inner(create_store_): def create_wrapper(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
python
def apply_middleware(*middlewares): def inner(create_store_): def create_wrapper(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
[ "def", "apply_middleware", "(", "*", "middlewares", ")", ":", "def", "inner", "(", "create_store_", ")", ":", "def", "create_wrapper", "(", "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" ]
creates an enhancer function composed of middleware Args: *middlewares: list of middleware functions to apply Returns: an enhancer for subsequent calls to create_store()
[ "creates", "an", "enhancer", "function", "composed", "of", "middleware" ]
943ca1c75357b9289f55f17ff2d997a66a3313a4
https://github.com/usrlocalben/pydux/blob/943ca1c75357b9289f55f17ff2d997a66a3313a4/pydux/apply_middleware.py#L5-L28
3,043
UCSBarchlab/PyRTL
pyrtl/corecircuits.py
mux
def mux(index, *mux_ins, **kwargs): """ Multiplexer returning the value of the wire in . :param WireVector index: used as the select input to the multiplexer :param WireVector mux_ins: additional WireVector arguments selected when select>1 :param WireVector kwargs: additional WireVectors, keyword arg "default" If you are selecting between less items than your index can address, you can use the "default" keyword argument to auto-expand those terms. For example, if you have a 3-bit index but are selecting between 6 options, you need to specify a value for those other 2 possible values of index (0b110 and 0b111). :return: WireVector of length of the longest input (not including select) To avoid confusion, if you are using the mux where the select is a "predicate" (meaning something that you are checking the truth value of rather than using it as a number) it is recommended that you use the select function instead as named arguments because the ordering is different from the classic ternary operator of some languages. Example of mux as "selector" to pick between a0 and a1: :: index = WireVector(1) mux( index, a0, a1 ) Example of mux as "selector" to pick between a0 ... a3: :: index = WireVector(2) mux( index, a0, a1, a2, a3 ) Example of "default" to specify additional arguments: :: index = WireVector(3) mux( index, a0, a1, a2, a3, a4, a5, default=0 ) """ if kwargs: # only "default" is allowed as kwarg. if len(kwargs) != 1 or 'default' not in kwargs: try: result = select(index, **kwargs) import warnings warnings.warn("Predicates are being deprecated in Mux. " "Use the select operator instead.", stacklevel=2) return result except Exception: bad_args = [k for k in kwargs.keys() if k != 'default'] raise PyrtlError('unknown keywords %s applied to mux' % str(bad_args)) default = kwargs['default'] else: default = None # find the diff between the addressable range and number of inputs given short_by = 2**len(index) - len(mux_ins) if short_by > 0: if default is not None: # extend the list to appropriate size mux_ins = list(mux_ins) extention = [default] * short_by mux_ins.extend(extention) if 2 ** len(index) != len(mux_ins): raise PyrtlError( 'Mux select line is %d bits, but selecting from %d inputs. ' % (len(index), len(mux_ins))) if len(index) == 1: return select(index, falsecase=mux_ins[0], truecase=mux_ins[1]) half = len(mux_ins) // 2 return select(index[-1], falsecase=mux(index[0:-1], *mux_ins[:half]), truecase=mux(index[0:-1], *mux_ins[half:]))
python
def mux(index, *mux_ins, **kwargs): if kwargs: # only "default" is allowed as kwarg. if len(kwargs) != 1 or 'default' not in kwargs: try: result = select(index, **kwargs) import warnings warnings.warn("Predicates are being deprecated in Mux. " "Use the select operator instead.", stacklevel=2) return result except Exception: bad_args = [k for k in kwargs.keys() if k != 'default'] raise PyrtlError('unknown keywords %s applied to mux' % str(bad_args)) default = kwargs['default'] else: default = None # find the diff between the addressable range and number of inputs given short_by = 2**len(index) - len(mux_ins) if short_by > 0: if default is not None: # extend the list to appropriate size mux_ins = list(mux_ins) extention = [default] * short_by mux_ins.extend(extention) if 2 ** len(index) != len(mux_ins): raise PyrtlError( 'Mux select line is %d bits, but selecting from %d inputs. ' % (len(index), len(mux_ins))) if len(index) == 1: return select(index, falsecase=mux_ins[0], truecase=mux_ins[1]) half = len(mux_ins) // 2 return select(index[-1], falsecase=mux(index[0:-1], *mux_ins[:half]), truecase=mux(index[0:-1], *mux_ins[half:]))
[ "def", "mux", "(", "index", ",", "*", "mux_ins", ",", "*", "*", "kwargs", ")", ":", "if", "kwargs", ":", "# only \"default\" is allowed as kwarg.", "if", "len", "(", "kwargs", ")", "!=", "1", "or", "'default'", "not", "in", "kwargs", ":", "try", ":", "result", "=", "select", "(", "index", ",", "*", "*", "kwargs", ")", "import", "warnings", "warnings", ".", "warn", "(", "\"Predicates are being deprecated in Mux. \"", "\"Use the select operator instead.\"", ",", "stacklevel", "=", "2", ")", "return", "result", "except", "Exception", ":", "bad_args", "=", "[", "k", "for", "k", "in", "kwargs", ".", "keys", "(", ")", "if", "k", "!=", "'default'", "]", "raise", "PyrtlError", "(", "'unknown keywords %s applied to mux'", "%", "str", "(", "bad_args", ")", ")", "default", "=", "kwargs", "[", "'default'", "]", "else", ":", "default", "=", "None", "# find the diff between the addressable range and number of inputs given", "short_by", "=", "2", "**", "len", "(", "index", ")", "-", "len", "(", "mux_ins", ")", "if", "short_by", ">", "0", ":", "if", "default", "is", "not", "None", ":", "# extend the list to appropriate size", "mux_ins", "=", "list", "(", "mux_ins", ")", "extention", "=", "[", "default", "]", "*", "short_by", "mux_ins", ".", "extend", "(", "extention", ")", "if", "2", "**", "len", "(", "index", ")", "!=", "len", "(", "mux_ins", ")", ":", "raise", "PyrtlError", "(", "'Mux select line is %d bits, but selecting from %d inputs. '", "%", "(", "len", "(", "index", ")", ",", "len", "(", "mux_ins", ")", ")", ")", "if", "len", "(", "index", ")", "==", "1", ":", "return", "select", "(", "index", ",", "falsecase", "=", "mux_ins", "[", "0", "]", ",", "truecase", "=", "mux_ins", "[", "1", "]", ")", "half", "=", "len", "(", "mux_ins", ")", "//", "2", "return", "select", "(", "index", "[", "-", "1", "]", ",", "falsecase", "=", "mux", "(", "index", "[", "0", ":", "-", "1", "]", ",", "*", "mux_ins", "[", ":", "half", "]", ")", ",", "truecase", "=", "mux", "(", "index", "[", "0", ":", "-", "1", "]", ",", "*", "mux_ins", "[", "half", ":", "]", ")", ")" ]
Multiplexer returning the value of the wire in . :param WireVector index: used as the select input to the multiplexer :param WireVector mux_ins: additional WireVector arguments selected when select>1 :param WireVector kwargs: additional WireVectors, keyword arg "default" If you are selecting between less items than your index can address, you can use the "default" keyword argument to auto-expand those terms. For example, if you have a 3-bit index but are selecting between 6 options, you need to specify a value for those other 2 possible values of index (0b110 and 0b111). :return: WireVector of length of the longest input (not including select) To avoid confusion, if you are using the mux where the select is a "predicate" (meaning something that you are checking the truth value of rather than using it as a number) it is recommended that you use the select function instead as named arguments because the ordering is different from the classic ternary operator of some languages. Example of mux as "selector" to pick between a0 and a1: :: index = WireVector(1) mux( index, a0, a1 ) Example of mux as "selector" to pick between a0 ... a3: :: index = WireVector(2) mux( index, a0, a1, a2, a3 ) Example of "default" to specify additional arguments: :: index = WireVector(3) mux( index, a0, a1, a2, a3, a4, a5, default=0 )
[ "Multiplexer", "returning", "the", "value", "of", "the", "wire", "in", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/corecircuits.py#L16-L82
3,044
UCSBarchlab/PyRTL
pyrtl/corecircuits.py
select
def select(sel, truecase, falsecase): """ Multiplexer returning falsecase for select==0, otherwise truecase. :param WireVector sel: used as the select input to the multiplexer :param WireVector falsecase: the WireVector selected if select==0 :param WireVector truecase: the WireVector selected if select==1 The hardware this generates is exactly the same as "mux" but by putting the true case as the first argument it matches more of the C-style ternary operator semantics which can be helpful for readablity. Example of mux as "ternary operator" to take the max of 'a' and 5: :: select( a<5, truecase=a, falsecase=5 ) """ sel, f, t = (as_wires(w) for w in (sel, falsecase, truecase)) f, t = match_bitwidth(f, t) outwire = WireVector(bitwidth=len(f)) net = LogicNet(op='x', op_param=None, args=(sel, f, t), dests=(outwire,)) working_block().add_net(net) # this includes sanity check on the mux return outwire
python
def select(sel, truecase, falsecase): sel, f, t = (as_wires(w) for w in (sel, falsecase, truecase)) f, t = match_bitwidth(f, t) outwire = WireVector(bitwidth=len(f)) net = LogicNet(op='x', op_param=None, args=(sel, f, t), dests=(outwire,)) working_block().add_net(net) # this includes sanity check on the mux return outwire
[ "def", "select", "(", "sel", ",", "truecase", ",", "falsecase", ")", ":", "sel", ",", "f", ",", "t", "=", "(", "as_wires", "(", "w", ")", "for", "w", "in", "(", "sel", ",", "falsecase", ",", "truecase", ")", ")", "f", ",", "t", "=", "match_bitwidth", "(", "f", ",", "t", ")", "outwire", "=", "WireVector", "(", "bitwidth", "=", "len", "(", "f", ")", ")", "net", "=", "LogicNet", "(", "op", "=", "'x'", ",", "op_param", "=", "None", ",", "args", "=", "(", "sel", ",", "f", ",", "t", ")", ",", "dests", "=", "(", "outwire", ",", ")", ")", "working_block", "(", ")", ".", "add_net", "(", "net", ")", "# this includes sanity check on the mux", "return", "outwire" ]
Multiplexer returning falsecase for select==0, otherwise truecase. :param WireVector sel: used as the select input to the multiplexer :param WireVector falsecase: the WireVector selected if select==0 :param WireVector truecase: the WireVector selected if select==1 The hardware this generates is exactly the same as "mux" but by putting the true case as the first argument it matches more of the C-style ternary operator semantics which can be helpful for readablity. Example of mux as "ternary operator" to take the max of 'a' and 5: :: select( a<5, truecase=a, falsecase=5 )
[ "Multiplexer", "returning", "falsecase", "for", "select", "==", "0", "otherwise", "truecase", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/corecircuits.py#L85-L106
3,045
UCSBarchlab/PyRTL
pyrtl/corecircuits.py
concat
def concat(*args): """ Concatenates multiple WireVectors into a single WireVector :param WireVector args: inputs to be concatenated :return: WireVector with length equal to the sum of the args' lengths You can provide multiple arguments and they will be combined with the right-most argument being the least significant bits of the result. Note that if you have a list of arguments to concat together you will likely want index 0 to be the least significant bit and so if you unpack the list into the arguements here it will be backwards. The function concat_list is provided for that case specifically. Example using concat to combine two bytes into a 16-bit quantity: :: concat( msb, lsb ) """ if len(args) <= 0: raise PyrtlError('error, concat requires at least 1 argument') if len(args) == 1: return as_wires(args[0]) arg_wirevectors = tuple(as_wires(arg) for arg in args) final_width = sum(len(arg) for arg in arg_wirevectors) outwire = WireVector(bitwidth=final_width) net = LogicNet( op='c', op_param=None, args=arg_wirevectors, dests=(outwire,)) working_block().add_net(net) return outwire
python
def concat(*args): if len(args) <= 0: raise PyrtlError('error, concat requires at least 1 argument') if len(args) == 1: return as_wires(args[0]) arg_wirevectors = tuple(as_wires(arg) for arg in args) final_width = sum(len(arg) for arg in arg_wirevectors) outwire = WireVector(bitwidth=final_width) net = LogicNet( op='c', op_param=None, args=arg_wirevectors, dests=(outwire,)) working_block().add_net(net) return outwire
[ "def", "concat", "(", "*", "args", ")", ":", "if", "len", "(", "args", ")", "<=", "0", ":", "raise", "PyrtlError", "(", "'error, concat requires at least 1 argument'", ")", "if", "len", "(", "args", ")", "==", "1", ":", "return", "as_wires", "(", "args", "[", "0", "]", ")", "arg_wirevectors", "=", "tuple", "(", "as_wires", "(", "arg", ")", "for", "arg", "in", "args", ")", "final_width", "=", "sum", "(", "len", "(", "arg", ")", "for", "arg", "in", "arg_wirevectors", ")", "outwire", "=", "WireVector", "(", "bitwidth", "=", "final_width", ")", "net", "=", "LogicNet", "(", "op", "=", "'c'", ",", "op_param", "=", "None", ",", "args", "=", "arg_wirevectors", ",", "dests", "=", "(", "outwire", ",", ")", ")", "working_block", "(", ")", ".", "add_net", "(", "net", ")", "return", "outwire" ]
Concatenates multiple WireVectors into a single WireVector :param WireVector args: inputs to be concatenated :return: WireVector with length equal to the sum of the args' lengths You can provide multiple arguments and they will be combined with the right-most argument being the least significant bits of the result. Note that if you have a list of arguments to concat together you will likely want index 0 to be the least significant bit and so if you unpack the list into the arguements here it will be backwards. The function concat_list is provided for that case specifically. Example using concat to combine two bytes into a 16-bit quantity: :: concat( msb, lsb )
[ "Concatenates", "multiple", "WireVectors", "into", "a", "single", "WireVector" ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/corecircuits.py#L109-L139
3,046
UCSBarchlab/PyRTL
pyrtl/corecircuits.py
signed_add
def signed_add(a, b): """ Return wirevector for result of signed addition. :param a: a wirevector to serve as first input to addition :param b: a wirevector to serve as second input to addition Given a length n and length m wirevector the result of the signed addition is length max(n,m)+1. The inputs are twos complement sign extended to the same length before adding.""" a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True) result_len = len(a) + 1 ext_a = a.sign_extended(result_len) ext_b = b.sign_extended(result_len) # add and truncate to the correct length return (ext_a + ext_b)[0:result_len]
python
def signed_add(a, b): a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True) result_len = len(a) + 1 ext_a = a.sign_extended(result_len) ext_b = b.sign_extended(result_len) # add and truncate to the correct length return (ext_a + ext_b)[0:result_len]
[ "def", "signed_add", "(", "a", ",", "b", ")", ":", "a", ",", "b", "=", "match_bitwidth", "(", "as_wires", "(", "a", ")", ",", "as_wires", "(", "b", ")", ",", "signed", "=", "True", ")", "result_len", "=", "len", "(", "a", ")", "+", "1", "ext_a", "=", "a", ".", "sign_extended", "(", "result_len", ")", "ext_b", "=", "b", ".", "sign_extended", "(", "result_len", ")", "# add and truncate to the correct length", "return", "(", "ext_a", "+", "ext_b", ")", "[", "0", ":", "result_len", "]" ]
Return wirevector for result of signed addition. :param a: a wirevector to serve as first input to addition :param b: a wirevector to serve as second input to addition Given a length n and length m wirevector the result of the signed addition is length max(n,m)+1. The inputs are twos complement sign extended to the same length before adding.
[ "Return", "wirevector", "for", "result", "of", "signed", "addition", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/corecircuits.py#L162-L176
3,047
UCSBarchlab/PyRTL
pyrtl/corecircuits.py
signed_lt
def signed_lt(a, b): """ Return a single bit result of signed less than comparison. """ a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True) r = a - b return r[-1] ^ (~a[-1]) ^ (~b[-1])
python
def signed_lt(a, b): a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True) r = a - b return r[-1] ^ (~a[-1]) ^ (~b[-1])
[ "def", "signed_lt", "(", "a", ",", "b", ")", ":", "a", ",", "b", "=", "match_bitwidth", "(", "as_wires", "(", "a", ")", ",", "as_wires", "(", "b", ")", ",", "signed", "=", "True", ")", "r", "=", "a", "-", "b", "return", "r", "[", "-", "1", "]", "^", "(", "~", "a", "[", "-", "1", "]", ")", "^", "(", "~", "b", "[", "-", "1", "]", ")" ]
Return a single bit result of signed less than comparison.
[ "Return", "a", "single", "bit", "result", "of", "signed", "less", "than", "comparison", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/corecircuits.py#L196-L200
3,048
UCSBarchlab/PyRTL
pyrtl/corecircuits.py
signed_le
def signed_le(a, b): """ Return a single bit result of signed less than or equal comparison. """ a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True) r = a - b return (r[-1] ^ (~a[-1]) ^ (~b[-1])) | (a == b)
python
def signed_le(a, b): a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True) r = a - b return (r[-1] ^ (~a[-1]) ^ (~b[-1])) | (a == b)
[ "def", "signed_le", "(", "a", ",", "b", ")", ":", "a", ",", "b", "=", "match_bitwidth", "(", "as_wires", "(", "a", ")", ",", "as_wires", "(", "b", ")", ",", "signed", "=", "True", ")", "r", "=", "a", "-", "b", "return", "(", "r", "[", "-", "1", "]", "^", "(", "~", "a", "[", "-", "1", "]", ")", "^", "(", "~", "b", "[", "-", "1", "]", ")", ")", "|", "(", "a", "==", "b", ")" ]
Return a single bit result of signed less than or equal comparison.
[ "Return", "a", "single", "bit", "result", "of", "signed", "less", "than", "or", "equal", "comparison", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/corecircuits.py#L203-L207
3,049
UCSBarchlab/PyRTL
pyrtl/corecircuits.py
signed_gt
def signed_gt(a, b): """ Return a single bit result of signed greater than comparison. """ a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True) r = b - a return r[-1] ^ (~a[-1]) ^ (~b[-1])
python
def signed_gt(a, b): a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True) r = b - a return r[-1] ^ (~a[-1]) ^ (~b[-1])
[ "def", "signed_gt", "(", "a", ",", "b", ")", ":", "a", ",", "b", "=", "match_bitwidth", "(", "as_wires", "(", "a", ")", ",", "as_wires", "(", "b", ")", ",", "signed", "=", "True", ")", "r", "=", "b", "-", "a", "return", "r", "[", "-", "1", "]", "^", "(", "~", "a", "[", "-", "1", "]", ")", "^", "(", "~", "b", "[", "-", "1", "]", ")" ]
Return a single bit result of signed greater than comparison.
[ "Return", "a", "single", "bit", "result", "of", "signed", "greater", "than", "comparison", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/corecircuits.py#L210-L214
3,050
UCSBarchlab/PyRTL
pyrtl/corecircuits.py
signed_ge
def signed_ge(a, b): """ Return a single bit result of signed greater than or equal comparison. """ a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True) r = b - a return (r[-1] ^ (~a[-1]) ^ (~b[-1])) | (a == b)
python
def signed_ge(a, b): a, b = match_bitwidth(as_wires(a), as_wires(b), signed=True) r = b - a return (r[-1] ^ (~a[-1]) ^ (~b[-1])) | (a == b)
[ "def", "signed_ge", "(", "a", ",", "b", ")", ":", "a", ",", "b", "=", "match_bitwidth", "(", "as_wires", "(", "a", ")", ",", "as_wires", "(", "b", ")", ",", "signed", "=", "True", ")", "r", "=", "b", "-", "a", "return", "(", "r", "[", "-", "1", "]", "^", "(", "~", "a", "[", "-", "1", "]", ")", "^", "(", "~", "b", "[", "-", "1", "]", ")", ")", "|", "(", "a", "==", "b", ")" ]
Return a single bit result of signed greater than or equal comparison.
[ "Return", "a", "single", "bit", "result", "of", "signed", "greater", "than", "or", "equal", "comparison", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/corecircuits.py#L217-L221
3,051
UCSBarchlab/PyRTL
pyrtl/corecircuits.py
shift_right_arithmetic
def shift_right_arithmetic(bits_to_shift, shift_amount): """ Shift right arithmetic operation. :param bits_to_shift: WireVector to shift right :param shift_amount: WireVector specifying amount to shift :return: WireVector of same length as bits_to_shift This function returns a new WireVector of length equal to the length of the input `bits_to_shift` but where the bits have been shifted to the right. An arithemetic shift is one that treats the value as as signed number, meaning the sign bit (the most significant bit of `bits_to_shift`) is shifted in. Note that `shift_amount` is treated as unsigned. """ a, shamt = _check_shift_inputs(bits_to_shift, shift_amount) bit_in = bits_to_shift[-1] # shift in sign_bit dir = Const(0) # shift right return barrel.barrel_shifter(bits_to_shift, bit_in, dir, shift_amount)
python
def shift_right_arithmetic(bits_to_shift, shift_amount): a, shamt = _check_shift_inputs(bits_to_shift, shift_amount) bit_in = bits_to_shift[-1] # shift in sign_bit dir = Const(0) # shift right return barrel.barrel_shifter(bits_to_shift, bit_in, dir, shift_amount)
[ "def", "shift_right_arithmetic", "(", "bits_to_shift", ",", "shift_amount", ")", ":", "a", ",", "shamt", "=", "_check_shift_inputs", "(", "bits_to_shift", ",", "shift_amount", ")", "bit_in", "=", "bits_to_shift", "[", "-", "1", "]", "# shift in sign_bit", "dir", "=", "Const", "(", "0", ")", "# shift right", "return", "barrel", ".", "barrel_shifter", "(", "bits_to_shift", ",", "bit_in", ",", "dir", ",", "shift_amount", ")" ]
Shift right arithmetic operation. :param bits_to_shift: WireVector to shift right :param shift_amount: WireVector specifying amount to shift :return: WireVector of same length as bits_to_shift This function returns a new WireVector of length equal to the length of the input `bits_to_shift` but where the bits have been shifted to the right. An arithemetic shift is one that treats the value as as signed number, meaning the sign bit (the most significant bit of `bits_to_shift`) is shifted in. Note that `shift_amount` is treated as unsigned.
[ "Shift", "right", "arithmetic", "operation", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/corecircuits.py#L250-L267
3,052
UCSBarchlab/PyRTL
pyrtl/corecircuits.py
match_bitwidth
def match_bitwidth(*args, **opt): """ Matches the bitwidth of all of the input arguments with zero or sign extend :param args: WireVectors of which to match bitwidths :param opt: Optional keyword argument 'signed=True' (defaults to False) :return: tuple of args in order with extended bits Example of matching the bitwidths of two WireVectors `a` and `b` with with zero extention: :: a,b = match_bitwidth(a, b) Example of matching the bitwidths of three WireVectors `a`,`b`, and `c` with with sign extention: :: a,b = match_bitwidth(a, b, c, signed=True) """ # TODO: when we drop 2.7 support, this code should be cleaned up with explicit # kwarg support for "signed" rather than the less than helpful "**opt" if len(opt) == 0: signed = False else: if len(opt) > 1 or 'signed' not in opt: raise PyrtlError('error, only supported kwarg to match_bitwidth is "signed"') signed = bool(opt['signed']) max_len = max(len(wv) for wv in args) if signed: return (wv.sign_extended(max_len) for wv in args) else: return (wv.zero_extended(max_len) for wv in args)
python
def match_bitwidth(*args, **opt): # TODO: when we drop 2.7 support, this code should be cleaned up with explicit # kwarg support for "signed" rather than the less than helpful "**opt" if len(opt) == 0: signed = False else: if len(opt) > 1 or 'signed' not in opt: raise PyrtlError('error, only supported kwarg to match_bitwidth is "signed"') signed = bool(opt['signed']) max_len = max(len(wv) for wv in args) if signed: return (wv.sign_extended(max_len) for wv in args) else: return (wv.zero_extended(max_len) for wv in args)
[ "def", "match_bitwidth", "(", "*", "args", ",", "*", "*", "opt", ")", ":", "# TODO: when we drop 2.7 support, this code should be cleaned up with explicit", "# kwarg support for \"signed\" rather than the less than helpful \"**opt\"", "if", "len", "(", "opt", ")", "==", "0", ":", "signed", "=", "False", "else", ":", "if", "len", "(", "opt", ")", ">", "1", "or", "'signed'", "not", "in", "opt", ":", "raise", "PyrtlError", "(", "'error, only supported kwarg to match_bitwidth is \"signed\"'", ")", "signed", "=", "bool", "(", "opt", "[", "'signed'", "]", ")", "max_len", "=", "max", "(", "len", "(", "wv", ")", "for", "wv", "in", "args", ")", "if", "signed", ":", "return", "(", "wv", ".", "sign_extended", "(", "max_len", ")", "for", "wv", "in", "args", ")", "else", ":", "return", "(", "wv", ".", "zero_extended", "(", "max_len", ")", "for", "wv", "in", "args", ")" ]
Matches the bitwidth of all of the input arguments with zero or sign extend :param args: WireVectors of which to match bitwidths :param opt: Optional keyword argument 'signed=True' (defaults to False) :return: tuple of args in order with extended bits Example of matching the bitwidths of two WireVectors `a` and `b` with with zero extention: :: a,b = match_bitwidth(a, b) Example of matching the bitwidths of three WireVectors `a`,`b`, and `c` with with sign extention: :: a,b = match_bitwidth(a, b, c, signed=True)
[ "Matches", "the", "bitwidth", "of", "all", "of", "the", "input", "arguments", "with", "zero", "or", "sign", "extend" ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/corecircuits.py#L308-L338
3,053
UCSBarchlab/PyRTL
pyrtl/corecircuits.py
as_wires
def as_wires(val, bitwidth=None, truncating=True, block=None): """ Return wires from val which may be wires, integers, strings, or bools. :param val: a wirevector-like object or something that can be converted into a Const :param bitwidth: The bitwidth the resulting wire should be :param bool truncating: determines whether bits will be dropped to achieve the desired bitwidth if it is too long (if true, the most-significant bits will be dropped) :param Block block: block to use for wire This function is mainly used to coerce values into WireVectors (for example, operations such as "x+1" where "1" needs to be converted to a Const WireVector). An example: :: def myhardware(input_a, input_b): a = as_wires(input_a) b = as_wires(input_b) myhardware(3, x) The function as_wires will covert the 3 to Const but keep `x` unchanged assuming it is a WireVector. """ from .memory import _MemIndexed block = working_block(block) if isinstance(val, (int, six.string_types)): # note that this case captures bool as well (as bools are instances of ints) return Const(val, bitwidth=bitwidth, block=block) elif isinstance(val, _MemIndexed): # convert to a memory read when the value is actually used if val.wire is None: val.wire = as_wires(val.mem._readaccess(val.index), bitwidth, truncating, block) return val.wire elif not isinstance(val, WireVector): raise PyrtlError('error, expecting a wirevector, int, or verilog-style ' 'const string got %s instead' % repr(val)) elif bitwidth == '0': raise PyrtlError('error, bitwidth must be >= 1') elif val.bitwidth is None: raise PyrtlError('error, attempting to use wirevector with no defined bitwidth') elif bitwidth and bitwidth > val.bitwidth: return val.zero_extended(bitwidth) elif bitwidth and truncating and bitwidth < val.bitwidth: return val[:bitwidth] # truncate the upper bits else: return val
python
def as_wires(val, bitwidth=None, truncating=True, block=None): from .memory import _MemIndexed block = working_block(block) if isinstance(val, (int, six.string_types)): # note that this case captures bool as well (as bools are instances of ints) return Const(val, bitwidth=bitwidth, block=block) elif isinstance(val, _MemIndexed): # convert to a memory read when the value is actually used if val.wire is None: val.wire = as_wires(val.mem._readaccess(val.index), bitwidth, truncating, block) return val.wire elif not isinstance(val, WireVector): raise PyrtlError('error, expecting a wirevector, int, or verilog-style ' 'const string got %s instead' % repr(val)) elif bitwidth == '0': raise PyrtlError('error, bitwidth must be >= 1') elif val.bitwidth is None: raise PyrtlError('error, attempting to use wirevector with no defined bitwidth') elif bitwidth and bitwidth > val.bitwidth: return val.zero_extended(bitwidth) elif bitwidth and truncating and bitwidth < val.bitwidth: return val[:bitwidth] # truncate the upper bits else: return val
[ "def", "as_wires", "(", "val", ",", "bitwidth", "=", "None", ",", "truncating", "=", "True", ",", "block", "=", "None", ")", ":", "from", ".", "memory", "import", "_MemIndexed", "block", "=", "working_block", "(", "block", ")", "if", "isinstance", "(", "val", ",", "(", "int", ",", "six", ".", "string_types", ")", ")", ":", "# note that this case captures bool as well (as bools are instances of ints)", "return", "Const", "(", "val", ",", "bitwidth", "=", "bitwidth", ",", "block", "=", "block", ")", "elif", "isinstance", "(", "val", ",", "_MemIndexed", ")", ":", "# convert to a memory read when the value is actually used", "if", "val", ".", "wire", "is", "None", ":", "val", ".", "wire", "=", "as_wires", "(", "val", ".", "mem", ".", "_readaccess", "(", "val", ".", "index", ")", ",", "bitwidth", ",", "truncating", ",", "block", ")", "return", "val", ".", "wire", "elif", "not", "isinstance", "(", "val", ",", "WireVector", ")", ":", "raise", "PyrtlError", "(", "'error, expecting a wirevector, int, or verilog-style '", "'const string got %s instead'", "%", "repr", "(", "val", ")", ")", "elif", "bitwidth", "==", "'0'", ":", "raise", "PyrtlError", "(", "'error, bitwidth must be >= 1'", ")", "elif", "val", ".", "bitwidth", "is", "None", ":", "raise", "PyrtlError", "(", "'error, attempting to use wirevector with no defined bitwidth'", ")", "elif", "bitwidth", "and", "bitwidth", ">", "val", ".", "bitwidth", ":", "return", "val", ".", "zero_extended", "(", "bitwidth", ")", "elif", "bitwidth", "and", "truncating", "and", "bitwidth", "<", "val", ".", "bitwidth", ":", "return", "val", "[", ":", "bitwidth", "]", "# truncate the upper bits", "else", ":", "return", "val" ]
Return wires from val which may be wires, integers, strings, or bools. :param val: a wirevector-like object or something that can be converted into a Const :param bitwidth: The bitwidth the resulting wire should be :param bool truncating: determines whether bits will be dropped to achieve the desired bitwidth if it is too long (if true, the most-significant bits will be dropped) :param Block block: block to use for wire This function is mainly used to coerce values into WireVectors (for example, operations such as "x+1" where "1" needs to be converted to a Const WireVector). An example: :: def myhardware(input_a, input_b): a = as_wires(input_a) b = as_wires(input_b) myhardware(3, x) The function as_wires will covert the 3 to Const but keep `x` unchanged assuming it is a WireVector.
[ "Return", "wires", "from", "val", "which", "may", "be", "wires", "integers", "strings", "or", "bools", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/corecircuits.py#L341-L388
3,054
UCSBarchlab/PyRTL
pyrtl/corecircuits.py
bitfield_update
def bitfield_update(w, range_start, range_end, newvalue, truncating=False): """ Return wirevector w but with some of the bits overwritten by newvalue. :param w: a wirevector to use as the starting point for the update :param range_start: the start of the range of bits to be updated :param range_end: the end of the range of bits to be updated :param newvalue: the value to be written in to the start:end range :param truncating: if true, clip the newvalue to be the proper number of bits Given a wirevector w, this function returns a new wirevector that is identical to w except in the range of bits specified. In that specified range, the value newvalue is swapped in. For example: `bitfield_update(w, 20, 23, 0x7)` will return return a wirevector of the same length as w, and with the same values as w, but with bits 20, 21, and 22 all set to 1. Note that range_start and range_end will be inputs to a slice and so standar Python slicing rules apply (e.g. negative values for end-relative indexing and support for None). :: w = bitfield_update(w, 20, 23, 0x7) # sets bits 20, 21, 22 to 1 w = bitfield_update(w, 20, 23, 0x6) # sets bit 20 to 0, bits 21 and 22 to 1 w = bitfield_update(w, 20, None, 0x7) # assuming w is 32 bits, sets bits 31..20 = 0x7 w = bitfield_update(w, -1, None, 0x1) # set the LSB (bit) to 1 """ from .corecircuits import concat_list w = as_wires(w) idxs = list(range(len(w))) # we make a list of integers and slice those up to use as indexes idxs_lower = idxs[0:range_start] idxs_middle = idxs[range_start:range_end] idxs_upper = idxs[range_end:] if len(idxs_middle) == 0: raise PyrtlError('Cannot update bitfield of size 0 (i.e. there are no bits to update)') newvalue = as_wires(newvalue, bitwidth=len(idxs_middle), truncating=truncating) if len(idxs_middle) != len(newvalue): raise PyrtlError('Cannot update bitfield of length %d with value of length %d ' 'unless truncating=True is specified' % (len(idxs_middle), len(newvalue))) result_list = [] if idxs_lower: result_list.append(w[idxs_lower[0]:idxs_lower[-1]+1]) result_list.append(newvalue) if idxs_upper: result_list.append(w[idxs_upper[0]:idxs_upper[-1]+1]) result = concat_list(result_list) if len(result) != len(w): raise PyrtlInternalError('len(result)=%d, len(original)=%d' % (len(result), len(w))) return result
python
def bitfield_update(w, range_start, range_end, newvalue, truncating=False): from .corecircuits import concat_list w = as_wires(w) idxs = list(range(len(w))) # we make a list of integers and slice those up to use as indexes idxs_lower = idxs[0:range_start] idxs_middle = idxs[range_start:range_end] idxs_upper = idxs[range_end:] if len(idxs_middle) == 0: raise PyrtlError('Cannot update bitfield of size 0 (i.e. there are no bits to update)') newvalue = as_wires(newvalue, bitwidth=len(idxs_middle), truncating=truncating) if len(idxs_middle) != len(newvalue): raise PyrtlError('Cannot update bitfield of length %d with value of length %d ' 'unless truncating=True is specified' % (len(idxs_middle), len(newvalue))) result_list = [] if idxs_lower: result_list.append(w[idxs_lower[0]:idxs_lower[-1]+1]) result_list.append(newvalue) if idxs_upper: result_list.append(w[idxs_upper[0]:idxs_upper[-1]+1]) result = concat_list(result_list) if len(result) != len(w): raise PyrtlInternalError('len(result)=%d, len(original)=%d' % (len(result), len(w))) return result
[ "def", "bitfield_update", "(", "w", ",", "range_start", ",", "range_end", ",", "newvalue", ",", "truncating", "=", "False", ")", ":", "from", ".", "corecircuits", "import", "concat_list", "w", "=", "as_wires", "(", "w", ")", "idxs", "=", "list", "(", "range", "(", "len", "(", "w", ")", ")", ")", "# we make a list of integers and slice those up to use as indexes", "idxs_lower", "=", "idxs", "[", "0", ":", "range_start", "]", "idxs_middle", "=", "idxs", "[", "range_start", ":", "range_end", "]", "idxs_upper", "=", "idxs", "[", "range_end", ":", "]", "if", "len", "(", "idxs_middle", ")", "==", "0", ":", "raise", "PyrtlError", "(", "'Cannot update bitfield of size 0 (i.e. there are no bits to update)'", ")", "newvalue", "=", "as_wires", "(", "newvalue", ",", "bitwidth", "=", "len", "(", "idxs_middle", ")", ",", "truncating", "=", "truncating", ")", "if", "len", "(", "idxs_middle", ")", "!=", "len", "(", "newvalue", ")", ":", "raise", "PyrtlError", "(", "'Cannot update bitfield of length %d with value of length %d '", "'unless truncating=True is specified'", "%", "(", "len", "(", "idxs_middle", ")", ",", "len", "(", "newvalue", ")", ")", ")", "result_list", "=", "[", "]", "if", "idxs_lower", ":", "result_list", ".", "append", "(", "w", "[", "idxs_lower", "[", "0", "]", ":", "idxs_lower", "[", "-", "1", "]", "+", "1", "]", ")", "result_list", ".", "append", "(", "newvalue", ")", "if", "idxs_upper", ":", "result_list", ".", "append", "(", "w", "[", "idxs_upper", "[", "0", "]", ":", "idxs_upper", "[", "-", "1", "]", "+", "1", "]", ")", "result", "=", "concat_list", "(", "result_list", ")", "if", "len", "(", "result", ")", "!=", "len", "(", "w", ")", ":", "raise", "PyrtlInternalError", "(", "'len(result)=%d, len(original)=%d'", "%", "(", "len", "(", "result", ")", ",", "len", "(", "w", ")", ")", ")", "return", "result" ]
Return wirevector w but with some of the bits overwritten by newvalue. :param w: a wirevector to use as the starting point for the update :param range_start: the start of the range of bits to be updated :param range_end: the end of the range of bits to be updated :param newvalue: the value to be written in to the start:end range :param truncating: if true, clip the newvalue to be the proper number of bits Given a wirevector w, this function returns a new wirevector that is identical to w except in the range of bits specified. In that specified range, the value newvalue is swapped in. For example: `bitfield_update(w, 20, 23, 0x7)` will return return a wirevector of the same length as w, and with the same values as w, but with bits 20, 21, and 22 all set to 1. Note that range_start and range_end will be inputs to a slice and so standar Python slicing rules apply (e.g. negative values for end-relative indexing and support for None). :: w = bitfield_update(w, 20, 23, 0x7) # sets bits 20, 21, 22 to 1 w = bitfield_update(w, 20, 23, 0x6) # sets bit 20 to 0, bits 21 and 22 to 1 w = bitfield_update(w, 20, None, 0x7) # assuming w is 32 bits, sets bits 31..20 = 0x7 w = bitfield_update(w, -1, None, 0x1) # set the LSB (bit) to 1
[ "Return", "wirevector", "w", "but", "with", "some", "of", "the", "bits", "overwritten", "by", "newvalue", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/corecircuits.py#L391-L441
3,055
UCSBarchlab/PyRTL
pyrtl/corecircuits.py
enum_mux
def enum_mux(cntrl, table, default=None, strict=True): """ Build a mux for the control signals specified by an enum. :param cntrl: is a wirevector and control for the mux. :param table: is a dictionary of the form mapping enum->wirevector. :param default: is a wirevector to use when the key is not present. In addtion it is possible to use the key 'otherwise' to specify a default value, but it is an error if both are supplied. :param strict: is flag, that when set, will cause enum_mux to check that the dictionary has an entry for every possible value in the enum. Note that if a default is set, then this check is not performed as the default will provide valid values for any underspecified keys. :return: a wirevector which is the result of the mux. :: class Command(Enum): ADD = 1 SUB = 2 enum_mux(cntrl, {ADD: a+b, SUB: a-b}) enum_mux(cntrl, {ADD: a+b}, strict=False) # SUB case undefined enum_mux(cntrl, {ADD: a+b, otherwise: a-b}) enum_mux(cntrl, {ADD: a+b}, default=a-b) """ # check dictionary keys are of the right type keytypeset = set(type(x) for x in table.keys() if x is not otherwise) if len(keytypeset) != 1: raise PyrtlError('table mixes multiple types {} as keys'.format(keytypeset)) keytype = list(keytypeset)[0] # check that dictionary is complete for the enum try: enumkeys = list(keytype.__members__.values()) except AttributeError: raise PyrtlError('type {} not an Enum and does not support the same interface' .format(keytype)) missingkeys = [e for e in enumkeys if e not in table] # check for "otherwise" in table and move it to a default if otherwise in table: if default is not None: raise PyrtlError('both "otherwise" and default provided to enum_mux') else: default = table[otherwise] if strict and default is None and missingkeys: raise PyrtlError('table provided is incomplete, missing: {}'.format(missingkeys)) # generate the actual mux vals = {k.value: d for k, d in table.items() if k is not otherwise} if default is not None: vals['default'] = default return muxes.sparse_mux(cntrl, vals)
python
def enum_mux(cntrl, table, default=None, strict=True): # check dictionary keys are of the right type keytypeset = set(type(x) for x in table.keys() if x is not otherwise) if len(keytypeset) != 1: raise PyrtlError('table mixes multiple types {} as keys'.format(keytypeset)) keytype = list(keytypeset)[0] # check that dictionary is complete for the enum try: enumkeys = list(keytype.__members__.values()) except AttributeError: raise PyrtlError('type {} not an Enum and does not support the same interface' .format(keytype)) missingkeys = [e for e in enumkeys if e not in table] # check for "otherwise" in table and move it to a default if otherwise in table: if default is not None: raise PyrtlError('both "otherwise" and default provided to enum_mux') else: default = table[otherwise] if strict and default is None and missingkeys: raise PyrtlError('table provided is incomplete, missing: {}'.format(missingkeys)) # generate the actual mux vals = {k.value: d for k, d in table.items() if k is not otherwise} if default is not None: vals['default'] = default return muxes.sparse_mux(cntrl, vals)
[ "def", "enum_mux", "(", "cntrl", ",", "table", ",", "default", "=", "None", ",", "strict", "=", "True", ")", ":", "# check dictionary keys are of the right type", "keytypeset", "=", "set", "(", "type", "(", "x", ")", "for", "x", "in", "table", ".", "keys", "(", ")", "if", "x", "is", "not", "otherwise", ")", "if", "len", "(", "keytypeset", ")", "!=", "1", ":", "raise", "PyrtlError", "(", "'table mixes multiple types {} as keys'", ".", "format", "(", "keytypeset", ")", ")", "keytype", "=", "list", "(", "keytypeset", ")", "[", "0", "]", "# check that dictionary is complete for the enum", "try", ":", "enumkeys", "=", "list", "(", "keytype", ".", "__members__", ".", "values", "(", ")", ")", "except", "AttributeError", ":", "raise", "PyrtlError", "(", "'type {} not an Enum and does not support the same interface'", ".", "format", "(", "keytype", ")", ")", "missingkeys", "=", "[", "e", "for", "e", "in", "enumkeys", "if", "e", "not", "in", "table", "]", "# check for \"otherwise\" in table and move it to a default", "if", "otherwise", "in", "table", ":", "if", "default", "is", "not", "None", ":", "raise", "PyrtlError", "(", "'both \"otherwise\" and default provided to enum_mux'", ")", "else", ":", "default", "=", "table", "[", "otherwise", "]", "if", "strict", "and", "default", "is", "None", "and", "missingkeys", ":", "raise", "PyrtlError", "(", "'table provided is incomplete, missing: {}'", ".", "format", "(", "missingkeys", ")", ")", "# generate the actual mux", "vals", "=", "{", "k", ".", "value", ":", "d", "for", "k", ",", "d", "in", "table", ".", "items", "(", ")", "if", "k", "is", "not", "otherwise", "}", "if", "default", "is", "not", "None", ":", "vals", "[", "'default'", "]", "=", "default", "return", "muxes", ".", "sparse_mux", "(", "cntrl", ",", "vals", ")" ]
Build a mux for the control signals specified by an enum. :param cntrl: is a wirevector and control for the mux. :param table: is a dictionary of the form mapping enum->wirevector. :param default: is a wirevector to use when the key is not present. In addtion it is possible to use the key 'otherwise' to specify a default value, but it is an error if both are supplied. :param strict: is flag, that when set, will cause enum_mux to check that the dictionary has an entry for every possible value in the enum. Note that if a default is set, then this check is not performed as the default will provide valid values for any underspecified keys. :return: a wirevector which is the result of the mux. :: class Command(Enum): ADD = 1 SUB = 2 enum_mux(cntrl, {ADD: a+b, SUB: a-b}) enum_mux(cntrl, {ADD: a+b}, strict=False) # SUB case undefined enum_mux(cntrl, {ADD: a+b, otherwise: a-b}) enum_mux(cntrl, {ADD: a+b}, default=a-b)
[ "Build", "a", "mux", "for", "the", "control", "signals", "specified", "by", "an", "enum", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/corecircuits.py#L444-L495
3,056
UCSBarchlab/PyRTL
pyrtl/corecircuits.py
rtl_any
def rtl_any(*vectorlist): """ Hardware equivalent of python native "any". :param WireVector vectorlist: all arguments are WireVectors of length 1 :return: WireVector of length 1 Returns a 1-bit WireVector which will hold a '1' if any of the inputs are '1' (i.e. it is a big ol' OR gate) """ if len(vectorlist) <= 0: raise PyrtlError('rtl_any requires at least 1 argument') converted_vectorlist = [as_wires(v) for v in vectorlist] if any(len(v) != 1 for v in converted_vectorlist): raise PyrtlError('only length 1 WireVectors can be inputs to rtl_any') return or_all_bits(concat_list(converted_vectorlist))
python
def rtl_any(*vectorlist): if len(vectorlist) <= 0: raise PyrtlError('rtl_any requires at least 1 argument') converted_vectorlist = [as_wires(v) for v in vectorlist] if any(len(v) != 1 for v in converted_vectorlist): raise PyrtlError('only length 1 WireVectors can be inputs to rtl_any') return or_all_bits(concat_list(converted_vectorlist))
[ "def", "rtl_any", "(", "*", "vectorlist", ")", ":", "if", "len", "(", "vectorlist", ")", "<=", "0", ":", "raise", "PyrtlError", "(", "'rtl_any requires at least 1 argument'", ")", "converted_vectorlist", "=", "[", "as_wires", "(", "v", ")", "for", "v", "in", "vectorlist", "]", "if", "any", "(", "len", "(", "v", ")", "!=", "1", "for", "v", "in", "converted_vectorlist", ")", ":", "raise", "PyrtlError", "(", "'only length 1 WireVectors can be inputs to rtl_any'", ")", "return", "or_all_bits", "(", "concat_list", "(", "converted_vectorlist", ")", ")" ]
Hardware equivalent of python native "any". :param WireVector vectorlist: all arguments are WireVectors of length 1 :return: WireVector of length 1 Returns a 1-bit WireVector which will hold a '1' if any of the inputs are '1' (i.e. it is a big ol' OR gate)
[ "Hardware", "equivalent", "of", "python", "native", "any", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/corecircuits.py#L548-L562
3,057
UCSBarchlab/PyRTL
pyrtl/corecircuits.py
rtl_all
def rtl_all(*vectorlist): """ Hardware equivalent of python native "all". :param WireVector vectorlist: all arguments are WireVectors of length 1 :return: WireVector of length 1 Returns a 1-bit WireVector which will hold a '1' only if all of the inputs are '1' (i.e. it is a big ol' AND gate) """ if len(vectorlist) <= 0: raise PyrtlError('rtl_all requires at least 1 argument') converted_vectorlist = [as_wires(v) for v in vectorlist] if any(len(v) != 1 for v in converted_vectorlist): raise PyrtlError('only length 1 WireVectors can be inputs to rtl_all') return and_all_bits(concat_list(converted_vectorlist))
python
def rtl_all(*vectorlist): if len(vectorlist) <= 0: raise PyrtlError('rtl_all requires at least 1 argument') converted_vectorlist = [as_wires(v) for v in vectorlist] if any(len(v) != 1 for v in converted_vectorlist): raise PyrtlError('only length 1 WireVectors can be inputs to rtl_all') return and_all_bits(concat_list(converted_vectorlist))
[ "def", "rtl_all", "(", "*", "vectorlist", ")", ":", "if", "len", "(", "vectorlist", ")", "<=", "0", ":", "raise", "PyrtlError", "(", "'rtl_all requires at least 1 argument'", ")", "converted_vectorlist", "=", "[", "as_wires", "(", "v", ")", "for", "v", "in", "vectorlist", "]", "if", "any", "(", "len", "(", "v", ")", "!=", "1", "for", "v", "in", "converted_vectorlist", ")", ":", "raise", "PyrtlError", "(", "'only length 1 WireVectors can be inputs to rtl_all'", ")", "return", "and_all_bits", "(", "concat_list", "(", "converted_vectorlist", ")", ")" ]
Hardware equivalent of python native "all". :param WireVector vectorlist: all arguments are WireVectors of length 1 :return: WireVector of length 1 Returns a 1-bit WireVector which will hold a '1' only if all of the inputs are '1' (i.e. it is a big ol' AND gate)
[ "Hardware", "equivalent", "of", "python", "native", "all", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/corecircuits.py#L565-L579
3,058
UCSBarchlab/PyRTL
pyrtl/corecircuits.py
_basic_mult
def _basic_mult(A, B): """ A stripped-down copy of the Wallace multiplier in rtllib """ if len(B) == 1: A, B = B, A # so that we can reuse the code below :) if len(A) == 1: return concat_list(list(A & b for b in B) + [Const(0)]) # keep WireVector len consistent result_bitwidth = len(A) + len(B) bits = [[] for weight in range(result_bitwidth)] for i, a in enumerate(A): for j, b in enumerate(B): bits[i + j].append(a & b) while not all(len(i) <= 2 for i in bits): deferred = [[] for weight in range(result_bitwidth + 1)] for i, w_array in enumerate(bits): # Start with low weights and start reducing while len(w_array) >= 3: # build a new full adder a, b, cin = (w_array.pop(0) for j in range(3)) deferred[i].append(a ^ b ^ cin) deferred[i + 1].append(a & b | a & cin | b & cin) if len(w_array) == 2: a, b = w_array deferred[i].append(a ^ b) deferred[i + 1].append(a & b) else: deferred[i].extend(w_array) bits = deferred[:result_bitwidth] import six add_wires = tuple(six.moves.zip_longest(*bits, fillvalue=Const(0))) adder_result = concat_list(add_wires[0]) + concat_list(add_wires[1]) return adder_result[:result_bitwidth]
python
def _basic_mult(A, B): if len(B) == 1: A, B = B, A # so that we can reuse the code below :) if len(A) == 1: return concat_list(list(A & b for b in B) + [Const(0)]) # keep WireVector len consistent result_bitwidth = len(A) + len(B) bits = [[] for weight in range(result_bitwidth)] for i, a in enumerate(A): for j, b in enumerate(B): bits[i + j].append(a & b) while not all(len(i) <= 2 for i in bits): deferred = [[] for weight in range(result_bitwidth + 1)] for i, w_array in enumerate(bits): # Start with low weights and start reducing while len(w_array) >= 3: # build a new full adder a, b, cin = (w_array.pop(0) for j in range(3)) deferred[i].append(a ^ b ^ cin) deferred[i + 1].append(a & b | a & cin | b & cin) if len(w_array) == 2: a, b = w_array deferred[i].append(a ^ b) deferred[i + 1].append(a & b) else: deferred[i].extend(w_array) bits = deferred[:result_bitwidth] import six add_wires = tuple(six.moves.zip_longest(*bits, fillvalue=Const(0))) adder_result = concat_list(add_wires[0]) + concat_list(add_wires[1]) return adder_result[:result_bitwidth]
[ "def", "_basic_mult", "(", "A", ",", "B", ")", ":", "if", "len", "(", "B", ")", "==", "1", ":", "A", ",", "B", "=", "B", ",", "A", "# so that we can reuse the code below :)", "if", "len", "(", "A", ")", "==", "1", ":", "return", "concat_list", "(", "list", "(", "A", "&", "b", "for", "b", "in", "B", ")", "+", "[", "Const", "(", "0", ")", "]", ")", "# keep WireVector len consistent", "result_bitwidth", "=", "len", "(", "A", ")", "+", "len", "(", "B", ")", "bits", "=", "[", "[", "]", "for", "weight", "in", "range", "(", "result_bitwidth", ")", "]", "for", "i", ",", "a", "in", "enumerate", "(", "A", ")", ":", "for", "j", ",", "b", "in", "enumerate", "(", "B", ")", ":", "bits", "[", "i", "+", "j", "]", ".", "append", "(", "a", "&", "b", ")", "while", "not", "all", "(", "len", "(", "i", ")", "<=", "2", "for", "i", "in", "bits", ")", ":", "deferred", "=", "[", "[", "]", "for", "weight", "in", "range", "(", "result_bitwidth", "+", "1", ")", "]", "for", "i", ",", "w_array", "in", "enumerate", "(", "bits", ")", ":", "# Start with low weights and start reducing", "while", "len", "(", "w_array", ")", ">=", "3", ":", "# build a new full adder", "a", ",", "b", ",", "cin", "=", "(", "w_array", ".", "pop", "(", "0", ")", "for", "j", "in", "range", "(", "3", ")", ")", "deferred", "[", "i", "]", ".", "append", "(", "a", "^", "b", "^", "cin", ")", "deferred", "[", "i", "+", "1", "]", ".", "append", "(", "a", "&", "b", "|", "a", "&", "cin", "|", "b", "&", "cin", ")", "if", "len", "(", "w_array", ")", "==", "2", ":", "a", ",", "b", "=", "w_array", "deferred", "[", "i", "]", ".", "append", "(", "a", "^", "b", ")", "deferred", "[", "i", "+", "1", "]", ".", "append", "(", "a", "&", "b", ")", "else", ":", "deferred", "[", "i", "]", ".", "extend", "(", "w_array", ")", "bits", "=", "deferred", "[", ":", "result_bitwidth", "]", "import", "six", "add_wires", "=", "tuple", "(", "six", ".", "moves", ".", "zip_longest", "(", "*", "bits", ",", "fillvalue", "=", "Const", "(", "0", ")", ")", ")", "adder_result", "=", "concat_list", "(", "add_wires", "[", "0", "]", ")", "+", "concat_list", "(", "add_wires", "[", "1", "]", ")", "return", "adder_result", "[", ":", "result_bitwidth", "]" ]
A stripped-down copy of the Wallace multiplier in rtllib
[ "A", "stripped", "-", "down", "copy", "of", "the", "Wallace", "multiplier", "in", "rtllib" ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/corecircuits.py#L582-L613
3,059
UCSBarchlab/PyRTL
pyrtl/conditional.py
_push_condition
def _push_condition(predicate): """As we enter new conditions, this pushes them on the predicate stack.""" global _depth _check_under_condition() _depth += 1 if predicate is not otherwise and len(predicate) > 1: raise PyrtlError('all predicates for conditional assignments must wirevectors of len 1') _conditions_list_stack[-1].append(predicate) _conditions_list_stack.append([])
python
def _push_condition(predicate): global _depth _check_under_condition() _depth += 1 if predicate is not otherwise and len(predicate) > 1: raise PyrtlError('all predicates for conditional assignments must wirevectors of len 1') _conditions_list_stack[-1].append(predicate) _conditions_list_stack.append([])
[ "def", "_push_condition", "(", "predicate", ")", ":", "global", "_depth", "_check_under_condition", "(", ")", "_depth", "+=", "1", "if", "predicate", "is", "not", "otherwise", "and", "len", "(", "predicate", ")", ">", "1", ":", "raise", "PyrtlError", "(", "'all predicates for conditional assignments must wirevectors of len 1'", ")", "_conditions_list_stack", "[", "-", "1", "]", ".", "append", "(", "predicate", ")", "_conditions_list_stack", ".", "append", "(", "[", "]", ")" ]
As we enter new conditions, this pushes them on the predicate stack.
[ "As", "we", "enter", "new", "conditions", "this", "pushes", "them", "on", "the", "predicate", "stack", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/conditional.py#L119-L127
3,060
UCSBarchlab/PyRTL
pyrtl/conditional.py
_build
def _build(lhs, rhs): """Stores the wire assignment details until finalize is called.""" _check_under_condition() final_predicate, pred_set = _current_select() _check_and_add_pred_set(lhs, pred_set) _predicate_map.setdefault(lhs, []).append((final_predicate, rhs))
python
def _build(lhs, rhs): _check_under_condition() final_predicate, pred_set = _current_select() _check_and_add_pred_set(lhs, pred_set) _predicate_map.setdefault(lhs, []).append((final_predicate, rhs))
[ "def", "_build", "(", "lhs", ",", "rhs", ")", ":", "_check_under_condition", "(", ")", "final_predicate", ",", "pred_set", "=", "_current_select", "(", ")", "_check_and_add_pred_set", "(", "lhs", ",", "pred_set", ")", "_predicate_map", ".", "setdefault", "(", "lhs", ",", "[", "]", ")", ".", "append", "(", "(", "final_predicate", ",", "rhs", ")", ")" ]
Stores the wire assignment details until finalize is called.
[ "Stores", "the", "wire", "assignment", "details", "until", "finalize", "is", "called", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/conditional.py#L138-L143
3,061
UCSBarchlab/PyRTL
pyrtl/conditional.py
_pred_sets_are_in_conflict
def _pred_sets_are_in_conflict(pred_set_a, pred_set_b): """ Find conflict in sets, return conflict if found, else None. """ # pred_sets conflict if we cannot find one shared predicate that is "negated" in one # and "non-negated" in the other for pred_a, bool_a in pred_set_a: for pred_b, bool_b in pred_set_b: if pred_a is pred_b and bool_a != bool_b: return False return True
python
def _pred_sets_are_in_conflict(pred_set_a, pred_set_b): # pred_sets conflict if we cannot find one shared predicate that is "negated" in one # and "non-negated" in the other for pred_a, bool_a in pred_set_a: for pred_b, bool_b in pred_set_b: if pred_a is pred_b and bool_a != bool_b: return False return True
[ "def", "_pred_sets_are_in_conflict", "(", "pred_set_a", ",", "pred_set_b", ")", ":", "# pred_sets conflict if we cannot find one shared predicate that is \"negated\" in one", "# and \"non-negated\" in the other", "for", "pred_a", ",", "bool_a", "in", "pred_set_a", ":", "for", "pred_b", ",", "bool_b", "in", "pred_set_b", ":", "if", "pred_a", "is", "pred_b", "and", "bool_a", "!=", "bool_b", ":", "return", "False", "return", "True" ]
Find conflict in sets, return conflict if found, else None.
[ "Find", "conflict", "in", "sets", "return", "conflict", "if", "found", "else", "None", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/conditional.py#L171-L179
3,062
UCSBarchlab/PyRTL
pyrtl/conditional.py
_finalize
def _finalize(): """Build the required muxes and call back to WireVector to finalize the wirevector build.""" from .memory import MemBlock from pyrtl.corecircuits import select for lhs in _predicate_map: # handle memory write ports if isinstance(lhs, MemBlock): p, (addr, data, enable) = _predicate_map[lhs][0] combined_enable = select(p, truecase=enable, falsecase=Const(0)) combined_addr = addr combined_data = data for p, (addr, data, enable) in _predicate_map[lhs][1:]: combined_enable = select(p, truecase=enable, falsecase=combined_enable) combined_addr = select(p, truecase=addr, falsecase=combined_addr) combined_data = select(p, truecase=data, falsecase=combined_data) lhs._build(combined_addr, combined_data, combined_enable) # handle wirevector and register assignments else: if isinstance(lhs, Register): result = lhs # default for registers is "self" elif isinstance(lhs, WireVector): result = 0 # default for wire is "0" else: raise PyrtlInternalError('unknown assignment in finalize') predlist = _predicate_map[lhs] for p, rhs in predlist: result = select(p, truecase=rhs, falsecase=result) lhs._build(result)
python
def _finalize(): from .memory import MemBlock from pyrtl.corecircuits import select for lhs in _predicate_map: # handle memory write ports if isinstance(lhs, MemBlock): p, (addr, data, enable) = _predicate_map[lhs][0] combined_enable = select(p, truecase=enable, falsecase=Const(0)) combined_addr = addr combined_data = data for p, (addr, data, enable) in _predicate_map[lhs][1:]: combined_enable = select(p, truecase=enable, falsecase=combined_enable) combined_addr = select(p, truecase=addr, falsecase=combined_addr) combined_data = select(p, truecase=data, falsecase=combined_data) lhs._build(combined_addr, combined_data, combined_enable) # handle wirevector and register assignments else: if isinstance(lhs, Register): result = lhs # default for registers is "self" elif isinstance(lhs, WireVector): result = 0 # default for wire is "0" else: raise PyrtlInternalError('unknown assignment in finalize') predlist = _predicate_map[lhs] for p, rhs in predlist: result = select(p, truecase=rhs, falsecase=result) lhs._build(result)
[ "def", "_finalize", "(", ")", ":", "from", ".", "memory", "import", "MemBlock", "from", "pyrtl", ".", "corecircuits", "import", "select", "for", "lhs", "in", "_predicate_map", ":", "# handle memory write ports", "if", "isinstance", "(", "lhs", ",", "MemBlock", ")", ":", "p", ",", "(", "addr", ",", "data", ",", "enable", ")", "=", "_predicate_map", "[", "lhs", "]", "[", "0", "]", "combined_enable", "=", "select", "(", "p", ",", "truecase", "=", "enable", ",", "falsecase", "=", "Const", "(", "0", ")", ")", "combined_addr", "=", "addr", "combined_data", "=", "data", "for", "p", ",", "(", "addr", ",", "data", ",", "enable", ")", "in", "_predicate_map", "[", "lhs", "]", "[", "1", ":", "]", ":", "combined_enable", "=", "select", "(", "p", ",", "truecase", "=", "enable", ",", "falsecase", "=", "combined_enable", ")", "combined_addr", "=", "select", "(", "p", ",", "truecase", "=", "addr", ",", "falsecase", "=", "combined_addr", ")", "combined_data", "=", "select", "(", "p", ",", "truecase", "=", "data", ",", "falsecase", "=", "combined_data", ")", "lhs", ".", "_build", "(", "combined_addr", ",", "combined_data", ",", "combined_enable", ")", "# handle wirevector and register assignments", "else", ":", "if", "isinstance", "(", "lhs", ",", "Register", ")", ":", "result", "=", "lhs", "# default for registers is \"self\"", "elif", "isinstance", "(", "lhs", ",", "WireVector", ")", ":", "result", "=", "0", "# default for wire is \"0\"", "else", ":", "raise", "PyrtlInternalError", "(", "'unknown assignment in finalize'", ")", "predlist", "=", "_predicate_map", "[", "lhs", "]", "for", "p", ",", "rhs", "in", "predlist", ":", "result", "=", "select", "(", "p", ",", "truecase", "=", "rhs", ",", "falsecase", "=", "result", ")", "lhs", ".", "_build", "(", "result", ")" ]
Build the required muxes and call back to WireVector to finalize the wirevector build.
[ "Build", "the", "required", "muxes", "and", "call", "back", "to", "WireVector", "to", "finalize", "the", "wirevector", "build", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/conditional.py#L182-L212
3,063
UCSBarchlab/PyRTL
pyrtl/conditional.py
_current_select
def _current_select(): """ Function to calculate the current "predicate" in the current context. Returns a tuple of information: (predicate, pred_set). The value pred_set is a set([ (predicate, bool), ... ]) as described in the _reset_conditional_state """ # helper to create the conjuction of predicates def and_with_possible_none(a, b): assert(a is not None or b is not None) if a is None: return b if b is None: return a return a & b def between_otherwise_and_current(predlist): lastother = None for i, p in enumerate(predlist[:-1]): if p is otherwise: lastother = i if lastother is None: return predlist[:-1] else: return predlist[lastother+1:-1] select = None pred_set = set() # for all conditions except the current children (which should be []) for predlist in _conditions_list_stack[:-1]: # negate all of the predicates between "otherwise" and the current one for predicate in between_otherwise_and_current(predlist): select = and_with_possible_none(select, ~predicate) pred_set.add((predicate, True)) # include the predicate for the current one (not negated) if predlist[-1] is not otherwise: predicate = predlist[-1] select = and_with_possible_none(select, predicate) pred_set.add((predicate, False)) if select is None: raise PyrtlError('problem with conditional assignment') if len(select) != 1: raise PyrtlInternalError('conditional predicate with length greater than 1') return select, pred_set
python
def _current_select(): # helper to create the conjuction of predicates def and_with_possible_none(a, b): assert(a is not None or b is not None) if a is None: return b if b is None: return a return a & b def between_otherwise_and_current(predlist): lastother = None for i, p in enumerate(predlist[:-1]): if p is otherwise: lastother = i if lastother is None: return predlist[:-1] else: return predlist[lastother+1:-1] select = None pred_set = set() # for all conditions except the current children (which should be []) for predlist in _conditions_list_stack[:-1]: # negate all of the predicates between "otherwise" and the current one for predicate in between_otherwise_and_current(predlist): select = and_with_possible_none(select, ~predicate) pred_set.add((predicate, True)) # include the predicate for the current one (not negated) if predlist[-1] is not otherwise: predicate = predlist[-1] select = and_with_possible_none(select, predicate) pred_set.add((predicate, False)) if select is None: raise PyrtlError('problem with conditional assignment') if len(select) != 1: raise PyrtlInternalError('conditional predicate with length greater than 1') return select, pred_set
[ "def", "_current_select", "(", ")", ":", "# helper to create the conjuction of predicates", "def", "and_with_possible_none", "(", "a", ",", "b", ")", ":", "assert", "(", "a", "is", "not", "None", "or", "b", "is", "not", "None", ")", "if", "a", "is", "None", ":", "return", "b", "if", "b", "is", "None", ":", "return", "a", "return", "a", "&", "b", "def", "between_otherwise_and_current", "(", "predlist", ")", ":", "lastother", "=", "None", "for", "i", ",", "p", "in", "enumerate", "(", "predlist", "[", ":", "-", "1", "]", ")", ":", "if", "p", "is", "otherwise", ":", "lastother", "=", "i", "if", "lastother", "is", "None", ":", "return", "predlist", "[", ":", "-", "1", "]", "else", ":", "return", "predlist", "[", "lastother", "+", "1", ":", "-", "1", "]", "select", "=", "None", "pred_set", "=", "set", "(", ")", "# for all conditions except the current children (which should be [])", "for", "predlist", "in", "_conditions_list_stack", "[", ":", "-", "1", "]", ":", "# negate all of the predicates between \"otherwise\" and the current one", "for", "predicate", "in", "between_otherwise_and_current", "(", "predlist", ")", ":", "select", "=", "and_with_possible_none", "(", "select", ",", "~", "predicate", ")", "pred_set", ".", "add", "(", "(", "predicate", ",", "True", ")", ")", "# include the predicate for the current one (not negated)", "if", "predlist", "[", "-", "1", "]", "is", "not", "otherwise", ":", "predicate", "=", "predlist", "[", "-", "1", "]", "select", "=", "and_with_possible_none", "(", "select", ",", "predicate", ")", "pred_set", ".", "add", "(", "(", "predicate", ",", "False", ")", ")", "if", "select", "is", "None", ":", "raise", "PyrtlError", "(", "'problem with conditional assignment'", ")", "if", "len", "(", "select", ")", "!=", "1", ":", "raise", "PyrtlInternalError", "(", "'conditional predicate with length greater than 1'", ")", "return", "select", ",", "pred_set" ]
Function to calculate the current "predicate" in the current context. Returns a tuple of information: (predicate, pred_set). The value pred_set is a set([ (predicate, bool), ... ]) as described in the _reset_conditional_state
[ "Function", "to", "calculate", "the", "current", "predicate", "in", "the", "current", "context", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/conditional.py#L215-L262
3,064
UCSBarchlab/PyRTL
pyrtl/analysis/estimate.py
area_estimation
def area_estimation(tech_in_nm=130, block=None): """ Estimates the total area of the block. :param tech_in_nm: the size of the circuit technology to be estimated (for example, 65 is 65nm and 250 is 0.25um) :return: tuple of estimated areas (logic, mem) in terms of mm^2 The estimations are based off of 130nm stdcell designs for the logic, and custom memory blocks from the literature. The results are not fully validated and we do not recommend that this function be used in carrying out science for publication. """ def mem_area_estimate(tech_in_nm, bits, ports, is_rom): # http://www.cs.ucsb.edu/~sherwood/pubs/ICCD-srammodel.pdf # ROM is assumed to be 1/10th of area of SRAM tech_in_um = tech_in_nm / 1000.0 area_estimate = 0.001 * tech_in_um**2.07 * bits**0.9 * ports**0.7 + 0.0048 return area_estimate if not is_rom else area_estimate / 10.0 # Subset of the raw data gathered from yosys, mapping to vsclib 130nm library # Width Adder_Area Mult_Area (area in "tracks" as discussed below) # 8 211 2684 # 16 495 12742 # 32 1110 49319 # 64 2397 199175 # 128 4966 749828 def adder_stdcell_estimate(width): return width * 34.4 - 25.8 def multiplier_stdcell_estimate(width): if width == 1: return 5 elif width == 2: return 39 elif width == 3: return 219 else: return -958 + (150 * width) + (45 * width**2) def stdcell_estimate(net): if net.op in 'w~sc': return 0 elif net.op in '&|n': return 40/8.0 * len(net.args[0]) # 40 lambda elif net.op in '^=<>x': return 80/8.0 * len(net.args[0]) # 80 lambda elif net.op == 'r': return 144/8.0 * len(net.args[0]) # 144 lambda elif net.op in '+-': return adder_stdcell_estimate(len(net.args[0])) elif net.op == '*': return multiplier_stdcell_estimate(len(net.args[0])) elif net.op in 'm@': return 0 # memories handled elsewhere else: raise PyrtlInternalError('Unable to estimate the following net ' 'due to unimplemented op :\n%s' % str(net)) block = working_block(block) # The functions above were gathered and calibrated by mapping # reference designs to an openly available 130nm stdcell library. # http://www.vlsitechnology.org/html/vsc_description.html # http://www.vlsitechnology.org/html/cells/vsclib013/lib_gif_index.html # In a standard cell design, each gate takes up a length of standard "track" # in the chip. The functions above return that length for each of the different # types of functions in the units of "tracks". In the 130nm process used, # 1 lambda is 55nm, and 1 track is 8 lambda. # first, sum up the area of all of the logic elements (including registers) total_tracks = sum(stdcell_estimate(a_net) for a_net in block.logic) total_length_in_nm = total_tracks * 8 * 55 # each track is then 72 lambda tall, and converted from nm2 to mm2 area_in_mm2_for_130nm = (total_length_in_nm * (72 * 55)) / 1e12 # scaling from 130nm to the target tech logic_area = area_in_mm2_for_130nm / (130.0/tech_in_nm)**2 # now sum up the area of the memories mem_area = 0 for mem in set(net.op_param[1] for net in block.logic_subset('@m')): bits, ports, is_rom = _bits_ports_and_isrom_from_memory(mem) mem_area += mem_area_estimate(tech_in_nm, bits, ports, is_rom) return logic_area, mem_area
python
def area_estimation(tech_in_nm=130, block=None): def mem_area_estimate(tech_in_nm, bits, ports, is_rom): # http://www.cs.ucsb.edu/~sherwood/pubs/ICCD-srammodel.pdf # ROM is assumed to be 1/10th of area of SRAM tech_in_um = tech_in_nm / 1000.0 area_estimate = 0.001 * tech_in_um**2.07 * bits**0.9 * ports**0.7 + 0.0048 return area_estimate if not is_rom else area_estimate / 10.0 # Subset of the raw data gathered from yosys, mapping to vsclib 130nm library # Width Adder_Area Mult_Area (area in "tracks" as discussed below) # 8 211 2684 # 16 495 12742 # 32 1110 49319 # 64 2397 199175 # 128 4966 749828 def adder_stdcell_estimate(width): return width * 34.4 - 25.8 def multiplier_stdcell_estimate(width): if width == 1: return 5 elif width == 2: return 39 elif width == 3: return 219 else: return -958 + (150 * width) + (45 * width**2) def stdcell_estimate(net): if net.op in 'w~sc': return 0 elif net.op in '&|n': return 40/8.0 * len(net.args[0]) # 40 lambda elif net.op in '^=<>x': return 80/8.0 * len(net.args[0]) # 80 lambda elif net.op == 'r': return 144/8.0 * len(net.args[0]) # 144 lambda elif net.op in '+-': return adder_stdcell_estimate(len(net.args[0])) elif net.op == '*': return multiplier_stdcell_estimate(len(net.args[0])) elif net.op in 'm@': return 0 # memories handled elsewhere else: raise PyrtlInternalError('Unable to estimate the following net ' 'due to unimplemented op :\n%s' % str(net)) block = working_block(block) # The functions above were gathered and calibrated by mapping # reference designs to an openly available 130nm stdcell library. # http://www.vlsitechnology.org/html/vsc_description.html # http://www.vlsitechnology.org/html/cells/vsclib013/lib_gif_index.html # In a standard cell design, each gate takes up a length of standard "track" # in the chip. The functions above return that length for each of the different # types of functions in the units of "tracks". In the 130nm process used, # 1 lambda is 55nm, and 1 track is 8 lambda. # first, sum up the area of all of the logic elements (including registers) total_tracks = sum(stdcell_estimate(a_net) for a_net in block.logic) total_length_in_nm = total_tracks * 8 * 55 # each track is then 72 lambda tall, and converted from nm2 to mm2 area_in_mm2_for_130nm = (total_length_in_nm * (72 * 55)) / 1e12 # scaling from 130nm to the target tech logic_area = area_in_mm2_for_130nm / (130.0/tech_in_nm)**2 # now sum up the area of the memories mem_area = 0 for mem in set(net.op_param[1] for net in block.logic_subset('@m')): bits, ports, is_rom = _bits_ports_and_isrom_from_memory(mem) mem_area += mem_area_estimate(tech_in_nm, bits, ports, is_rom) return logic_area, mem_area
[ "def", "area_estimation", "(", "tech_in_nm", "=", "130", ",", "block", "=", "None", ")", ":", "def", "mem_area_estimate", "(", "tech_in_nm", ",", "bits", ",", "ports", ",", "is_rom", ")", ":", "# http://www.cs.ucsb.edu/~sherwood/pubs/ICCD-srammodel.pdf", "# ROM is assumed to be 1/10th of area of SRAM", "tech_in_um", "=", "tech_in_nm", "/", "1000.0", "area_estimate", "=", "0.001", "*", "tech_in_um", "**", "2.07", "*", "bits", "**", "0.9", "*", "ports", "**", "0.7", "+", "0.0048", "return", "area_estimate", "if", "not", "is_rom", "else", "area_estimate", "/", "10.0", "# Subset of the raw data gathered from yosys, mapping to vsclib 130nm library", "# Width Adder_Area Mult_Area (area in \"tracks\" as discussed below)", "# 8 211 2684", "# 16 495 12742", "# 32 1110 49319", "# 64 2397 199175", "# 128 4966 749828", "def", "adder_stdcell_estimate", "(", "width", ")", ":", "return", "width", "*", "34.4", "-", "25.8", "def", "multiplier_stdcell_estimate", "(", "width", ")", ":", "if", "width", "==", "1", ":", "return", "5", "elif", "width", "==", "2", ":", "return", "39", "elif", "width", "==", "3", ":", "return", "219", "else", ":", "return", "-", "958", "+", "(", "150", "*", "width", ")", "+", "(", "45", "*", "width", "**", "2", ")", "def", "stdcell_estimate", "(", "net", ")", ":", "if", "net", ".", "op", "in", "'w~sc'", ":", "return", "0", "elif", "net", ".", "op", "in", "'&|n'", ":", "return", "40", "/", "8.0", "*", "len", "(", "net", ".", "args", "[", "0", "]", ")", "# 40 lambda", "elif", "net", ".", "op", "in", "'^=<>x'", ":", "return", "80", "/", "8.0", "*", "len", "(", "net", ".", "args", "[", "0", "]", ")", "# 80 lambda", "elif", "net", ".", "op", "==", "'r'", ":", "return", "144", "/", "8.0", "*", "len", "(", "net", ".", "args", "[", "0", "]", ")", "# 144 lambda", "elif", "net", ".", "op", "in", "'+-'", ":", "return", "adder_stdcell_estimate", "(", "len", "(", "net", ".", "args", "[", "0", "]", ")", ")", "elif", "net", ".", "op", "==", "'*'", ":", "return", "multiplier_stdcell_estimate", "(", "len", "(", "net", ".", "args", "[", "0", "]", ")", ")", "elif", "net", ".", "op", "in", "'m@'", ":", "return", "0", "# memories handled elsewhere", "else", ":", "raise", "PyrtlInternalError", "(", "'Unable to estimate the following net '", "'due to unimplemented op :\\n%s'", "%", "str", "(", "net", ")", ")", "block", "=", "working_block", "(", "block", ")", "# The functions above were gathered and calibrated by mapping", "# reference designs to an openly available 130nm stdcell library.", "# http://www.vlsitechnology.org/html/vsc_description.html", "# http://www.vlsitechnology.org/html/cells/vsclib013/lib_gif_index.html", "# In a standard cell design, each gate takes up a length of standard \"track\"", "# in the chip. The functions above return that length for each of the different", "# types of functions in the units of \"tracks\". In the 130nm process used,", "# 1 lambda is 55nm, and 1 track is 8 lambda.", "# first, sum up the area of all of the logic elements (including registers)", "total_tracks", "=", "sum", "(", "stdcell_estimate", "(", "a_net", ")", "for", "a_net", "in", "block", ".", "logic", ")", "total_length_in_nm", "=", "total_tracks", "*", "8", "*", "55", "# each track is then 72 lambda tall, and converted from nm2 to mm2", "area_in_mm2_for_130nm", "=", "(", "total_length_in_nm", "*", "(", "72", "*", "55", ")", ")", "/", "1e12", "# scaling from 130nm to the target tech", "logic_area", "=", "area_in_mm2_for_130nm", "/", "(", "130.0", "/", "tech_in_nm", ")", "**", "2", "# now sum up the area of the memories", "mem_area", "=", "0", "for", "mem", "in", "set", "(", "net", ".", "op_param", "[", "1", "]", "for", "net", "in", "block", ".", "logic_subset", "(", "'@m'", ")", ")", ":", "bits", ",", "ports", ",", "is_rom", "=", "_bits_ports_and_isrom_from_memory", "(", "mem", ")", "mem_area", "+=", "mem_area_estimate", "(", "tech_in_nm", ",", "bits", ",", "ports", ",", "is_rom", ")", "return", "logic_area", ",", "mem_area" ]
Estimates the total area of the block. :param tech_in_nm: the size of the circuit technology to be estimated (for example, 65 is 65nm and 250 is 0.25um) :return: tuple of estimated areas (logic, mem) in terms of mm^2 The estimations are based off of 130nm stdcell designs for the logic, and custom memory blocks from the literature. The results are not fully validated and we do not recommend that this function be used in carrying out science for publication.
[ "Estimates", "the", "total", "area", "of", "the", "block", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/analysis/estimate.py#L29-L116
3,065
UCSBarchlab/PyRTL
pyrtl/analysis/estimate.py
_bits_ports_and_isrom_from_memory
def _bits_ports_and_isrom_from_memory(mem): """ Helper to extract mem bits and ports for estimation. """ is_rom = False bits = 2**mem.addrwidth * mem.bitwidth read_ports = len(mem.readport_nets) try: write_ports = len(mem.writeport_nets) except AttributeError: # dealing with ROMs if not isinstance(mem, RomBlock): raise PyrtlInternalError('Mem with no writeport_nets attribute' ' but not a ROM? Thats an error') write_ports = 0 is_rom = True ports = max(read_ports, write_ports) return bits, ports, is_rom
python
def _bits_ports_and_isrom_from_memory(mem): is_rom = False bits = 2**mem.addrwidth * mem.bitwidth read_ports = len(mem.readport_nets) try: write_ports = len(mem.writeport_nets) except AttributeError: # dealing with ROMs if not isinstance(mem, RomBlock): raise PyrtlInternalError('Mem with no writeport_nets attribute' ' but not a ROM? Thats an error') write_ports = 0 is_rom = True ports = max(read_ports, write_ports) return bits, ports, is_rom
[ "def", "_bits_ports_and_isrom_from_memory", "(", "mem", ")", ":", "is_rom", "=", "False", "bits", "=", "2", "**", "mem", ".", "addrwidth", "*", "mem", ".", "bitwidth", "read_ports", "=", "len", "(", "mem", ".", "readport_nets", ")", "try", ":", "write_ports", "=", "len", "(", "mem", ".", "writeport_nets", ")", "except", "AttributeError", ":", "# dealing with ROMs", "if", "not", "isinstance", "(", "mem", ",", "RomBlock", ")", ":", "raise", "PyrtlInternalError", "(", "'Mem with no writeport_nets attribute'", "' but not a ROM? Thats an error'", ")", "write_ports", "=", "0", "is_rom", "=", "True", "ports", "=", "max", "(", "read_ports", ",", "write_ports", ")", "return", "bits", ",", "ports", ",", "is_rom" ]
Helper to extract mem bits and ports for estimation.
[ "Helper", "to", "extract", "mem", "bits", "and", "ports", "for", "estimation", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/analysis/estimate.py#L119-L133
3,066
UCSBarchlab/PyRTL
pyrtl/analysis/estimate.py
yosys_area_delay
def yosys_area_delay(library, abc_cmd=None, block=None): """ Synthesize with Yosys and return estimate of area and delay. :param library: stdcell library file to target in liberty format :param abc_cmd: string of commands for yosys to pass to abc for synthesis :param block: pyrtl block to analyze :return: a tuple of numbers: area, delay The area and delay are returned in units as defined by the stdcell library. In the standard vsc 130nm library, the area is in a number of "tracks", each of which is about 1.74 square um (see area estimation for more details) and the delay is in ps. http://www.vlsitechnology.org/html/vsc_description.html May raise `PyrtlError` if yosys is not configured correctly, and `PyrtlInternalError` if the call to yosys was not able successfully """ if abc_cmd is None: abc_cmd = 'strash;scorr;ifraig;retime;dch,-f;map;print_stats;' else: # first, replace whitespace with commas as per yosys requirements re.sub(r"\s+", ',', abc_cmd) # then append with "print_stats" to generate the area and delay info abc_cmd = '%s;print_stats;' % abc_cmd def extract_area_delay_from_yosys_output(yosys_output): report_lines = [line for line in yosys_output.split('\n') if 'ABC: netlist' in line] area = re.match('.*area\s*=\s*([0-9\.]*)', report_lines[0]).group(1) delay = re.match('.*delay\s*=\s*([0-9\.]*)', report_lines[0]).group(1) return float(area), float(delay) yosys_arg_template = """-p read_verilog %s; synth -top toplevel; dfflibmap -liberty %s; abc -liberty %s -script +%s """ temp_d, temp_path = tempfile.mkstemp(suffix='.v') try: # write the verilog to a temp with os.fdopen(temp_d, 'w') as f: OutputToVerilog(f, block=block) # call yosys on the temp, and grab the output yosys_arg = yosys_arg_template % (temp_path, library, library, abc_cmd) yosys_output = subprocess.check_output(['yosys', yosys_arg]) area, delay = extract_area_delay_from_yosys_output(yosys_output) except (subprocess.CalledProcessError, ValueError) as e: print('Error with call to yosys...', file=sys.stderr) print('---------------------------------------------', file=sys.stderr) print(e.output, file=sys.stderr) print('---------------------------------------------', file=sys.stderr) raise PyrtlError('Yosys callfailed') except OSError as e: print('Error with call to yosys...', file=sys.stderr) raise PyrtlError('Call to yosys failed (not installed or on path?)') finally: os.remove(temp_path) return area, delay
python
def yosys_area_delay(library, abc_cmd=None, block=None): if abc_cmd is None: abc_cmd = 'strash;scorr;ifraig;retime;dch,-f;map;print_stats;' else: # first, replace whitespace with commas as per yosys requirements re.sub(r"\s+", ',', abc_cmd) # then append with "print_stats" to generate the area and delay info abc_cmd = '%s;print_stats;' % abc_cmd def extract_area_delay_from_yosys_output(yosys_output): report_lines = [line for line in yosys_output.split('\n') if 'ABC: netlist' in line] area = re.match('.*area\s*=\s*([0-9\.]*)', report_lines[0]).group(1) delay = re.match('.*delay\s*=\s*([0-9\.]*)', report_lines[0]).group(1) return float(area), float(delay) yosys_arg_template = """-p read_verilog %s; synth -top toplevel; dfflibmap -liberty %s; abc -liberty %s -script +%s """ temp_d, temp_path = tempfile.mkstemp(suffix='.v') try: # write the verilog to a temp with os.fdopen(temp_d, 'w') as f: OutputToVerilog(f, block=block) # call yosys on the temp, and grab the output yosys_arg = yosys_arg_template % (temp_path, library, library, abc_cmd) yosys_output = subprocess.check_output(['yosys', yosys_arg]) area, delay = extract_area_delay_from_yosys_output(yosys_output) except (subprocess.CalledProcessError, ValueError) as e: print('Error with call to yosys...', file=sys.stderr) print('---------------------------------------------', file=sys.stderr) print(e.output, file=sys.stderr) print('---------------------------------------------', file=sys.stderr) raise PyrtlError('Yosys callfailed') except OSError as e: print('Error with call to yosys...', file=sys.stderr) raise PyrtlError('Call to yosys failed (not installed or on path?)') finally: os.remove(temp_path) return area, delay
[ "def", "yosys_area_delay", "(", "library", ",", "abc_cmd", "=", "None", ",", "block", "=", "None", ")", ":", "if", "abc_cmd", "is", "None", ":", "abc_cmd", "=", "'strash;scorr;ifraig;retime;dch,-f;map;print_stats;'", "else", ":", "# first, replace whitespace with commas as per yosys requirements", "re", ".", "sub", "(", "r\"\\s+\"", ",", "','", ",", "abc_cmd", ")", "# then append with \"print_stats\" to generate the area and delay info", "abc_cmd", "=", "'%s;print_stats;'", "%", "abc_cmd", "def", "extract_area_delay_from_yosys_output", "(", "yosys_output", ")", ":", "report_lines", "=", "[", "line", "for", "line", "in", "yosys_output", ".", "split", "(", "'\\n'", ")", "if", "'ABC: netlist'", "in", "line", "]", "area", "=", "re", ".", "match", "(", "'.*area\\s*=\\s*([0-9\\.]*)'", ",", "report_lines", "[", "0", "]", ")", ".", "group", "(", "1", ")", "delay", "=", "re", ".", "match", "(", "'.*delay\\s*=\\s*([0-9\\.]*)'", ",", "report_lines", "[", "0", "]", ")", ".", "group", "(", "1", ")", "return", "float", "(", "area", ")", ",", "float", "(", "delay", ")", "yosys_arg_template", "=", "\"\"\"-p\n read_verilog %s;\n synth -top toplevel;\n dfflibmap -liberty %s;\n abc -liberty %s -script +%s\n \"\"\"", "temp_d", ",", "temp_path", "=", "tempfile", ".", "mkstemp", "(", "suffix", "=", "'.v'", ")", "try", ":", "# write the verilog to a temp", "with", "os", ".", "fdopen", "(", "temp_d", ",", "'w'", ")", "as", "f", ":", "OutputToVerilog", "(", "f", ",", "block", "=", "block", ")", "# call yosys on the temp, and grab the output", "yosys_arg", "=", "yosys_arg_template", "%", "(", "temp_path", ",", "library", ",", "library", ",", "abc_cmd", ")", "yosys_output", "=", "subprocess", ".", "check_output", "(", "[", "'yosys'", ",", "yosys_arg", "]", ")", "area", ",", "delay", "=", "extract_area_delay_from_yosys_output", "(", "yosys_output", ")", "except", "(", "subprocess", ".", "CalledProcessError", ",", "ValueError", ")", "as", "e", ":", "print", "(", "'Error with call to yosys...'", ",", "file", "=", "sys", ".", "stderr", ")", "print", "(", "'---------------------------------------------'", ",", "file", "=", "sys", ".", "stderr", ")", "print", "(", "e", ".", "output", ",", "file", "=", "sys", ".", "stderr", ")", "print", "(", "'---------------------------------------------'", ",", "file", "=", "sys", ".", "stderr", ")", "raise", "PyrtlError", "(", "'Yosys callfailed'", ")", "except", "OSError", "as", "e", ":", "print", "(", "'Error with call to yosys...'", ",", "file", "=", "sys", ".", "stderr", ")", "raise", "PyrtlError", "(", "'Call to yosys failed (not installed or on path?)'", ")", "finally", ":", "os", ".", "remove", "(", "temp_path", ")", "return", "area", ",", "delay" ]
Synthesize with Yosys and return estimate of area and delay. :param library: stdcell library file to target in liberty format :param abc_cmd: string of commands for yosys to pass to abc for synthesis :param block: pyrtl block to analyze :return: a tuple of numbers: area, delay The area and delay are returned in units as defined by the stdcell library. In the standard vsc 130nm library, the area is in a number of "tracks", each of which is about 1.74 square um (see area estimation for more details) and the delay is in ps. http://www.vlsitechnology.org/html/vsc_description.html May raise `PyrtlError` if yosys is not configured correctly, and `PyrtlInternalError` if the call to yosys was not able successfully
[ "Synthesize", "with", "Yosys", "and", "return", "estimate", "of", "area", "and", "delay", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/analysis/estimate.py#L329-L389
3,067
UCSBarchlab/PyRTL
pyrtl/analysis/estimate.py
TimingAnalysis.max_freq
def max_freq(self, tech_in_nm=130, ffoverhead=None): """ Estimates the max frequency of a block in MHz. :param tech_in_nm: the size of the circuit technology to be estimated (for example, 65 is 65nm and 250 is 0.25um) :param ffoverhead: setup and ff propagation delay in picoseconds :return: a number representing an estimate of the max frequency in Mhz If a timing_map has already been generated by timing_analysis, it will be used to generate the estimate (and `gate_delay_funcs` will be ignored). Regardless, all params are optional and have reasonable default values. Estimation is based on Dennard Scaling assumption and does not include wiring effect -- as a result the estimates may be optimistic (especially below 65nm). """ cp_length = self.max_length() scale_factor = 130.0 / tech_in_nm if ffoverhead is None: clock_period_in_ps = scale_factor * (cp_length + 189 + 194) else: clock_period_in_ps = (scale_factor * cp_length) + ffoverhead return 1e6 * 1.0/clock_period_in_ps
python
def max_freq(self, tech_in_nm=130, ffoverhead=None): cp_length = self.max_length() scale_factor = 130.0 / tech_in_nm if ffoverhead is None: clock_period_in_ps = scale_factor * (cp_length + 189 + 194) else: clock_period_in_ps = (scale_factor * cp_length) + ffoverhead return 1e6 * 1.0/clock_period_in_ps
[ "def", "max_freq", "(", "self", ",", "tech_in_nm", "=", "130", ",", "ffoverhead", "=", "None", ")", ":", "cp_length", "=", "self", ".", "max_length", "(", ")", "scale_factor", "=", "130.0", "/", "tech_in_nm", "if", "ffoverhead", "is", "None", ":", "clock_period_in_ps", "=", "scale_factor", "*", "(", "cp_length", "+", "189", "+", "194", ")", "else", ":", "clock_period_in_ps", "=", "(", "scale_factor", "*", "cp_length", ")", "+", "ffoverhead", "return", "1e6", "*", "1.0", "/", "clock_period_in_ps" ]
Estimates the max frequency of a block in MHz. :param tech_in_nm: the size of the circuit technology to be estimated (for example, 65 is 65nm and 250 is 0.25um) :param ffoverhead: setup and ff propagation delay in picoseconds :return: a number representing an estimate of the max frequency in Mhz If a timing_map has already been generated by timing_analysis, it will be used to generate the estimate (and `gate_delay_funcs` will be ignored). Regardless, all params are optional and have reasonable default values. Estimation is based on Dennard Scaling assumption and does not include wiring effect -- as a result the estimates may be optimistic (especially below 65nm).
[ "Estimates", "the", "max", "frequency", "of", "a", "block", "in", "MHz", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/analysis/estimate.py#L234-L254
3,068
UCSBarchlab/PyRTL
pyrtl/analysis/estimate.py
TimingAnalysis.critical_path
def critical_path(self, print_cp=True, cp_limit=100): """ Takes a timing map and returns the critical paths of the system. :param print_cp: Whether to print the critical path to the terminal after calculation :return: a list containing tuples with the 'first' wire as the first value and the critical paths (which themselves are lists of nets) as the second """ critical_paths = [] # storage of all completed critical paths wire_src_map, dst_map = self.block.net_connections() def critical_path_pass(old_critical_path, first_wire): if isinstance(first_wire, (Input, Const, Register)): critical_paths.append((first_wire, old_critical_path)) return if len(critical_paths) >= cp_limit: raise self._TooManyCPsError() source = wire_src_map[first_wire] critical_path = [source] critical_path.extend(old_critical_path) arg_max_time = max(self.timing_map[arg_wire] for arg_wire in source.args) for arg_wire in source.args: # if the time for both items are the max, both will be on a critical path if self.timing_map[arg_wire] == arg_max_time: critical_path_pass(critical_path, arg_wire) max_time = self.max_length() try: for wire_pair in self.timing_map.items(): if wire_pair[1] == max_time: critical_path_pass([], wire_pair[0]) except self._TooManyCPsError: print("Critical path count limit reached") if print_cp: self.print_critical_paths(critical_paths) return critical_paths
python
def critical_path(self, print_cp=True, cp_limit=100): critical_paths = [] # storage of all completed critical paths wire_src_map, dst_map = self.block.net_connections() def critical_path_pass(old_critical_path, first_wire): if isinstance(first_wire, (Input, Const, Register)): critical_paths.append((first_wire, old_critical_path)) return if len(critical_paths) >= cp_limit: raise self._TooManyCPsError() source = wire_src_map[first_wire] critical_path = [source] critical_path.extend(old_critical_path) arg_max_time = max(self.timing_map[arg_wire] for arg_wire in source.args) for arg_wire in source.args: # if the time for both items are the max, both will be on a critical path if self.timing_map[arg_wire] == arg_max_time: critical_path_pass(critical_path, arg_wire) max_time = self.max_length() try: for wire_pair in self.timing_map.items(): if wire_pair[1] == max_time: critical_path_pass([], wire_pair[0]) except self._TooManyCPsError: print("Critical path count limit reached") if print_cp: self.print_critical_paths(critical_paths) return critical_paths
[ "def", "critical_path", "(", "self", ",", "print_cp", "=", "True", ",", "cp_limit", "=", "100", ")", ":", "critical_paths", "=", "[", "]", "# storage of all completed critical paths", "wire_src_map", ",", "dst_map", "=", "self", ".", "block", ".", "net_connections", "(", ")", "def", "critical_path_pass", "(", "old_critical_path", ",", "first_wire", ")", ":", "if", "isinstance", "(", "first_wire", ",", "(", "Input", ",", "Const", ",", "Register", ")", ")", ":", "critical_paths", ".", "append", "(", "(", "first_wire", ",", "old_critical_path", ")", ")", "return", "if", "len", "(", "critical_paths", ")", ">=", "cp_limit", ":", "raise", "self", ".", "_TooManyCPsError", "(", ")", "source", "=", "wire_src_map", "[", "first_wire", "]", "critical_path", "=", "[", "source", "]", "critical_path", ".", "extend", "(", "old_critical_path", ")", "arg_max_time", "=", "max", "(", "self", ".", "timing_map", "[", "arg_wire", "]", "for", "arg_wire", "in", "source", ".", "args", ")", "for", "arg_wire", "in", "source", ".", "args", ":", "# if the time for both items are the max, both will be on a critical path", "if", "self", ".", "timing_map", "[", "arg_wire", "]", "==", "arg_max_time", ":", "critical_path_pass", "(", "critical_path", ",", "arg_wire", ")", "max_time", "=", "self", ".", "max_length", "(", ")", "try", ":", "for", "wire_pair", "in", "self", ".", "timing_map", ".", "items", "(", ")", ":", "if", "wire_pair", "[", "1", "]", "==", "max_time", ":", "critical_path_pass", "(", "[", "]", ",", "wire_pair", "[", "0", "]", ")", "except", "self", ".", "_TooManyCPsError", ":", "print", "(", "\"Critical path count limit reached\"", ")", "if", "print_cp", ":", "self", ".", "print_critical_paths", "(", "critical_paths", ")", "return", "critical_paths" ]
Takes a timing map and returns the critical paths of the system. :param print_cp: Whether to print the critical path to the terminal after calculation :return: a list containing tuples with the 'first' wire as the first value and the critical paths (which themselves are lists of nets) as the second
[ "Takes", "a", "timing", "map", "and", "returns", "the", "critical", "paths", "of", "the", "system", "." ]
0988e5c9c10ededd5e1f58d5306603f9edf4b3e2
https://github.com/UCSBarchlab/PyRTL/blob/0988e5c9c10ededd5e1f58d5306603f9edf4b3e2/pyrtl/analysis/estimate.py#L267-L306
3,069
v1k45/python-qBittorrent
qbittorrent/client.py
Client._post
def _post(self, endpoint, data, **kwargs): """ Method to perform POST request on the API. :param endpoint: Endpoint of the API. :param data: POST DATA for the request. :param kwargs: Other keyword arguments for requests. :return: Response of the POST request. """ return self._request(endpoint, 'post', data, **kwargs)
python
def _post(self, endpoint, data, **kwargs): return self._request(endpoint, 'post', data, **kwargs)
[ "def", "_post", "(", "self", ",", "endpoint", ",", "data", ",", "*", "*", "kwargs", ")", ":", "return", "self", ".", "_request", "(", "endpoint", ",", "'post'", ",", "data", ",", "*", "*", "kwargs", ")" ]
Method to perform POST request on the API. :param endpoint: Endpoint of the API. :param data: POST DATA for the request. :param kwargs: Other keyword arguments for requests. :return: Response of the POST request.
[ "Method", "to", "perform", "POST", "request", "on", "the", "API", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L46-L56
3,070
v1k45/python-qBittorrent
qbittorrent/client.py
Client._request
def _request(self, endpoint, method, data=None, **kwargs): """ Method to hanle both GET and POST requests. :param endpoint: Endpoint of the API. :param method: Method of HTTP request. :param data: POST DATA for the request. :param kwargs: Other keyword arguments. :return: Response for the request. """ final_url = self.url + endpoint if not self._is_authenticated: raise LoginRequired rq = self.session if method == 'get': request = rq.get(final_url, **kwargs) else: request = rq.post(final_url, data, **kwargs) request.raise_for_status() request.encoding = 'utf_8' if len(request.text) == 0: data = json.loads('{}') else: try: data = json.loads(request.text) except ValueError: data = request.text return data
python
def _request(self, endpoint, method, data=None, **kwargs): final_url = self.url + endpoint if not self._is_authenticated: raise LoginRequired rq = self.session if method == 'get': request = rq.get(final_url, **kwargs) else: request = rq.post(final_url, data, **kwargs) request.raise_for_status() request.encoding = 'utf_8' if len(request.text) == 0: data = json.loads('{}') else: try: data = json.loads(request.text) except ValueError: data = request.text return data
[ "def", "_request", "(", "self", ",", "endpoint", ",", "method", ",", "data", "=", "None", ",", "*", "*", "kwargs", ")", ":", "final_url", "=", "self", ".", "url", "+", "endpoint", "if", "not", "self", ".", "_is_authenticated", ":", "raise", "LoginRequired", "rq", "=", "self", ".", "session", "if", "method", "==", "'get'", ":", "request", "=", "rq", ".", "get", "(", "final_url", ",", "*", "*", "kwargs", ")", "else", ":", "request", "=", "rq", ".", "post", "(", "final_url", ",", "data", ",", "*", "*", "kwargs", ")", "request", ".", "raise_for_status", "(", ")", "request", ".", "encoding", "=", "'utf_8'", "if", "len", "(", "request", ".", "text", ")", "==", "0", ":", "data", "=", "json", ".", "loads", "(", "'{}'", ")", "else", ":", "try", ":", "data", "=", "json", ".", "loads", "(", "request", ".", "text", ")", "except", "ValueError", ":", "data", "=", "request", ".", "text", "return", "data" ]
Method to hanle both GET and POST requests. :param endpoint: Endpoint of the API. :param method: Method of HTTP request. :param data: POST DATA for the request. :param kwargs: Other keyword arguments. :return: Response for the request.
[ "Method", "to", "hanle", "both", "GET", "and", "POST", "requests", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L58-L91
3,071
v1k45/python-qBittorrent
qbittorrent/client.py
Client.login
def login(self, username='admin', password='admin'): """ Method to authenticate the qBittorrent Client. Declares a class attribute named ``session`` which stores the authenticated session if the login is correct. Else, shows the login error. :param username: Username. :param password: Password. :return: Response to login request to the API. """ self.session = requests.Session() login = self.session.post(self.url+'login', data={'username': username, 'password': password}) if login.text == 'Ok.': self._is_authenticated = True else: return login.text
python
def login(self, username='admin', password='admin'): self.session = requests.Session() login = self.session.post(self.url+'login', data={'username': username, 'password': password}) if login.text == 'Ok.': self._is_authenticated = True else: return login.text
[ "def", "login", "(", "self", ",", "username", "=", "'admin'", ",", "password", "=", "'admin'", ")", ":", "self", ".", "session", "=", "requests", ".", "Session", "(", ")", "login", "=", "self", ".", "session", ".", "post", "(", "self", ".", "url", "+", "'login'", ",", "data", "=", "{", "'username'", ":", "username", ",", "'password'", ":", "password", "}", ")", "if", "login", ".", "text", "==", "'Ok.'", ":", "self", ".", "_is_authenticated", "=", "True", "else", ":", "return", "login", ".", "text" ]
Method to authenticate the qBittorrent Client. Declares a class attribute named ``session`` which stores the authenticated session if the login is correct. Else, shows the login error. :param username: Username. :param password: Password. :return: Response to login request to the API.
[ "Method", "to", "authenticate", "the", "qBittorrent", "Client", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L93-L113
3,072
v1k45/python-qBittorrent
qbittorrent/client.py
Client.torrents
def torrents(self, **filters): """ Returns a list of torrents matching the supplied filters. :param filter: Current status of the torrents. :param category: Fetch all torrents with the supplied label. :param sort: Sort torrents by. :param reverse: Enable reverse sorting. :param limit: Limit the number of torrents returned. :param offset: Set offset (if less than 0, offset from end). :return: list() of torrent with matching filter. """ params = {} for name, value in filters.items(): # make sure that old 'status' argument still works name = 'filter' if name == 'status' else name params[name] = value return self._get('query/torrents', params=params)
python
def torrents(self, **filters): params = {} for name, value in filters.items(): # make sure that old 'status' argument still works name = 'filter' if name == 'status' else name params[name] = value return self._get('query/torrents', params=params)
[ "def", "torrents", "(", "self", ",", "*", "*", "filters", ")", ":", "params", "=", "{", "}", "for", "name", ",", "value", "in", "filters", ".", "items", "(", ")", ":", "# make sure that old 'status' argument still works", "name", "=", "'filter'", "if", "name", "==", "'status'", "else", "name", "params", "[", "name", "]", "=", "value", "return", "self", ".", "_get", "(", "'query/torrents'", ",", "params", "=", "params", ")" ]
Returns a list of torrents matching the supplied filters. :param filter: Current status of the torrents. :param category: Fetch all torrents with the supplied label. :param sort: Sort torrents by. :param reverse: Enable reverse sorting. :param limit: Limit the number of torrents returned. :param offset: Set offset (if less than 0, offset from end). :return: list() of torrent with matching filter.
[ "Returns", "a", "list", "of", "torrents", "matching", "the", "supplied", "filters", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L150-L169
3,073
v1k45/python-qBittorrent
qbittorrent/client.py
Client.preferences
def preferences(self): """ Get the current qBittorrent preferences. Can also be used to assign individual preferences. For setting multiple preferences at once, see ``set_preferences`` method. Note: Even if this is a ``property``, to fetch the current preferences dict, you are required to call it like a bound method. Wrong:: qb.preferences Right:: qb.preferences() """ prefs = self._get('query/preferences') class Proxy(Client): """ Proxy class to to allow assignment of individual preferences. this class overrides some methods to ease things. Because of this, settings can be assigned like:: In [5]: prefs = qb.preferences() In [6]: prefs['autorun_enabled'] Out[6]: True In [7]: prefs['autorun_enabled'] = False In [8]: prefs['autorun_enabled'] Out[8]: False """ def __init__(self, url, prefs, auth, session): super(Proxy, self).__init__(url) self.prefs = prefs self._is_authenticated = auth self.session = session def __getitem__(self, key): return self.prefs[key] def __setitem__(self, key, value): kwargs = {key: value} return self.set_preferences(**kwargs) def __call__(self): return self.prefs return Proxy(self.url, prefs, self._is_authenticated, self.session)
python
def preferences(self): prefs = self._get('query/preferences') class Proxy(Client): """ Proxy class to to allow assignment of individual preferences. this class overrides some methods to ease things. Because of this, settings can be assigned like:: In [5]: prefs = qb.preferences() In [6]: prefs['autorun_enabled'] Out[6]: True In [7]: prefs['autorun_enabled'] = False In [8]: prefs['autorun_enabled'] Out[8]: False """ def __init__(self, url, prefs, auth, session): super(Proxy, self).__init__(url) self.prefs = prefs self._is_authenticated = auth self.session = session def __getitem__(self, key): return self.prefs[key] def __setitem__(self, key, value): kwargs = {key: value} return self.set_preferences(**kwargs) def __call__(self): return self.prefs return Proxy(self.url, prefs, self._is_authenticated, self.session)
[ "def", "preferences", "(", "self", ")", ":", "prefs", "=", "self", ".", "_get", "(", "'query/preferences'", ")", "class", "Proxy", "(", "Client", ")", ":", "\"\"\"\n Proxy class to to allow assignment of individual preferences.\n this class overrides some methods to ease things.\n\n Because of this, settings can be assigned like::\n\n In [5]: prefs = qb.preferences()\n\n In [6]: prefs['autorun_enabled']\n Out[6]: True\n\n In [7]: prefs['autorun_enabled'] = False\n\n In [8]: prefs['autorun_enabled']\n Out[8]: False\n\n \"\"\"", "def", "__init__", "(", "self", ",", "url", ",", "prefs", ",", "auth", ",", "session", ")", ":", "super", "(", "Proxy", ",", "self", ")", ".", "__init__", "(", "url", ")", "self", ".", "prefs", "=", "prefs", "self", ".", "_is_authenticated", "=", "auth", "self", ".", "session", "=", "session", "def", "__getitem__", "(", "self", ",", "key", ")", ":", "return", "self", ".", "prefs", "[", "key", "]", "def", "__setitem__", "(", "self", ",", "key", ",", "value", ")", ":", "kwargs", "=", "{", "key", ":", "value", "}", "return", "self", ".", "set_preferences", "(", "*", "*", "kwargs", ")", "def", "__call__", "(", "self", ")", ":", "return", "self", ".", "prefs", "return", "Proxy", "(", "self", ".", "url", ",", "prefs", ",", "self", ".", "_is_authenticated", ",", "self", ".", "session", ")" ]
Get the current qBittorrent preferences. Can also be used to assign individual preferences. For setting multiple preferences at once, see ``set_preferences`` method. Note: Even if this is a ``property``, to fetch the current preferences dict, you are required to call it like a bound method. Wrong:: qb.preferences Right:: qb.preferences()
[ "Get", "the", "current", "qBittorrent", "preferences", ".", "Can", "also", "be", "used", "to", "assign", "individual", "preferences", ".", "For", "setting", "multiple", "preferences", "at", "once", "see", "set_preferences", "method", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L211-L268
3,074
v1k45/python-qBittorrent
qbittorrent/client.py
Client.download_from_link
def download_from_link(self, link, **kwargs): """ Download torrent using a link. :param link: URL Link or list of. :param savepath: Path to download the torrent. :param category: Label or Category of the torrent(s). :return: Empty JSON data. """ # old:new format old_arg_map = {'save_path': 'savepath'} # , 'label': 'category'} # convert old option names to new option names options = kwargs.copy() for old_arg, new_arg in old_arg_map.items(): if options.get(old_arg) and not options.get(new_arg): options[new_arg] = options[old_arg] if type(link) is list: options['urls'] = "\n".join(link) else: options['urls'] = link # workaround to send multipart/formdata request # http://stackoverflow.com/a/23131823/4726598 dummy_file = {'_dummy': (None, '_dummy')} return self._post('command/download', data=options, files=dummy_file)
python
def download_from_link(self, link, **kwargs): # old:new format old_arg_map = {'save_path': 'savepath'} # , 'label': 'category'} # convert old option names to new option names options = kwargs.copy() for old_arg, new_arg in old_arg_map.items(): if options.get(old_arg) and not options.get(new_arg): options[new_arg] = options[old_arg] if type(link) is list: options['urls'] = "\n".join(link) else: options['urls'] = link # workaround to send multipart/formdata request # http://stackoverflow.com/a/23131823/4726598 dummy_file = {'_dummy': (None, '_dummy')} return self._post('command/download', data=options, files=dummy_file)
[ "def", "download_from_link", "(", "self", ",", "link", ",", "*", "*", "kwargs", ")", ":", "# old:new format", "old_arg_map", "=", "{", "'save_path'", ":", "'savepath'", "}", "# , 'label': 'category'}", "# convert old option names to new option names", "options", "=", "kwargs", ".", "copy", "(", ")", "for", "old_arg", ",", "new_arg", "in", "old_arg_map", ".", "items", "(", ")", ":", "if", "options", ".", "get", "(", "old_arg", ")", "and", "not", "options", ".", "get", "(", "new_arg", ")", ":", "options", "[", "new_arg", "]", "=", "options", "[", "old_arg", "]", "if", "type", "(", "link", ")", "is", "list", ":", "options", "[", "'urls'", "]", "=", "\"\\n\"", ".", "join", "(", "link", ")", "else", ":", "options", "[", "'urls'", "]", "=", "link", "# workaround to send multipart/formdata request", "# http://stackoverflow.com/a/23131823/4726598", "dummy_file", "=", "{", "'_dummy'", ":", "(", "None", ",", "'_dummy'", ")", "}", "return", "self", ".", "_post", "(", "'command/download'", ",", "data", "=", "options", ",", "files", "=", "dummy_file", ")" ]
Download torrent using a link. :param link: URL Link or list of. :param savepath: Path to download the torrent. :param category: Label or Category of the torrent(s). :return: Empty JSON data.
[ "Download", "torrent", "using", "a", "link", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L279-L307
3,075
v1k45/python-qBittorrent
qbittorrent/client.py
Client.download_from_file
def download_from_file(self, file_buffer, **kwargs): """ Download torrent using a file. :param file_buffer: Single file() buffer or list of. :param save_path: Path to download the torrent. :param label: Label of the torrent(s). :return: Empty JSON data. """ if isinstance(file_buffer, list): torrent_files = {} for i, f in enumerate(file_buffer): torrent_files.update({'torrents%s' % i: f}) else: torrent_files = {'torrents': file_buffer} data = kwargs.copy() if data.get('save_path'): data.update({'savepath': data['save_path']}) return self._post('command/upload', data=data, files=torrent_files)
python
def download_from_file(self, file_buffer, **kwargs): if isinstance(file_buffer, list): torrent_files = {} for i, f in enumerate(file_buffer): torrent_files.update({'torrents%s' % i: f}) else: torrent_files = {'torrents': file_buffer} data = kwargs.copy() if data.get('save_path'): data.update({'savepath': data['save_path']}) return self._post('command/upload', data=data, files=torrent_files)
[ "def", "download_from_file", "(", "self", ",", "file_buffer", ",", "*", "*", "kwargs", ")", ":", "if", "isinstance", "(", "file_buffer", ",", "list", ")", ":", "torrent_files", "=", "{", "}", "for", "i", ",", "f", "in", "enumerate", "(", "file_buffer", ")", ":", "torrent_files", ".", "update", "(", "{", "'torrents%s'", "%", "i", ":", "f", "}", ")", "else", ":", "torrent_files", "=", "{", "'torrents'", ":", "file_buffer", "}", "data", "=", "kwargs", ".", "copy", "(", ")", "if", "data", ".", "get", "(", "'save_path'", ")", ":", "data", ".", "update", "(", "{", "'savepath'", ":", "data", "[", "'save_path'", "]", "}", ")", "return", "self", ".", "_post", "(", "'command/upload'", ",", "data", "=", "data", ",", "files", "=", "torrent_files", ")" ]
Download torrent using a file. :param file_buffer: Single file() buffer or list of. :param save_path: Path to download the torrent. :param label: Label of the torrent(s). :return: Empty JSON data.
[ "Download", "torrent", "using", "a", "file", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L309-L330
3,076
v1k45/python-qBittorrent
qbittorrent/client.py
Client.add_trackers
def add_trackers(self, infohash, trackers): """ Add trackers to a torrent. :param infohash: INFO HASH of torrent. :param trackers: Trackers. """ data = {'hash': infohash.lower(), 'urls': trackers} return self._post('command/addTrackers', data=data)
python
def add_trackers(self, infohash, trackers): data = {'hash': infohash.lower(), 'urls': trackers} return self._post('command/addTrackers', data=data)
[ "def", "add_trackers", "(", "self", ",", "infohash", ",", "trackers", ")", ":", "data", "=", "{", "'hash'", ":", "infohash", ".", "lower", "(", ")", ",", "'urls'", ":", "trackers", "}", "return", "self", ".", "_post", "(", "'command/addTrackers'", ",", "data", "=", "data", ")" ]
Add trackers to a torrent. :param infohash: INFO HASH of torrent. :param trackers: Trackers.
[ "Add", "trackers", "to", "a", "torrent", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L332-L341
3,077
v1k45/python-qBittorrent
qbittorrent/client.py
Client._process_infohash_list
def _process_infohash_list(infohash_list): """ Method to convert the infohash_list to qBittorrent API friendly values. :param infohash_list: List of infohash. """ if isinstance(infohash_list, list): data = {'hashes': '|'.join([h.lower() for h in infohash_list])} else: data = {'hashes': infohash_list.lower()} return data
python
def _process_infohash_list(infohash_list): if isinstance(infohash_list, list): data = {'hashes': '|'.join([h.lower() for h in infohash_list])} else: data = {'hashes': infohash_list.lower()} return data
[ "def", "_process_infohash_list", "(", "infohash_list", ")", ":", "if", "isinstance", "(", "infohash_list", ",", "list", ")", ":", "data", "=", "{", "'hashes'", ":", "'|'", ".", "join", "(", "[", "h", ".", "lower", "(", ")", "for", "h", "in", "infohash_list", "]", ")", "}", "else", ":", "data", "=", "{", "'hashes'", ":", "infohash_list", ".", "lower", "(", ")", "}", "return", "data" ]
Method to convert the infohash_list to qBittorrent API friendly values. :param infohash_list: List of infohash.
[ "Method", "to", "convert", "the", "infohash_list", "to", "qBittorrent", "API", "friendly", "values", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L344-L354
3,078
v1k45/python-qBittorrent
qbittorrent/client.py
Client.pause_multiple
def pause_multiple(self, infohash_list): """ Pause multiple torrents. :param infohash_list: Single or list() of infohashes. """ data = self._process_infohash_list(infohash_list) return self._post('command/pauseAll', data=data)
python
def pause_multiple(self, infohash_list): data = self._process_infohash_list(infohash_list) return self._post('command/pauseAll', data=data)
[ "def", "pause_multiple", "(", "self", ",", "infohash_list", ")", ":", "data", "=", "self", ".", "_process_infohash_list", "(", "infohash_list", ")", "return", "self", ".", "_post", "(", "'command/pauseAll'", ",", "data", "=", "data", ")" ]
Pause multiple torrents. :param infohash_list: Single or list() of infohashes.
[ "Pause", "multiple", "torrents", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L370-L377
3,079
v1k45/python-qBittorrent
qbittorrent/client.py
Client.set_category
def set_category(self, infohash_list, category): """ Set the category on multiple torrents. :param infohash_list: Single or list() of infohashes. """ data = self._process_infohash_list(infohash_list) data['category'] = category return self._post('command/setCategory', data=data)
python
def set_category(self, infohash_list, category): data = self._process_infohash_list(infohash_list) data['category'] = category return self._post('command/setCategory', data=data)
[ "def", "set_category", "(", "self", ",", "infohash_list", ",", "category", ")", ":", "data", "=", "self", ".", "_process_infohash_list", "(", "infohash_list", ")", "data", "[", "'category'", "]", "=", "category", "return", "self", ".", "_post", "(", "'command/setCategory'", ",", "data", "=", "data", ")" ]
Set the category on multiple torrents. :param infohash_list: Single or list() of infohashes.
[ "Set", "the", "category", "on", "multiple", "torrents", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L390-L398
3,080
v1k45/python-qBittorrent
qbittorrent/client.py
Client.resume_multiple
def resume_multiple(self, infohash_list): """ Resume multiple paused torrents. :param infohash_list: Single or list() of infohashes. """ data = self._process_infohash_list(infohash_list) return self._post('command/resumeAll', data=data)
python
def resume_multiple(self, infohash_list): data = self._process_infohash_list(infohash_list) return self._post('command/resumeAll', data=data)
[ "def", "resume_multiple", "(", "self", ",", "infohash_list", ")", ":", "data", "=", "self", ".", "_process_infohash_list", "(", "infohash_list", ")", "return", "self", ".", "_post", "(", "'command/resumeAll'", ",", "data", "=", "data", ")" ]
Resume multiple paused torrents. :param infohash_list: Single or list() of infohashes.
[ "Resume", "multiple", "paused", "torrents", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L414-L421
3,081
v1k45/python-qBittorrent
qbittorrent/client.py
Client.delete
def delete(self, infohash_list): """ Delete torrents. :param infohash_list: Single or list() of infohashes. """ data = self._process_infohash_list(infohash_list) return self._post('command/delete', data=data)
python
def delete(self, infohash_list): data = self._process_infohash_list(infohash_list) return self._post('command/delete', data=data)
[ "def", "delete", "(", "self", ",", "infohash_list", ")", ":", "data", "=", "self", ".", "_process_infohash_list", "(", "infohash_list", ")", "return", "self", ".", "_post", "(", "'command/delete'", ",", "data", "=", "data", ")" ]
Delete torrents. :param infohash_list: Single or list() of infohashes.
[ "Delete", "torrents", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L423-L430
3,082
v1k45/python-qBittorrent
qbittorrent/client.py
Client.delete_permanently
def delete_permanently(self, infohash_list): """ Permanently delete torrents. :param infohash_list: Single or list() of infohashes. """ data = self._process_infohash_list(infohash_list) return self._post('command/deletePerm', data=data)
python
def delete_permanently(self, infohash_list): data = self._process_infohash_list(infohash_list) return self._post('command/deletePerm', data=data)
[ "def", "delete_permanently", "(", "self", ",", "infohash_list", ")", ":", "data", "=", "self", ".", "_process_infohash_list", "(", "infohash_list", ")", "return", "self", ".", "_post", "(", "'command/deletePerm'", ",", "data", "=", "data", ")" ]
Permanently delete torrents. :param infohash_list: Single or list() of infohashes.
[ "Permanently", "delete", "torrents", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L432-L439
3,083
v1k45/python-qBittorrent
qbittorrent/client.py
Client.recheck
def recheck(self, infohash_list): """ Recheck torrents. :param infohash_list: Single or list() of infohashes. """ data = self._process_infohash_list(infohash_list) return self._post('command/recheck', data=data)
python
def recheck(self, infohash_list): data = self._process_infohash_list(infohash_list) return self._post('command/recheck', data=data)
[ "def", "recheck", "(", "self", ",", "infohash_list", ")", ":", "data", "=", "self", ".", "_process_infohash_list", "(", "infohash_list", ")", "return", "self", ".", "_post", "(", "'command/recheck'", ",", "data", "=", "data", ")" ]
Recheck torrents. :param infohash_list: Single or list() of infohashes.
[ "Recheck", "torrents", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L441-L448
3,084
v1k45/python-qBittorrent
qbittorrent/client.py
Client.increase_priority
def increase_priority(self, infohash_list): """ Increase priority of torrents. :param infohash_list: Single or list() of infohashes. """ data = self._process_infohash_list(infohash_list) return self._post('command/increasePrio', data=data)
python
def increase_priority(self, infohash_list): data = self._process_infohash_list(infohash_list) return self._post('command/increasePrio', data=data)
[ "def", "increase_priority", "(", "self", ",", "infohash_list", ")", ":", "data", "=", "self", ".", "_process_infohash_list", "(", "infohash_list", ")", "return", "self", ".", "_post", "(", "'command/increasePrio'", ",", "data", "=", "data", ")" ]
Increase priority of torrents. :param infohash_list: Single or list() of infohashes.
[ "Increase", "priority", "of", "torrents", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L450-L457
3,085
v1k45/python-qBittorrent
qbittorrent/client.py
Client.decrease_priority
def decrease_priority(self, infohash_list): """ Decrease priority of torrents. :param infohash_list: Single or list() of infohashes. """ data = self._process_infohash_list(infohash_list) return self._post('command/decreasePrio', data=data)
python
def decrease_priority(self, infohash_list): data = self._process_infohash_list(infohash_list) return self._post('command/decreasePrio', data=data)
[ "def", "decrease_priority", "(", "self", ",", "infohash_list", ")", ":", "data", "=", "self", ".", "_process_infohash_list", "(", "infohash_list", ")", "return", "self", ".", "_post", "(", "'command/decreasePrio'", ",", "data", "=", "data", ")" ]
Decrease priority of torrents. :param infohash_list: Single or list() of infohashes.
[ "Decrease", "priority", "of", "torrents", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L459-L466
3,086
v1k45/python-qBittorrent
qbittorrent/client.py
Client.set_max_priority
def set_max_priority(self, infohash_list): """ Set torrents to maximum priority level. :param infohash_list: Single or list() of infohashes. """ data = self._process_infohash_list(infohash_list) return self._post('command/topPrio', data=data)
python
def set_max_priority(self, infohash_list): data = self._process_infohash_list(infohash_list) return self._post('command/topPrio', data=data)
[ "def", "set_max_priority", "(", "self", ",", "infohash_list", ")", ":", "data", "=", "self", ".", "_process_infohash_list", "(", "infohash_list", ")", "return", "self", ".", "_post", "(", "'command/topPrio'", ",", "data", "=", "data", ")" ]
Set torrents to maximum priority level. :param infohash_list: Single or list() of infohashes.
[ "Set", "torrents", "to", "maximum", "priority", "level", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L468-L475
3,087
v1k45/python-qBittorrent
qbittorrent/client.py
Client.set_min_priority
def set_min_priority(self, infohash_list): """ Set torrents to minimum priority level. :param infohash_list: Single or list() of infohashes. """ data = self._process_infohash_list(infohash_list) return self._post('command/bottomPrio', data=data)
python
def set_min_priority(self, infohash_list): data = self._process_infohash_list(infohash_list) return self._post('command/bottomPrio', data=data)
[ "def", "set_min_priority", "(", "self", ",", "infohash_list", ")", ":", "data", "=", "self", ".", "_process_infohash_list", "(", "infohash_list", ")", "return", "self", ".", "_post", "(", "'command/bottomPrio'", ",", "data", "=", "data", ")" ]
Set torrents to minimum priority level. :param infohash_list: Single or list() of infohashes.
[ "Set", "torrents", "to", "minimum", "priority", "level", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L477-L484
3,088
v1k45/python-qBittorrent
qbittorrent/client.py
Client.set_file_priority
def set_file_priority(self, infohash, file_id, priority): """ Set file of a torrent to a supplied priority level. :param infohash: INFO HASH of torrent. :param file_id: ID of the file to set priority. :param priority: Priority level of the file. """ if priority not in [0, 1, 2, 7]: raise ValueError("Invalid priority, refer WEB-UI docs for info.") elif not isinstance(file_id, int): raise TypeError("File ID must be an int") data = {'hash': infohash.lower(), 'id': file_id, 'priority': priority} return self._post('command/setFilePrio', data=data)
python
def set_file_priority(self, infohash, file_id, priority): if priority not in [0, 1, 2, 7]: raise ValueError("Invalid priority, refer WEB-UI docs for info.") elif not isinstance(file_id, int): raise TypeError("File ID must be an int") data = {'hash': infohash.lower(), 'id': file_id, 'priority': priority} return self._post('command/setFilePrio', data=data)
[ "def", "set_file_priority", "(", "self", ",", "infohash", ",", "file_id", ",", "priority", ")", ":", "if", "priority", "not", "in", "[", "0", ",", "1", ",", "2", ",", "7", "]", ":", "raise", "ValueError", "(", "\"Invalid priority, refer WEB-UI docs for info.\"", ")", "elif", "not", "isinstance", "(", "file_id", ",", "int", ")", ":", "raise", "TypeError", "(", "\"File ID must be an int\"", ")", "data", "=", "{", "'hash'", ":", "infohash", ".", "lower", "(", ")", ",", "'id'", ":", "file_id", ",", "'priority'", ":", "priority", "}", "return", "self", ".", "_post", "(", "'command/setFilePrio'", ",", "data", "=", "data", ")" ]
Set file of a torrent to a supplied priority level. :param infohash: INFO HASH of torrent. :param file_id: ID of the file to set priority. :param priority: Priority level of the file.
[ "Set", "file", "of", "a", "torrent", "to", "a", "supplied", "priority", "level", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L486-L503
3,089
v1k45/python-qBittorrent
qbittorrent/client.py
Client.get_torrent_download_limit
def get_torrent_download_limit(self, infohash_list): """ Get download speed limit of the supplied torrents. :param infohash_list: Single or list() of infohashes. """ data = self._process_infohash_list(infohash_list) return self._post('command/getTorrentsDlLimit', data=data)
python
def get_torrent_download_limit(self, infohash_list): data = self._process_infohash_list(infohash_list) return self._post('command/getTorrentsDlLimit', data=data)
[ "def", "get_torrent_download_limit", "(", "self", ",", "infohash_list", ")", ":", "data", "=", "self", ".", "_process_infohash_list", "(", "infohash_list", ")", "return", "self", ".", "_post", "(", "'command/getTorrentsDlLimit'", ",", "data", "=", "data", ")" ]
Get download speed limit of the supplied torrents. :param infohash_list: Single or list() of infohashes.
[ "Get", "download", "speed", "limit", "of", "the", "supplied", "torrents", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L542-L549
3,090
v1k45/python-qBittorrent
qbittorrent/client.py
Client.set_torrent_download_limit
def set_torrent_download_limit(self, infohash_list, limit): """ Set download speed limit of the supplied torrents. :param infohash_list: Single or list() of infohashes. :param limit: Speed limit in bytes. """ data = self._process_infohash_list(infohash_list) data.update({'limit': limit}) return self._post('command/setTorrentsDlLimit', data=data)
python
def set_torrent_download_limit(self, infohash_list, limit): data = self._process_infohash_list(infohash_list) data.update({'limit': limit}) return self._post('command/setTorrentsDlLimit', data=data)
[ "def", "set_torrent_download_limit", "(", "self", ",", "infohash_list", ",", "limit", ")", ":", "data", "=", "self", ".", "_process_infohash_list", "(", "infohash_list", ")", "data", ".", "update", "(", "{", "'limit'", ":", "limit", "}", ")", "return", "self", ".", "_post", "(", "'command/setTorrentsDlLimit'", ",", "data", "=", "data", ")" ]
Set download speed limit of the supplied torrents. :param infohash_list: Single or list() of infohashes. :param limit: Speed limit in bytes.
[ "Set", "download", "speed", "limit", "of", "the", "supplied", "torrents", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L551-L560
3,091
v1k45/python-qBittorrent
qbittorrent/client.py
Client.get_torrent_upload_limit
def get_torrent_upload_limit(self, infohash_list): """ Get upoload speed limit of the supplied torrents. :param infohash_list: Single or list() of infohashes. """ data = self._process_infohash_list(infohash_list) return self._post('command/getTorrentsUpLimit', data=data)
python
def get_torrent_upload_limit(self, infohash_list): data = self._process_infohash_list(infohash_list) return self._post('command/getTorrentsUpLimit', data=data)
[ "def", "get_torrent_upload_limit", "(", "self", ",", "infohash_list", ")", ":", "data", "=", "self", ".", "_process_infohash_list", "(", "infohash_list", ")", "return", "self", ".", "_post", "(", "'command/getTorrentsUpLimit'", ",", "data", "=", "data", ")" ]
Get upoload speed limit of the supplied torrents. :param infohash_list: Single or list() of infohashes.
[ "Get", "upoload", "speed", "limit", "of", "the", "supplied", "torrents", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L562-L569
3,092
v1k45/python-qBittorrent
qbittorrent/client.py
Client.set_torrent_upload_limit
def set_torrent_upload_limit(self, infohash_list, limit): """ Set upload speed limit of the supplied torrents. :param infohash_list: Single or list() of infohashes. :param limit: Speed limit in bytes. """ data = self._process_infohash_list(infohash_list) data.update({'limit': limit}) return self._post('command/setTorrentsUpLimit', data=data)
python
def set_torrent_upload_limit(self, infohash_list, limit): data = self._process_infohash_list(infohash_list) data.update({'limit': limit}) return self._post('command/setTorrentsUpLimit', data=data)
[ "def", "set_torrent_upload_limit", "(", "self", ",", "infohash_list", ",", "limit", ")", ":", "data", "=", "self", ".", "_process_infohash_list", "(", "infohash_list", ")", "data", ".", "update", "(", "{", "'limit'", ":", "limit", "}", ")", "return", "self", ".", "_post", "(", "'command/setTorrentsUpLimit'", ",", "data", "=", "data", ")" ]
Set upload speed limit of the supplied torrents. :param infohash_list: Single or list() of infohashes. :param limit: Speed limit in bytes.
[ "Set", "upload", "speed", "limit", "of", "the", "supplied", "torrents", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L571-L580
3,093
v1k45/python-qBittorrent
qbittorrent/client.py
Client.toggle_sequential_download
def toggle_sequential_download(self, infohash_list): """ Toggle sequential download in supplied torrents. :param infohash_list: Single or list() of infohashes. """ data = self._process_infohash_list(infohash_list) return self._post('command/toggleSequentialDownload', data=data)
python
def toggle_sequential_download(self, infohash_list): data = self._process_infohash_list(infohash_list) return self._post('command/toggleSequentialDownload', data=data)
[ "def", "toggle_sequential_download", "(", "self", ",", "infohash_list", ")", ":", "data", "=", "self", ".", "_process_infohash_list", "(", "infohash_list", ")", "return", "self", ".", "_post", "(", "'command/toggleSequentialDownload'", ",", "data", "=", "data", ")" ]
Toggle sequential download in supplied torrents. :param infohash_list: Single or list() of infohashes.
[ "Toggle", "sequential", "download", "in", "supplied", "torrents", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L609-L616
3,094
v1k45/python-qBittorrent
qbittorrent/client.py
Client.force_start
def force_start(self, infohash_list, value=True): """ Force start selected torrents. :param infohash_list: Single or list() of infohashes. :param value: Force start value (bool) """ data = self._process_infohash_list(infohash_list) data.update({'value': json.dumps(value)}) return self._post('command/setForceStart', data=data)
python
def force_start(self, infohash_list, value=True): data = self._process_infohash_list(infohash_list) data.update({'value': json.dumps(value)}) return self._post('command/setForceStart', data=data)
[ "def", "force_start", "(", "self", ",", "infohash_list", ",", "value", "=", "True", ")", ":", "data", "=", "self", ".", "_process_infohash_list", "(", "infohash_list", ")", "data", ".", "update", "(", "{", "'value'", ":", "json", ".", "dumps", "(", "value", ")", "}", ")", "return", "self", ".", "_post", "(", "'command/setForceStart'", ",", "data", "=", "data", ")" ]
Force start selected torrents. :param infohash_list: Single or list() of infohashes. :param value: Force start value (bool)
[ "Force", "start", "selected", "torrents", "." ]
04f9482a022dcc78c56b0b9acb9ca455f855ae24
https://github.com/v1k45/python-qBittorrent/blob/04f9482a022dcc78c56b0b9acb9ca455f855ae24/qbittorrent/client.py#L627-L636
3,095
nirum/tableprint
tableprint/utils.py
humantime
def humantime(time): """Converts a time in seconds to a reasonable human readable time Parameters ---------- t : float The number of seconds Returns ------- time : string The human readable formatted value of the given time """ try: time = float(time) except (ValueError, TypeError): raise ValueError("Input must be numeric") # weeks if time >= 7 * 60 * 60 * 24: weeks = math.floor(time / (7 * 60 * 60 * 24)) timestr = "{:g} weeks, ".format(weeks) + humantime(time % (7 * 60 * 60 * 24)) # days elif time >= 60 * 60 * 24: days = math.floor(time / (60 * 60 * 24)) timestr = "{:g} days, ".format(days) + humantime(time % (60 * 60 * 24)) # hours elif time >= 60 * 60: hours = math.floor(time / (60 * 60)) timestr = "{:g} hours, ".format(hours) + humantime(time % (60 * 60)) # minutes elif time >= 60: minutes = math.floor(time / 60.) timestr = "{:g} min., ".format(minutes) + humantime(time % 60) # seconds elif (time >= 1) | (time == 0): timestr = "{:g} s".format(time) # milliseconds elif time >= 1e-3: timestr = "{:g} ms".format(time * 1e3) # microseconds elif time >= 1e-6: timestr = "{:g} \u03BCs".format(time * 1e6) # nanoseconds or smaller else: timestr = "{:g} ns".format(time * 1e9) return timestr
python
def humantime(time): try: time = float(time) except (ValueError, TypeError): raise ValueError("Input must be numeric") # weeks if time >= 7 * 60 * 60 * 24: weeks = math.floor(time / (7 * 60 * 60 * 24)) timestr = "{:g} weeks, ".format(weeks) + humantime(time % (7 * 60 * 60 * 24)) # days elif time >= 60 * 60 * 24: days = math.floor(time / (60 * 60 * 24)) timestr = "{:g} days, ".format(days) + humantime(time % (60 * 60 * 24)) # hours elif time >= 60 * 60: hours = math.floor(time / (60 * 60)) timestr = "{:g} hours, ".format(hours) + humantime(time % (60 * 60)) # minutes elif time >= 60: minutes = math.floor(time / 60.) timestr = "{:g} min., ".format(minutes) + humantime(time % 60) # seconds elif (time >= 1) | (time == 0): timestr = "{:g} s".format(time) # milliseconds elif time >= 1e-3: timestr = "{:g} ms".format(time * 1e3) # microseconds elif time >= 1e-6: timestr = "{:g} \u03BCs".format(time * 1e6) # nanoseconds or smaller else: timestr = "{:g} ns".format(time * 1e9) return timestr
[ "def", "humantime", "(", "time", ")", ":", "try", ":", "time", "=", "float", "(", "time", ")", "except", "(", "ValueError", ",", "TypeError", ")", ":", "raise", "ValueError", "(", "\"Input must be numeric\"", ")", "# weeks", "if", "time", ">=", "7", "*", "60", "*", "60", "*", "24", ":", "weeks", "=", "math", ".", "floor", "(", "time", "/", "(", "7", "*", "60", "*", "60", "*", "24", ")", ")", "timestr", "=", "\"{:g} weeks, \"", ".", "format", "(", "weeks", ")", "+", "humantime", "(", "time", "%", "(", "7", "*", "60", "*", "60", "*", "24", ")", ")", "# days", "elif", "time", ">=", "60", "*", "60", "*", "24", ":", "days", "=", "math", ".", "floor", "(", "time", "/", "(", "60", "*", "60", "*", "24", ")", ")", "timestr", "=", "\"{:g} days, \"", ".", "format", "(", "days", ")", "+", "humantime", "(", "time", "%", "(", "60", "*", "60", "*", "24", ")", ")", "# hours", "elif", "time", ">=", "60", "*", "60", ":", "hours", "=", "math", ".", "floor", "(", "time", "/", "(", "60", "*", "60", ")", ")", "timestr", "=", "\"{:g} hours, \"", ".", "format", "(", "hours", ")", "+", "humantime", "(", "time", "%", "(", "60", "*", "60", ")", ")", "# minutes", "elif", "time", ">=", "60", ":", "minutes", "=", "math", ".", "floor", "(", "time", "/", "60.", ")", "timestr", "=", "\"{:g} min., \"", ".", "format", "(", "minutes", ")", "+", "humantime", "(", "time", "%", "60", ")", "# seconds", "elif", "(", "time", ">=", "1", ")", "|", "(", "time", "==", "0", ")", ":", "timestr", "=", "\"{:g} s\"", ".", "format", "(", "time", ")", "# milliseconds", "elif", "time", ">=", "1e-3", ":", "timestr", "=", "\"{:g} ms\"", ".", "format", "(", "time", "*", "1e3", ")", "# microseconds", "elif", "time", ">=", "1e-6", ":", "timestr", "=", "\"{:g} \\u03BCs\"", ".", "format", "(", "time", "*", "1e6", ")", "# nanoseconds or smaller", "else", ":", "timestr", "=", "\"{:g} ns\"", ".", "format", "(", "time", "*", "1e9", ")", "return", "timestr" ]
Converts a time in seconds to a reasonable human readable time Parameters ---------- t : float The number of seconds Returns ------- time : string The human readable formatted value of the given time
[ "Converts", "a", "time", "in", "seconds", "to", "a", "reasonable", "human", "readable", "time" ]
50ab4b96706fce8ee035a4d48cb456e3271eab3d
https://github.com/nirum/tableprint/blob/50ab4b96706fce8ee035a4d48cb456e3271eab3d/tableprint/utils.py#L13-L67
3,096
nirum/tableprint
tableprint/utils.py
ansi_len
def ansi_len(string): """Extra length due to any ANSI sequences in the string.""" return len(string) - wcswidth(re.compile(r'\x1b[^m]*m').sub('', string))
python
def ansi_len(string): return len(string) - wcswidth(re.compile(r'\x1b[^m]*m').sub('', string))
[ "def", "ansi_len", "(", "string", ")", ":", "return", "len", "(", "string", ")", "-", "wcswidth", "(", "re", ".", "compile", "(", "r'\\x1b[^m]*m'", ")", ".", "sub", "(", "''", ",", "string", ")", ")" ]
Extra length due to any ANSI sequences in the string.
[ "Extra", "length", "due", "to", "any", "ANSI", "sequences", "in", "the", "string", "." ]
50ab4b96706fce8ee035a4d48cb456e3271eab3d
https://github.com/nirum/tableprint/blob/50ab4b96706fce8ee035a4d48cb456e3271eab3d/tableprint/utils.py#L70-L72
3,097
nirum/tableprint
tableprint/utils.py
format_line
def format_line(data, linestyle): """Formats a list of elements using the given line style""" return linestyle.begin + linestyle.sep.join(data) + linestyle.end
python
def format_line(data, linestyle): return linestyle.begin + linestyle.sep.join(data) + linestyle.end
[ "def", "format_line", "(", "data", ",", "linestyle", ")", ":", "return", "linestyle", ".", "begin", "+", "linestyle", ".", "sep", ".", "join", "(", "data", ")", "+", "linestyle", ".", "end" ]
Formats a list of elements using the given line style
[ "Formats", "a", "list", "of", "elements", "using", "the", "given", "line", "style" ]
50ab4b96706fce8ee035a4d48cb456e3271eab3d
https://github.com/nirum/tableprint/blob/50ab4b96706fce8ee035a4d48cb456e3271eab3d/tableprint/utils.py#L75-L77
3,098
nirum/tableprint
tableprint/utils.py
parse_width
def parse_width(width, n): """Parses an int or array of widths Parameters ---------- width : int or array_like n : int """ if isinstance(width, int): widths = [width] * n else: assert len(width) == n, "Widths and data do not match" widths = width return widths
python
def parse_width(width, n): if isinstance(width, int): widths = [width] * n else: assert len(width) == n, "Widths and data do not match" widths = width return widths
[ "def", "parse_width", "(", "width", ",", "n", ")", ":", "if", "isinstance", "(", "width", ",", "int", ")", ":", "widths", "=", "[", "width", "]", "*", "n", "else", ":", "assert", "len", "(", "width", ")", "==", "n", ",", "\"Widths and data do not match\"", "widths", "=", "width", "return", "widths" ]
Parses an int or array of widths Parameters ---------- width : int or array_like n : int
[ "Parses", "an", "int", "or", "array", "of", "widths" ]
50ab4b96706fce8ee035a4d48cb456e3271eab3d
https://github.com/nirum/tableprint/blob/50ab4b96706fce8ee035a4d48cb456e3271eab3d/tableprint/utils.py#L80-L95
3,099
nirum/tableprint
tableprint/printer.py
table
def table(data, headers=None, format_spec=FMT, width=WIDTH, align=ALIGN, style=STYLE, out=sys.stdout): """Print a table with the given data Parameters ---------- data : array_like An (m x n) array containing the data to print (m rows of n columns) headers : list, optional A list of n strings consisting of the header of each of the n columns (Default: None) format_spec : string, optional Format specification for formatting numbers (Default: '5g') width : int or array_like, optional The width of each column in the table (Default: 11) align : string The alignment to use ('left', 'center', or 'right'). (Default: 'right') style : string or tuple, optional A formatting style. (Default: 'fancy_grid') out : writer, optional A file handle or object that has write() and flush() methods (Default: sys.stdout) """ # Number of columns in the table. ncols = len(data[0]) if headers is None else len(headers) tablestyle = STYLES[style] widths = parse_width(width, ncols) # Initialize with a hr or the header tablestr = [hrule(ncols, widths, tablestyle.top)] \ if headers is None else [header(headers, width=widths, align=align, style=style)] # parse each row tablestr += [row(d, widths, format_spec, align, style) for d in data] # only add the final border if there was data in the table if len(data) > 0: tablestr += [hrule(ncols, widths, tablestyle.bottom)] # print the table out.write('\n'.join(tablestr) + '\n') out.flush()
python
def table(data, headers=None, format_spec=FMT, width=WIDTH, align=ALIGN, style=STYLE, out=sys.stdout): # Number of columns in the table. ncols = len(data[0]) if headers is None else len(headers) tablestyle = STYLES[style] widths = parse_width(width, ncols) # Initialize with a hr or the header tablestr = [hrule(ncols, widths, tablestyle.top)] \ if headers is None else [header(headers, width=widths, align=align, style=style)] # parse each row tablestr += [row(d, widths, format_spec, align, style) for d in data] # only add the final border if there was data in the table if len(data) > 0: tablestr += [hrule(ncols, widths, tablestyle.bottom)] # print the table out.write('\n'.join(tablestr) + '\n') out.flush()
[ "def", "table", "(", "data", ",", "headers", "=", "None", ",", "format_spec", "=", "FMT", ",", "width", "=", "WIDTH", ",", "align", "=", "ALIGN", ",", "style", "=", "STYLE", ",", "out", "=", "sys", ".", "stdout", ")", ":", "# Number of columns in the table.", "ncols", "=", "len", "(", "data", "[", "0", "]", ")", "if", "headers", "is", "None", "else", "len", "(", "headers", ")", "tablestyle", "=", "STYLES", "[", "style", "]", "widths", "=", "parse_width", "(", "width", ",", "ncols", ")", "# Initialize with a hr or the header", "tablestr", "=", "[", "hrule", "(", "ncols", ",", "widths", ",", "tablestyle", ".", "top", ")", "]", "if", "headers", "is", "None", "else", "[", "header", "(", "headers", ",", "width", "=", "widths", ",", "align", "=", "align", ",", "style", "=", "style", ")", "]", "# parse each row", "tablestr", "+=", "[", "row", "(", "d", ",", "widths", ",", "format_spec", ",", "align", ",", "style", ")", "for", "d", "in", "data", "]", "# only add the final border if there was data in the table", "if", "len", "(", "data", ")", ">", "0", ":", "tablestr", "+=", "[", "hrule", "(", "ncols", ",", "widths", ",", "tablestyle", ".", "bottom", ")", "]", "# print the table", "out", ".", "write", "(", "'\\n'", ".", "join", "(", "tablestr", ")", "+", "'\\n'", ")", "out", ".", "flush", "(", ")" ]
Print a table with the given data Parameters ---------- data : array_like An (m x n) array containing the data to print (m rows of n columns) headers : list, optional A list of n strings consisting of the header of each of the n columns (Default: None) format_spec : string, optional Format specification for formatting numbers (Default: '5g') width : int or array_like, optional The width of each column in the table (Default: 11) align : string The alignment to use ('left', 'center', or 'right'). (Default: 'right') style : string or tuple, optional A formatting style. (Default: 'fancy_grid') out : writer, optional A file handle or object that has write() and flush() methods (Default: sys.stdout)
[ "Print", "a", "table", "with", "the", "given", "data" ]
50ab4b96706fce8ee035a4d48cb456e3271eab3d
https://github.com/nirum/tableprint/blob/50ab4b96706fce8ee035a4d48cb456e3271eab3d/tableprint/printer.py#L79-L123